我正在尝试在我的数据库中执行很多插入命令。
try{
int Records[];
Statement title = write.getConnection().createStatement();
Title titleFilter = application.Title.getTitle();
ResultSet rs = titleFilter.getTitleData();
while(rs.next()){;
String add = ("INSERT INTO title VALUES ("
+ "'" + rs.getInt(1) + "'"+","
+ "'" +rs.getString(2)+ "'" +","
+ "'" +rs.getString(3) + "'"+","
+ "'" +rs.getInt(4)+ "'" +","
+ "'" +rs.getInt(5)+ "'" +","
+ "'" +rs.getInt(6) + "'"+","
+ "'" +rs.getString(7)+ "'" +","
+ "'" +rs.getInt(8) + "'"+","
+"'" + rs.getInt(9)+ "'" +","
+ "'" +rs.getInt(10)+ "'" +","
+ "'" +rs.getString(11)+ "'" +","
+"'" + rs.getString(12) + "'"+")"
);
title.addBatch(add);
System.out.println(add);
title.executeBatch();
}我知道在添加表达式之后立即执行批处理有点愚蠢。我改变了它以发现我的错误。
每次我尝试运行这个程序时,这个代码部分只插入六个表达式。我改变了很多东西来发现我的错误,但我想我永远也找不到。此外,我得到了这个异常
org.postgresql.util.PSQLException: ERROR: syntax error at or near ")"
Position: 48
at org.postgresql.core.v3.QueryExecutorImpl.receiveErrorResponse(QueryExecutorImpl.java:2310)
at org.postgresql.core.v3.QueryExecutorImpl.processResults(QueryExecutorImpl.java:2023)
at org.postgresql.core.v3.QueryExecutorImpl.execute(QueryExecutorImpl.java:217)
at org.postgresql.jdbc.PgStatement.execute(PgStatement.java:421)
at org.postgresql.jdbc.PgStatement.executeWithFlags(PgStatement.java:318)....发布于 2018-06-06 17:56:15
首先,您应该使用PreparedStatement;这将帮助您避免语法错误(在连接String的时候很难看出)。第二,您正在执行批处理每个循环,这违背了使用批处理的目的。
下面是一个使用PreparedStatement的示例
String sql = "INSERT INTO title VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)";
try (PreparedStatement title = write.getConnection().prepareStatement(sql);
ResultSet rs = titleFilter.getTitleData()) {
while (rs.next()) {
title.setInt(1, rs.getInt(1));
title.setString(2, rs.getString(2));
// ... do this for all the parameters ...
title.addBatch(); // add to batch and move to next loop (if rs.next() returns true)
}
title.executeBatch(); // executed after loop
} catch (SQLException ex) {
ex.printStackTrace(); // or do what you need to when an error occurs
}此示例还使用试着用资源。
编辑:
正如Ivan在注释中提到的那样,最好在每个X记录之后执行批处理。我将把这段代码留作“读者练习”。
https://stackoverflow.com/questions/50726180
复制相似问题