JDBC(三、事务与批处理)
批处理
当需要成批的插入或更新记录时,可以采用Java的批量更新机制,这一机制允许多条语句一次性提交给数据库批量处理,通常情况下比单独提交处理更有效率
JDBC中批量处理的方法:
- addBatch();添加需要批量处理的SQL语句或参数
- executeBatch();执行批量处理的语句
通常会遇到的两种批量处理的情况:
- 多条SQL语句的批量处理
- 一个SQL语句的批量传参
示例:
/*
使用批处理,向数据库中account表添加1000条记录
*/
public static void useBatch() throws ClassNotFoundException {
Class.forName("com.mysql.cj.jdbc.Driver");
Connection connection = null;
PreparedStatement preparedStatement = null;
String sql = "insert into account(name,money)value (?,?)";
try {
connection = DriverManager.getConnection(url,user,password);
preparedStatement = connection.prepareStatement(sql);
for (int i=0;i<1000;i++) {
preparedStatement.setString(1,"李四"+i);
preparedStatement.setDouble(2,i);
preparedStatement.addBatch();
}
preparedStatement.executeBatch();
} catch (SQLException throwables) {
throwables.printStackTrace();
}finally {
if (preparedStatement!=null){
try {
preparedStatement.close();
} catch (SQLException throwables) {
throwables.printStackTrace();
}
}
if (connection!=null){
try {
connection.close();
} catch (SQLException throwables) {
throwables.printStackTrace();
}
}
}
}
事务
JDBC程序中当一个连接对象被创建时,默认情况下自动提交事务,每次执行一个SQL语句是,如果执行成功,就会向数据库自动提交而不能回滚,
为了让多个SQL语句作为一个事务执行JDBC中的方法:
- 调用Connection对象的setAutoCommit(false);取消自动提交事务
- 在所有的SQL语句都执行成功后,调用commit();方法提交事务
- 如果其中某个操作失败或者出现异常,调用rollback():方法回滚事务
注意:多个操作中要保证使用的是同一个Connection连接对象,否则无法保证事务
示例:
/*
模拟转账作为一个事务,需要执行两条SQL语句,
要保证,一个账户的钱减少了另一个账户的钱一定增加
如果执行完money减少的语句后程序出现了异常money增加的语句没有得到执行,我们就需要让这个事务回滚
事务回滚写在catch中!
*/
public static void falseCommit() throws ClassNotFoundException {
Class.forName("com.mysql.cj.jdbc.Driver");
Connection connection = null;
PreparedStatement p1 = null;
PreparedStatement p2 = null;
String sql1 = "update account set money=money-1 where id=1";
String sql2 = "update account set money=money+1 where id=2";
try {
connection = DriverManager.getConnection(url,user,password);
//取消自动提交事务
connection.setAutoCommit(false);
p1 = connection.prepareStatement(sql1);
p1.executeUpdate();
//发生未处理的异常,上面sql语句得到了执行 下方未执行
System.out.println(10/0);
p2 = connection.prepareStatement(sql2);
p2.executeUpdate();
//运行到此两个SQL语句全部正常执行,那么就提交事务
connection.commit();
} catch (SQLException throwables) {
//捕捉到异常
try {
//执行事务回滚
connection.rollback();
} catch (SQLException e) {
e.printStackTrace();
}
throwables.printStackTrace();
}finally {
if (p2!=null){
try {
p1.close();
} catch (SQLException throwables) {
throwables.printStackTrace();
}
}
if (p1!=null){
try {
p1.close();
} catch (SQLException throwables) {
throwables.printStackTrace();
}
}
if (connection!=null){
try {
connection.close();
} catch (SQLException throwables) {
throwables.printStackTrace();
}
}
}
}