【IT168 技术文档】
http://tech.it168.com/j/2006-09-15/200609151119074.shtml
批量更新是指在一个事务中更新大批量数据,批量删除是指在一个事务中删除大批量数据。以下程序直接通过Hibernate API批量更新CUSTOMERS表中年龄大于零的所有记录的AGE字段:
1 tx = session.beginTransaction(); 2 Iterator customers = session.find( " from Customer c where c.age>0 " ).iterator(); 3 while (customers.hasNext()) ... { 4Customer customer=(Customer)customers.next(); 5customer.setAge(customer.getAge()+1); 6} 7 8 tx.commit(); 9 session.close();
1 update CUSTOMERS set AGE =? …. where ID = i; 2 update CUSTOMERS set AGE =? …. where ID = j; 3 …… 4 update CUSTOMERS set AGE =? …. where ID = k;
(1) 占用大量内存,必须把1万个Customer对象先加载到内存,然后一一更新它们。
(2) 执行的update语句的数目太多,每个update语句只能更新一个Customer对象,必须通过1万条update语句才能更新一万个Customer对象,频繁的访问数据库,会大大降低应用的性能。
为了迅速释放1万个Customer对象占用的内存,可以在更新每个Customer对象后,就调用Session的evict()方法立即释放它的内存:
1 tx = session.beginTransaction(); 2 Iterator customers = session.find( " from Customer c where c.age>0 " ).iterator(); 3 while (customers.hasNext()) ... { 4Customer customer=(Customer)customers.next(); 5customer.setAge(customer.getAge()+1); 6session.flush(); 7session.evict(customer); 8} 9 10 tx.commit(); 11 session.close(); 12
但evict()方法只能稍微提高批量操作的性能,因为不管有没有使用evict()方法,Hibernate都必须执行1万条update语句,才能更新1万个Customer对象,这是影响批量操作性能的重要因素。假如Hibernate能直接执行如下SQL语句:
update CUSTOMERS set AGE=AGE+1 where AGE>0;
那么以上一条update语句就能更新CUSTOMERS表中的1万条记录。但是Hibernate并没有直接提供执行这种update语句的接口。应用程序必须绕过Hibernate API,直接通过JDBC API来执行该SQL语句:
1 tx = session.beginTransaction(); 2 3 Connection con = session.connection(); 4 PreparedStatement stmt = con.prepareStatement( " update CUSTOMERS set AGE=AGE+1 " 5 + " where AGE>0 " ); 6 stmt.executeUpdate(); 7 8 tx.commit(); 9
如果底层数据库(如Oracle)支持存储过程,也可以通过存储过程来执行批量更新。存储过程直接在数据库中运行,速度更加快。在Oracle数据库中可以定义一个名为batchUpdateCustomer()的存储过程,代码如下:
1 create or replace procedure batchUpdateCustomer(p_age in number) as 2 begin 3 update CUSTOMERS set AGE = AGE + 1 where AGE > p_age; 4 end; 5 6
1 tx = session.beginTransaction(); 2 Connection con = session.connection(); 3 4 String procedure = " {call batchUpdateCustomer(?) } " ; 5 CallableStatement cstmt = con.prepareCall(procedure); 6 cstmt.setInt( 1 , 0 ); // 把年龄参数设为0 7 cstmt.executeUpdate(); 8 tx.commit();
从上面程序看出,应用程序也必须绕过Hibernate API,直接通过JDBC API来调用存储过程。
Session的各种重载形式的update()方法都一次只能更新一个对象,而delete()方法的有些重载形式允许以HQL语句作为参数,例如:
session.delete("from Customer c where c.age>0");
如果CUSTOMERS表中有1万条年龄大于零的记录,那么以上代码能删除一万条记录。但是Session的delete()方法并没有执行以下delete语句:
1 delete from CUSTOMERS where AGE > 0 ; 2 3 Session的delete()方法先通过以下select语句把1万个Customer对象加载到内存中: 4 5 select * from CUSTOMERS where AGE > 0 ;
1 delete from CUSTOMERS where ID = i; 2 delete from CUSTOMERS where ID = j; 3 …… 4 delete from CUSTOMERS where ID = k; 5
(1) 无需把数据库中的大批量数据先加载到内存中,然后逐个更新或修改它们,因此不会消耗大量内存。
(2) 能在一条SQL语句中更新或删除大批量的数据。
值得注意的是,在Hibernate3.0中对批量更新和批量删除提供了有力的支持,允许通过Hibernate3.0的有关接口,进行高性能的批量更新和批量删除操作,参见Hibernate升级指南。