我现在用的批次:
String query = "INSERT INTO table (id, name, value) VALUES (?, ?, ?)";
PreparedStatement ps = connection.prepareStatement(query);
for (Record record : records) {
ps.setInt(1, record.id);
ps.setString(2, record.name);
ps.setInt(3, record.value);
ps.addBatch();
}
ps.executeBatch();
我只是想知道,如果上面的代码等同于下面的代码。 如果不是,这是更快?
String query = "INSERT INTO table (id, name, value) VALUES ";
for (Record record : records) {
query += "(" + record.id + ",'" + record.name + "'," + record.value + "),";
}
query = query.substring(1, query.length() - 1);
PreparedStatement ps = connection.prepareStatement(query);
ps.executeUpdate();
首先,具有查询字符串连接,你不但失去了类型转换原产于PreparedStatement的方法,但你也可以得到容易受到恶意代码在数据库中执行。
其次,用预处理预先缓存在非常数据库本身,这已经给出了简单的陈述了很好的性能改进。
executeBatch
将拥有改进性能executeUpdate
为自动提交设置为false,只要:
connection.setAutoCommit(false);
PreparedStatement ps = connection.prepareStatement(query);
for (Record record : records) {
// etc.
ps.addBatch();
}
ps.executeBatch();
connection.commit();
你可以面对严重的性能问题,如果要插入项目的数量是很大的。 因此,它是更安全的定义批量大小,不断达到批次大小时执行查询。
像下面的示例代码的东西应该工作。 对于如何有效地使用此代码的完整故事,请看到这个链接 。
private static void insertList2DB(List<String> list) {
final int batchSize = 1000; //Batch size is important.
Connection conn = getConnection();
PreparedStatement ps = null;
try {
String sql = "INSERT INTO theTable (aColumn) VALUES (?)";
ps = conn.prepareStatement(sql);
int insertCount=0;
for (String item : list) {
ps.setString(1, item);
ps.addBatch();
if (++insertCount % batchSize == 0) {
ps.executeBatch();
}
}
ps.executeBatch();
} catch (SQLException e) {
e.printStackTrace();
System.exit(1);
}
finally {
try {
ps.close();
conn.close();
} catch (SQLException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
public void insertBatch(final List<Record > records ) {
String query = "INSERT INTO table (id, name, value) VALUES (?, ?, ?)";
GenericDAO.getJdbcTemplate().batchUpdate(sql, new BatchPreparedStatementSetter() {
@Override
public void setValues(PreparedStatement ps, int i) throws SQLException {
Record record = records .get(i);
ps.setInt(1, record.id);
ps.setString(2, record.name);
ps.setInt(3, record.value);
}
@Override
public int getBatchSize() {
return records.size();
}
});
}
我认为这会做
String query = "INSERT INTO table (id, name, value) VALUES ";
for (Record record : records)
{
query += "(" + record.id + ",'" + record.name + "'," + record.value + "),";
query = query.substring(1, query.length() - 1);
PreparedStatement ps = connection.prepareStatement(query);
ps.executeUpdate();
}
因为你要执行查询的每个记录插入到数据库中。