将一组INSERT或UPDATE或DELETE命令(产生更新计数值)组合在一起并立即执行它们,此机制称为批量更新。
语句,PreparedStatement和CallableStatement对象持有一个(命令列表),您可以使用addBatch()方法向其中添加相关语句(这些返回更新计数值)。
stmt.addBatch(insert1); stmt.addBatch(insert2); stmt.addBatch(insert3);
添加所需的语句后,可以使用Statement接口的executeBatch()方法执行批处理。
stmt.executeBatch();
使用批处理更新,我们可以减少通信开销并提高Java应用程序的性能。
注意:在将语句添加到批处理之前,您需要使用con.setAutoCommit(false)关闭自动提交,并且在执行批处理之后,需要使用con.commit()方法保存更改。
假设我们在数据库中创建了一个名为Sales的表,并具有以下描述:
+-------------------+--------------+------+-----+---------+-------+ | Field | Type | Null | Key | Default | Extra | +-------------------+--------------+------+-----+---------+-------+ | Product_Name | varchar(255) | YES | | NULL | | | Name_Of_Customer | varchar(255) | YES | | NULL | | | Month_Of_Dispatch | varchar(255) | YES | | NULL | | | Price | int(11) | YES | | NULL | | | Location | varchar(255) | YES | | NULL | | +-------------------+--------------+------+-----+---------+-------+
本示例尝试使用批处理更新将一组语句插入上述表中。
import java.sql.Connection; import java.sql.DriverManager; import java.sql.Statement; public class BatchUpdates { public static void main(String args[])throws Exception { //获得连接 String mysqlUrl = "jdbc:mysql://localhost/sampleDB"; Connection con = DriverManager.getConnection(mysqlUrl, "root", "password"); System.out.println("Connection established......"); //创建一个Statement对象 Statement stmt = con.createStatement(); //设置自动提交false- con.setAutoCommit(false); //插入记录的语句 String insert1 = "INSERT INTO Dispatches VALUES ('KeyBoard', 'Amith', 'January', 1000, 'Hyderabad')"; String insert2 = "INSERT INTO Dispatches VALUES ('Earphones', 'SUMITH', 'March', 500, 'Vishakhapatnam')"; String insert3 = "INSERT INTO Dispatches VALUES ('Mouse', 'Sudha', 'September', 200, 'Vijayawada')"; //将语句添加到批处理 stmt.addBatch(insert1); stmt.addBatch(insert2); stmt.addBatch(insert3); //执行批处理 stmt.executeBatch(); //保存更改 con.commit(); System.out.println("Records inserted......"); } }
Connection established...... Records inserted......
如果您验证表的内容,则可以在其中找到插入的记录,如下所示:
+--------------+------------------+-------------------+-------+----------------+ | Product_Name | Name_Of_Customer | Month_Of_Dispatch | Price | Location | +--------------+------------------+-------------------+-------+----------------+ | KeyBoard | Amith | January | 1000 | Hyderabad | | Earphones | SUMITH | March | 500 | Vishakhapatnam | | Mouse | Sudha | September | 200 | Vijayawada | +--------------+------------------+-------------------+-------+----------------+