Hibernate - 如何验证是否真正执行批量插入

时间:2017-02-02 12:25:35

标签: java oracle hibernate orm batch-insert

技术堆栈:Oracle数据库11.2.0.2,Java 1.6,Hibernate 3.6.6.Final。

我是hibernate的新手,如果这是微不足道,请道歉。

以下代码应该进行一些优化:

Transaction tx = session.beginTransaction();
for (int i = 0; i < 10; i++) {
   POJO pojo = new POJO(i);
   session.save(pojo);
}
tx.commit();

hibernate.cfg.xml包含以下条目

<property name="jdbc.batch_size">500</property>

如果hibernate真的批量所有这些插入,我如何验证?如果它执行10次插入而不是没有增益。 一个想法是在save()之后立即放置jdbc普通查询,检查记录是否已添加到db:

String query = "retrieve previously added element"
PreparedStatement stmt = session.connection().prepareStatement(query.toString());
Result rs = statement.executeQuery();
/** check contents of rs */

在我的例子中,它返回一个非空集,其中包含先前添加的元素。这有什么意义吗?我怎样才能检查批处理是否有效。

提前致谢

2 个答案:

答案 0 :(得分:7)

您需要将“BatchingBatch”记录器添加到日志记录提供程序。

org.hibernate.engine.jdbc.batch.internal.BatchingBatch

您将能够在日志中看到类似的内容:

2018-02-20 17:33:41.279 DEBUG 6280 --- [           main] o.h.e.jdbc.batch.internal.BatchingBatch  : Executing batch size: 19

除非您看到此消息,否则批处理无效。

使用Hibernate版本测试:5.2.12

答案 1 :(得分:1)

要检查实际刷新到数据库的内容,请按如下方式配置日志记录属性:

log4j.rootLogger=info, stdout
# basic log level for all messages
log4j.logger.org.hibernate=debug

# SQL statements and parameters
log4j.logger.org.hibernate.SQL=debug
log4j.logger.org.hibernate.type.descriptor.sql=trace

并将其添加到您的hibernate.cfg.xml

<property name="show_sql">true</property>

然后你可以看到实际发送到数据库的内容..

使用批处理时,您应该输出如下内容:

insert into Pojo (id , titel) values (1, 'val1') , (2, 'val2') ,(3, 'val3')

此外,这是一篇很好的帖子,其中提供了有关如何最有效地利用批处理的一些提示:article

例如,您可以考虑在每次$ {jdbc.batch_size}保存后进行刷新。

Transaction tx = session.beginTransaction();
for ( int i=0; i<100000; i++ ) {
    Customer customer = new Customer(.....);
    Cart cart = new Cart(...);
    customer.setCart(cart) // note we are adding the cart to the customer, so this object 
     // needs to be persisted as well
    session.save(customer);
    if ( i % 20 == 0 ) { //20, same as the JDBC batch size
        //flush a batch of inserts and release memory:
        session.flush();
        session.clear();
    }
}
tx.commit();