编写示例JDBC程序,演示使用PreparedStatement对象进行批处理吗?
将相关的SQL语句分组为一个批处理并立即执行/提交它们称为批处理。Statement接口提供方法来执行批处理如addBatch(),executeBatch(),clearBatch()。
请按照下面给出的步骤使用PreparedStatement对象执行批更新:
使用DriverManager类的registerDriver()方法注册驱动程序类。将驱动程序类名称作为参数传递给它。
使用DriverManager类的getConnection()方法连接到数据库。将URL(字符串),用户名(字符串),密码(字符串)作为参数传递给它。
使用Connection接口的setAutoCommit()方法将auto-commit设置为false。
使用Connection接口的prepareStatement()方法创建PreparedStatement对象。向其中传递查询(插入),并在其中插入占位符(?)。
使用PreparedStatement接口的setter方法将值设置为上述创建的语句中的占位符。
使用Statement接口的addBatch()方法将所需的语句添加到批处理中。
使用executeBatch()方法执行批处理。语句接口的。
使用Statement接口的commit()方法提交所做的更改。
例:
假设我们创建了一个名为Dispatches的表,其描述为
+-------------------+--------------+------+-----+---------+-------+ | 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.PreparedStatement;
public class BatchProcessing_PreparedStatement {
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......");
//设置自动提交false-
con.setAutoCommit(false);
//创建一个PreparedStatement对象
PreparedStatement pstmt = con.prepareStatement("INSERT INTO Dispatches VALUES (?, ?, ?, ?, ?)");
pstmt.setString(1, "Keyboard");
pstmt.setString(2, "Amith");
pstmt.setString(3, "January");
pstmt.setInt(4, 1000);
pstmt.setString(5, "Hyderabad");
pstmt.addBatch();
pstmt.setString(1, "Earphones");
pstmt.setString(2, "Sumith");
pstmt.setString(3, "March");
pstmt.setInt(4, 500);
pstmt.setString(5,"Vishakhapatnam");
pstmt.addBatch();
pstmt.setString(1, "Mouse");
pstmt.setString(2, "Sudha");
pstmt.setString(3, "September");
pstmt.setInt(4, 200);
pstmt.setString(5, "Vijayawada");
pstmt.addBatch();
//执行批处理
pstmt.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 | +--------------+------------------+-------------------+-------+----------------+