Hibernate 笔记4 实现对数据库的增删改查

1  准备

 

首先在mysql数据库中建表User,并添加相关信息。

user表结构如下。

+-------+--------------+------+-----+---------+----------------+
| Field    | Type             |   Null |  Key |   Default |      Extra          |
+-------+--------------+------+-----+---------+----------------+
| id        | int(11)          | NO    | PRI   | NULL     | auto_increment |
| name   | varchar(255) | YES   |        | NULL     |                        |
| pwd     | varchar(255) | YES   |        | NULL     |                        |
+-------+--------------+------+-----+---------+----------------+

建立User类,添加set,get 方法。

使用hibernate对数据进行增删改差的步骤:

        1. 获得连接
        2. 开启事务
        3. 增删改查操作
        4. 提交事务
        5. 关闭连接

 

2  对数据进行添加(insert)

 

    插入操作使用 session.save(类对象)如上述代码14行所示。

    可以使用session.saveorupdate(类对象),由hibernate判断是添加还是更新。

 

 saveorupdate与sava的区别,以及saveorupdate的好处?

              save是返回插入数据的主见的,而saveOrUpdate是void

  save方法更适用与确定了是要插入,而且需要得到插入数据的主键而saveOrUpdate更倾向于不确定是插入还是更新,而且你不需要得到他的主键 

  另一方面,如果你无法确定你要插入或更新的对象是不是持久态或游离态时。如果你save一个持久态或更新一个游离态,这都是有问题的,

  此时你就要用到     saveOrUpdat

  总体来说,如果你能确定你即将操作对象的状态,则不需要用saveOrUpdate

 

 1 public void TestInsert() throws Exception{
2 User user= new User(); //初始化User
3 user.setId(1); //设置属性的数据
4 user.setName("蓝冰竹斋");
5 user.setPwd("123");
6
7 Configuration config=new Configuration().configure(); // 加载总配置文件
8 SessionFactory sessionFactory= config.buildSessionFactory(); // 建立工厂
9 Session session=null; //定义Session
10 Transaction tx=null; // 定义事务
11 try{
12 session=sessionFactory.openSession(); // 通过工厂建立连接
13 tx=session.beginTransaction(); // 通过连接开启事务
14 session.save(user); // 通过连接保存user
15 tx.commit(); // 提交
16
17 }catch(Exception e){
18 tx.rollback(); // 出现异常回滚
19
20 }finally{
21 if(session!=null){
22 session.close(); // 关闭连接
23 }
24 if(sessionFactory!=null){
25 sessionFactory.close(); // 关闭连接工厂
26 }
27 }
28 }

测试后打印出的语句:Hibernate: insert into user (name, pwd) values (?, ?)

 

3 对数据进行修改(update)

 

 修改操作使用session.save(类对象),根据表id知道要修改的对象。 如果id不存在,出现异常org.hibernate.StaleStateException

 如果某列不需要更新,需要在映射文件的相应<property>中加入 update="false",如不更新name,

 <propertyname="pwd" column="pwd"  update="false"></property>

  更新时需要将表中所有字段数据进行设置,不设置的字段,其值默认为null.

 可以使用session.saveorupdate(类对象),由hibernate判断是添加还是更新。

 

public void TestUpdate() throws Exception{
User user= new User();
user.setId(1);
user.setName("蓝冰"); //对name进行了修改
user.setPwd("1321121"); //对pwd进行了修改

Configuration config=new Configuration().configure();
SessionFactory sessionFactory= config.buildSessionFactory();
Session session=null;
Transaction tx=null;
try{
session=sessionFactory.openSession();
tx=session.beginTransaction();
session.update(user); //修改数据
tx.commit();

}catch(Exception e){
tx.rollback();

}finally{
if(session!=null){
session.close();
}
if(sessionFactory!=null){
sessionFactory.close();
}
}
}

Hibernate: update user set name=?, pwd=? where id=?

 

4 删除数据(deleted)

 

修改操作使用session.delete(类对象)

注意,只能通过id来删除数据,不能通过title或content来删除,会报缺少标示符错误。

public void TestDelete() throws Exception{
User user= new User();
user.setId(1);
user.setName("蓝冰竹斋1"); //根据ID删除,设置其他属性不起作用
user.setPwd("1321121");

Configuration config=new Configuration().configure();
SessionFactory sessionFactory= config.buildSessionFactory();
Session session=null;
Transaction tx=null;
try{
session=sessionFactory.openSession();
tx=session.beginTransaction();
session.delete(user); //删除数据
tx.commit();

}catch(Exception e){
tx.rollback();

}finally{
if(session!=null){
session.close();
}
if(sessionFactory!=null){
sessionFactory.close();
}
}
}


Hibernate: delete from user where id=?

 


5 查询数据(select)

 

通过ID进行查询。

查询有两种方式,1 session.get(类.class,id);

                      2 session.load(类.class,id);

                            类名.class 返回这个类的Class类型对象

load 支持懒加载,既使用对象时才执行。调用getID()  和 getclass()两个方法不执行。

两者的区别会在后面详细说明。

public void TestSelect() throws Exception{
User user1=null; // 用户1,使用get方法查询
User user2=null; // 用户2,使用load方法查询

Configuration config=new Configuration().configure();
SessionFactory sessionFactory= config.buildSessionFactory();
Session session=null;
Transaction tx=null;
try{
session=sessionFactory.openSession();
tx=session.beginTransaction();
user1=(User) session.get(User.class, 3); //用户1 get查询 get方法中第一个字段是查询的类.class,第二个参数是id
            user2=(User) session.load(User.class, 3);   //用户2  load查询   参数同上

System.out.println(user1.getName()+"user1用户");
System.out.println(user2.getPwd()+"user2用户");
tx.commit();

}catch(Exception e){
tx.rollback();

}finally{
if(session!=null){
session.close();
}
if(sessionFactory!=null){
sessionFactory.close();
}
}
}

Hibernate: select user0_.id as id0_0_, user0_.name as name0_0_, user0_.pwd as pwd0_0_ from user user0_ where user0_.id=?

转载于:https://www.cnblogs.com/zilong882008/archive/2011/11/03/2234859.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/380118.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Direct3D中的绘制(3)

立方体——只比三角形稍微复杂一点&#xff0c;这个程序渲染一个线框立方体。 这个简单的绘制和渲染立方体的程序的运行结果如下图所示&#xff1a; 源程序&#xff1a; /************************************************************************************** Renders a …

远控免杀专题(19)-nps_payload免杀

免杀能力一览表 几点说明&#xff1a; 1、上表中标识 √ 说明相应杀毒软件未检测出病毒&#xff0c;也就是代表了Bypass。 2、为了更好的对比效果&#xff0c;大部分测试payload均使用msf的windows/meterperter/reverse_tcp模块生成。 3、由于本机测试时只是安装了360全家桶…

VS2005中使用WebDeploymentProject的问题

近来做Web项目&#xff0c;VS2005中发布网站时默认发布大批的程序集&#xff0c;这给升级网站时造成很大麻烦&#xff0c;所以偶从MS下载了个WebDeploymentProject的插件&#xff08;下载地址http://download.microsoft.com/download/c/c/b/ccb4877f-55f7-4478-8f16-e41886607a…

操作系统中的多级队列调度

多级队列调度 (Multilevel queue scheduling) Every algorithm supports a different class of process but in a generalized system, some process wants to be scheduled using a priority algorithm. While some process wants to remain in the system (interactive proce…

编写一程序,输入一个字符串,查找该字符串中是否包含“abc”。

import java.lang.String.*;//这里调用java.long.String.contains()方法&#xff1b; import java.util.Scanner; public class shit {public static void main(String[] args) {Scanner wsq new Scanner(System.in);String str wsq.next();boolean status str.contains(&qu…

显示消息提示对话框(WebForm)

1: /// <summary>2: /// 显示消息提示对话框。3: /// Copyright (C) Maticsoft4: /// </summary>5: public class MessageBox6: { 7: private MessageBox()8: { 9: }10: 11: …

借助格式化输出过canary保护

0x01 canary保护机制 栈溢出保护是一种缓冲区溢出攻击缓解手段&#xff0c;当函数存在缓冲区溢出攻击漏洞时&#xff0c;攻击者可以覆盖栈上的返回地址来让shellcode能够得到执行。当启用栈保护后&#xff0c;函数开始执行的时候会先往栈里插入cookie信息&#xff0c;当函数真…

什么叫灰度图

任何颜色都有红、绿、蓝三原色组成&#xff0c;假如原来某点的颜色为RGB(R&#xff0c;G&#xff0c;B)&#xff0c;那么&#xff0c;我们可以通过下面几种方法&#xff0c;将其转换为灰度&#xff1a; 1.浮点算法&#xff1a;GrayR*0.3G*0.59B*0.11 2.整数方法&#xff1a;Gra…

各抓包软件的之间差异_系统软件和应用程序软件之间的差异

各抓包软件的之间差异什么是软件&#xff1f; (What is Software?) Software is referred to as a set of programs that are designed to perform a well-defined function. A program is a particular sequence of instructions written to solve a particular problem. 软件…

输入一字符串,统计其中有多少个单词(单词之间用空格分隔)(java)

import java.util.*; class Example3{public static void main(String args[]){Scanner sc new Scanner(System.in);String s sc.nextLine();//这里的sc.nextLine&#xff08;&#xff09;空格也会记数&#xff1b;StringTokenizer st new StringTokenizer(s," ")…

为何苦命干活的人成不了专家?

所谓熟能生巧&#xff0c;但离专家却有一个巨大的鸿沟&#xff0c;在农田干活的农民怎么也成不了水稻专家&#xff0c;推广之&#xff0c;那些在本职工作上勤勤恳恳的人&#xff0c;在业务上总有一个不可冲破的瓶颈。 这种现象非常普遍&#xff0c;这就是为什么很多人很勤奋&am…

今天发布一个新网站www.heijidi.com

新网站发布了&#xff0c;欢迎访问&#xff0c;关于国产机的 网站 www.heijidi.com 转载于:https://www.cnblogs.com/liugod/archive/2008/03/26/1122753.html

ret2shellcdoe

ret2shellcode的关键是找到一个缓冲区&#xff0c;这个缓冲区是可读写写可执行的&#xff0c;我们要想办法把我们的shellcdoe放到这个缓冲区&#xff0c;然后跳转到我们的shellcode处执行。 例子&#xff1a; #include <stdio.h> #include <string.h> char str1[…

stl取出字符串中的字符_从C ++ STL中的字符串访问字符元素

stl取出字符串中的字符字符串作为数据类型 (String as datatype) In C, we know string basically a character array terminated by \0. Thus to operate with the string we define character array. But in C, the standard library gives us the facility to use the strin…

Object类的hashCode()方法

public class day11 {public static void main(String[] args) {Object obj1 new Object();int hashCode obj1.hashCode();System.out.println(hashCode);}} hashCode public int hashCode()返回该对象的哈希码值。支持此方法是为了提高哈希表&#xff08;例如 java.util.Ha…

调整Tomcat上的参数提高性能[转]

Webtop Performance Test w/ Tomcat(调整Tomcat上的参数提高性能) Login several users with one second between each login. After the 25th user, the users begin to experience poor performance, to the point where some users are receiving “Page cannot be display…

RecordSet中的open完全的语法

RecordSet中的open完全的语法是:SecordSet.Open Source,ActiveConnection,CursorType,LockType,Options例如&#xff1a; rs.open sql,conn,1,3CursorTypeadOpenForwardOnly 0 默认游标类型, 为打开向前游标, 只能在记录集中向前移动。adOpenKeyset 1 打开键集类型的游标, 可以…

用筛选法求100之内的素数

#include <stdio.h> int main() {int i ,j ,a[100];//定义一个数组存放1~100&#xff1b;for(i2; i<100; i)//由于1既不是素数也不是质素&#xff0c;所以不用考虑1&#xff0c;直接从2开始&#xff1b;{a[i]i;//以次赋值&#xff0c;2~100&#xff1b;for(j2; j<i…

远控免杀专题(20)-GreatSCT免杀

转载&#xff1a;https://mp.weixin.qq.com/s/s9DFRIgpvpE-_MneO0B_FQ 免杀能力一览表 几点说明&#xff1a; 1、上表中标识 √ 说明相应杀毒软件未检测出病毒&#xff0c;也就是代表了Bypass。 2、为了更好的对比效果&#xff0c;大部分测试payload均使用msf的windows/mete…

Java LinkedList对象的get(int index)方法与示例

LinkedList对象的get(int索引)方法 (LinkedList Object get(int index) method) This method is available in package java.util.LinkedList.get(int index). 软件包java.util.LinkedList.get(int index)中提供了此方法。 This method is used to retrieve an object or eleme…