JDBC程序中当一个连接对象被创建时,默认情况下是自动提交事务:每执行一个SQL语句时,如果执行成功,就会向数据库自动提交而不能回滚。
JDBC事务为了让多个SQL语句作为一个事务被执行,手动设置提交事务与结束事务方法:
调用Connection对象的setAutoCommit(false);//取消自动提交事务
在所有SQL语句执行成功后,使用Connection对象的commit()方法提交事务
若中途出现某个SQL语句执行不成功,则使用Connection对象的Rollback()方法回滚事务//可以使用try/catch/finally判断事务是否提交还是回滚
若Connection没有关闭,则需要恢复自动提交事务状态:setAutoCommit(true)
/*
*将一个转账操作SQL语句使用手动事务提交方式
*/
//读取配置文件参数信息
Properties properties=new Properties();
properties.load(new File("jdbc.properties"));
String driver=properties.getProperty("driver");
String url=properties.getProperty("url");
String user=properties.getProperty("user");
String pas=properties.getProperty("password");
//创建驱动
Class.forName(driver);
//驱动连接
Connection connection=DriverManager.getConnection(url,user,pas);
PreparedStatement statement=null;
try{
//取消事务自动提交
connection.setAutoCommit(false);
//编写并执行SQL语句
String sql=“update Account set balance=? where username=?”;
statement=new PreparedStatement(sql);
statement.setDouble(1,10000);//剩余金额为10000
statement.setString(2,"tom");//转账人姓名
statement.executeUpdate();//执行转账sql操作
statement.setDouble(1,30000);//剩余金额为30000
statement.setString(2,"tony");//转账人姓名
statement.executeUpdate();//执行被转帐sql操作
//若无异常,则事务成功提交
connection.commit()
}catch(Exception e){
connection.Rollback();//若产生异常,则事务回滚
}finally{//最后一定执行关闭连接
statement.close();connection.close();
}