使用JDBC语句进行批量插入


将一组INSERT语句组合在一起并一次执行它们被称为批量插入。

使用Statement对象进行批量插入

要使用Statement对象执行一批插入语句:

  • 将语句添加到批处理中 - 一个一个地准备INSERT查询,并使用Statement接口的addBatch()方法将它们添加到批处理中,如下所示:
String insert1 = Insert into table_name values(value1, value2, value3, ......);
stmt.addBatch(insert1);
String insert2 = Insert into table_name values(value1, value2, value3, ......);
stmt.addBatch(insert2);
String insert3 = Insert into table_name values(value1, value2, value3, ......);
stmt.addBatch(insert3);
  • 执行批处理 - 添加所需语句后,需要使用Statement接口的executeBatch()方法执行批处理。
stmt.executeBatch();

使用批量插入,我们可以减少通信开销并提高Java应用程序的性能。

注意 - 在将语句添加到批处理之前,需要使用con.setAutoCommit(false)关闭自动提交,并在执行批处理后,需要使用con.commit()方法保存更改。

示例

让我们使用CREATE语句在MySQL数据库中创建一个名为Dispatches的表,如下所示:

CREATE table Dispatches (
   Product_Name, varchar(255)
   Name_Of_Customer, varchar(255)
   Month_Of_Dispatch, varchar(255)
   Price, int(11)
   Location, varchar(255)
);

下面的JDBC程序尝试使用Statement对象一次性执行一堆INSERT语句作为批处理。

示例

import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.Statement;
public class BatchUpdates {
   public static void main(String args[])throws Exception {
      //Getting the connection
      String mysqlUrl = "jdbc:mysql://127.0.0.1/sampleDB";
      Connection con = DriverManager.getConnection(mysqlUrl, "root", "password");
      System.out.println("Connection established......");
      //Creating a Statement object
      Statement stmt = con.createStatement();
      //Setting auto-commit false
      con.setAutoCommit(false);
      //Statements to insert records
      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')";
      //Adding the statements to batch
      stmt.addBatch(insert1);
      stmt.addBatch(insert2);
      stmt.addBatch(insert3);
      //Executing the batch
      stmt.executeBatch();
      //Saving the changes
      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     | 
+--------------+------------------+-------------------+-------+----------------+

更新于:2019年7月30日

313 次浏览

启动您的职业生涯

完成课程后获得认证

开始
广告