一、事务
1.JDBC程序中当一个Connection对象创建时,默认自动提交事务;每次执行SQL语句时,如果成功,就会向数据库自动提交,不能回滚。
2.JDBC程序中为了让多个SQL语句作为一个整体执行,需要使用事务。
3.调用Connection的setAutoCommit(false)可以取消自动提交事务。
4.在所有的SQL语句都执行成功后,调用commit();方法提交事务。
5.在其中某个操作失败或出现异常时,调用rollback();方法回滚事务。
二、事务处理
CREATE TABLE `account`(
id INT PRIMARY KEY AUTO_INCREMENT,
NAME VARCHAR(32)NOT NULL DEFAULT'',
balance DOUBLE NOT NULL DEFAULT 0
)CHARACTER SET utf8;
INSERT INTO `account` VALUES(NULL,'小明',6000);
INSERT INTO `account` VALUES(NULL,'小寒',9000);
SELECT*FROM `account`
package com.jun.jdbc.transaction;
import com.jun.jdbc.utils.JDBCUtils;
import org.junit.Test;
import java.sql.Connection;
import java.sql.PreparedStatement;
import java.sql.SQLException;
/**
* JDBC的事务使用
*/
public class Transaction01 {
//转账问题
//未使用事务
@Test
public void noTransaction() {
//得到连接
Connection connection = null;
//sql语句
String sql = "update account set balance=balance-100 where id=1";
String sql2 = "update account set balance=balance+100 where id=2";
//创建PreparedStatement对象
PreparedStatement preparedStatement = null;
try {
connection = JDBCUtils.getConnection();//connection默认提交
preparedStatement = connection.prepareStatement(sql);
preparedStatement.executeUpdate();//执行第一个sql
int i = 1 / 0;//抛出异常
preparedStatement = connection.prepareStatement(sql2);
preparedStatement.executeUpdate();//执行sql2
} catch (SQLException e) {
e.printStackTrace();
} finally {
//关闭流
JDBCUtils.close(null, preparedStatement, connection);
}
}
//使用事务解决
@Test
public void noTransaction2() {
//得到连接
Connection connection = null;
//sql语句
String sql = "update account set balance=balance-100 where id=1";
String sql2 = "update account set balance=balance+100 where id=2";
//创建PreparedStatement对象
PreparedStatement preparedStatement = null;
try {
connection = JDBCUtils.getConnection();//connection默认提交
connection.setAutoCommit(false);//事务开始
preparedStatement = connection.prepareStatement(sql);
preparedStatement.executeUpdate();//执行第一个sql
//int i = 1 / 0;//抛出异常
preparedStatement = connection.prepareStatement(sql2);
preparedStatement.executeUpdate();//执行sql2
//提交事务
connection.commit();
} catch (SQLException e) {
//进行事务回滚,默认回滚到事务开始的地方
System.out.println("发生异常,撤销执行的sql");
try {
connection.rollback();
} catch (SQLException ex) {
ex.printStackTrace();
}
e.printStackTrace();
} finally {
//关闭流
JDBCUtils.close(null, preparedStatement, connection);
}
}
}