PreparedStatement的Batch功能介绍

更新大量的数据时, Prepare一个SQL语句再多次的执行, 会导致很多次的网络连接. 要减少JDBC的调用次数改善性能, 你可以使用PreparedStatementAddBatch()方法一次性发送多个查询给数据库 

1: 多次执行Prepared Statement

PreparedStatement ps = conn.prepareStatement(

   "INSERT into employees values (?, ?, ?)");

for (n = 0; n < 100; n++) {

  ps.setString(name[n]);

  ps.setLong(id[n]);

  ps.setInt(salary[n]);

  ps.executeUpdate();

 

2: 使用Batch

PreparedStatement ps = conn.prepareStatement(

   "INSERT into employees values (?, ?, ?)");

for (n = 0; n < 100; n++) {

  ps.setString(name[n]);

  ps.setLong(id[n]);

  ps.setInt(salary[n]);

  ps.addBatch();

}

ps.executeBatch();

 

在例 1, PreparedStatement被用来多次执行INSERT语句. 在这里, 执行了100INSERT操作, 共有101次网络往返. 其中,1次往返是预储statement, 另外100次往返执行每个迭代.

在例2, 当在100INSERT操作中使用addBatch()方法时, 只有两次网络往返. 1次往返是预储statement, 另一次是执行batch命令. 虽然Batch命令会用到更多的数据库的CPU周期, 但是通过减少网络往返,性能得到提高. 记住, JDBC的性能最大的增进是减少JDBC驱动与数据库之间的网络通讯.

你可能感兴趣的:(PreparedStatement的Batch功能介绍)