Java 和 MySQL - 使用语句对象进行批处理
以下是使用语句对象进行批处理的典型步骤序列 −
使用 createStatement() 方法创建语句对象。
使用 setAutoCommit() 将自动提交设置为 false。
使用创建的语句对象上的 addBatch() 方法将任意数量的 SQL 语句添加到批处理中。
使用创建的语句对象上的 executeBatch() 方法执行所有 SQL 语句。
最后,使用 commit() 方法提交所有更改。
此示例代码是根据上一个示例代码中完成的环境和数据库设置编写的章节。
将以下示例复制粘贴到TestApplication.java中,编译并运行如下 −
import java.sql.Connection; import java.sql.DriverManager; import java.sql.ResultSet; import java.sql.SQLException; import java.sql.Statement; public class TestApplication { static final String DB_URL = "jdbc:mysql://localhost/TUTORIALSPOINT"; static final String USER = "guest"; static final String PASS = "guest123"; public static void printResultSet(ResultSet rs) throws SQLException{ // 确保我们从第一行开始 rs.beforeFirst(); while(rs.next()){ // 显示值 System.out.print("ID: " + rs.getInt("id")); System.out.print(", Age: " + rs.getInt("age")); System.out.print(", First: " + rs.getString("first")); System.out.println(", Last: " + rs.getString("last")); } System.out.println(); } public static void main(String[] args) { // 打开连接 try(Connection conn = DriverManager.getConnection(DB_URL, USER, PASS); Statement stmt = conn.createStatement( ResultSet.TYPE_SCROLL_INSENSITIVE, ResultSet.CONCUR_UPDATABLE) ) { conn.setAutoCommit(false); ResultSet rs = stmt.executeQuery("Select * from Employees"); printResultSet(rs); // 创建 SQL 语句 String SQL = "INSERT INTO Employees (first, last, age) " + "VALUES('Zia', 'Ali', 30)"; // 在批处理中添加上述 SQL 语句。 stmt.addBatch(SQL); // 再创建一个 SQL 语句 SQL = "INSERT INTO Employees (first, last, age) " + "VALUES('Raj', 'Kumar', 35)"; // 在批处理中添加上述 SQL 语句。 stmt.addBatch(SQL); // 再创建一个 SQL 语句 SQL = "UPDATE Employees SET age = 35 " + "WHERE id = 7"; // 在批处理中添加上述 SQL 语句。 stmt.addBatch(SQL); // 创建一个 int[] 来保存返回值 int[] count = stmt.executeBatch(); //明确提交语句以应用更改 conn.commit(); rs = stmt.executeQuery("Select * from Employees"); printResultSet(rs); stmt.close(); rs.close(); } catch (SQLException e) { e.printStackTrace(); } } }
现在让我们编译上面的例子如下 −
C:\>javac TestApplication.java C:\>
当您运行 TestApplication 时,它会产生以下结果 −
C:\>java TestApplication ID: 1, Age: 23, First: Zara, Last: Ali ID: 2, Age: 30, First: Mahnaz, Last: Fatma ID: 3, Age: 35, First: Zaid, Last: Khan ID: 4, Age: 33, First: Sumit, Last: Mittal ID: 5, Age: 40, First: John, Last: Paul ID: 7, Age: 20, First: Sita, Last: Singh ID: 8, Age: 20, First: Rita, Last: Tez ID: 9, Age: 20, First: Sita, Last: Singh ID: 1, Age: 23, First: Zara, Last: Ali ID: 2, Age: 30, First: Mahnaz, Last: Fatma ID: 3, Age: 35, First: Zaid, Last: Khan ID: 4, Age: 33, First: Sumit, Last: Mittal ID: 5, Age: 40, First: John, Last: Paul ID: 7, Age: 35, First: Sita, Last: Singh ID: 8, Age: 20, First: Rita, Last: Tez ID: 9, Age: 20, First: Sita, Last: Singh ID: 10, Age: 30, First: Zia, Last: Ali ID: 11, Age: 35, First: Raj, Last: Kumar C:\>