如何使用 Java 生成多个插入查询?


JDBC 提供了一种称为批量处理的机制,您可以将一组 INSERT、UPDATE 或 DELETE 命令(这些命令会产生更新计数值)组合在一起,并立即执行它们。您可以使用此方法将多条记录插入表中。

向批处理添加语句

Statement、PreparedStatement 和 CallableStatement 对象保存一个命令列表,您可以使用 **addBatch()** 方法向其中添加相关的语句(这些语句返回更新计数值)。

stmt.addBatch(insert1);
stmt.addBatch(insert2);
stmt.addBatch(insert3);

执行批处理

添加所需的语句后,您可以使用 Statement 接口的 executeBatch() 方法执行批处理。

stmt.executeBatch();

使用批处理更新,我们可以减少通信开销并提高 Java 应用程序的性能。

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

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

CREATE TABLE sales(
   Product_Name varchar(255),
   Name_Of_Customer varchar(255),
   Month_Of_Dispatch varchar(255),
   Price int,
   Location varchar(255)
);

下面的 JDBC 程序尝试使用批处理更新将一组语句插入到上述表中。

示例

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日

4K+ 次查看

启动您的 职业生涯

完成课程获得认证

开始
广告