我遇到了一些麻烦。
我正在尝试列出一些有关在executeUpdate()期间失败的查询的数据,并且我已经读过可以捕获BatchUpdateException然后获取updateCount,它告诉您哪些查询有效,哪些查询无效,但查询时因为数据转换错误而失败,它会启动SQLException并且无法捕获整个批处理执行错误。
用于提取查询的数据是从XML中获取的,无需任何验证。
以下是代码:
try {
pSt_insertCabecera.executeBatch();
}
catch (BatchUpdateException buex){
int[] updateCounts = buex.getUpdateCounts();
for (int i = 0; i < updateCounts.length; i++) {
if (updateCounts[i] == Statement.EXECUTE_FAILED) {
logger.error(nombreClase + "[ESB_P]: Ha fallado la inserción de la cabecera de pedidos: " + cabecerasAInsertar.get(i).toString());
throw new SQLException();
}
}
}
除了if之外还抛出了SQLException,因为稍后我会捕获它以执行回滚。
StackTrace看起来像这样:
com.microsoft.sqlserver.jdbc.SQLServerException: Error al convertir una cadena de caracteres en fecha y/u hora.
at com.microsoft.sqlserver.jdbc.SQLServerException.makeFromDatabaseError(Unknown Source)
at com.microsoft.sqlserver.jdbc.SQLServerStatement.getNextResult(Unknown Source)
at com.microsoft.sqlserver.jdbc.SQLServerPreparedStatement.doExecutePreparedStatementBatch(Unknown Source)
at com.microsoft.sqlserver.jdbc.SQLServerPreparedStatement$PrepStmtBatchExecCmd.doExecute(Unknown Source)
at com.microsoft.sqlserver.jdbc.TDSCommand.execute(Unknown Source)
at com.microsoft.sqlserver.jdbc.SQLServerConnection.executeCommand(Unknown Source)
at com.microsoft.sqlserver.jdbc.SQLServerStatement.executeCommand(Unknown Source)
at com.microsoft.sqlserver.jdbc.SQLServerStatement.executeStatement(Unknown Source)
at com.microsoft.sqlserver.jdbc.SQLServerPreparedStatement.executeBatch(Unknown Source)
我正在使用SQLServer 2012。
如果您需要更多代码或信息,请询问。
非常感谢大家。
答案 0 :(得分:3)
我能够重新创建你的问题。对于名为[Clients]的表,其中datetime
列名为[DOB],代码为
String[] datesToApply = new String[]
{
"1978-12-31",
"junk",
"1981-11-11"
};
String sql =
"UPDATE Clients SET DOB=? WHERE ID=1";
try (PreparedStatement ps = conn.prepareStatement(sql)) {
for (String dt : datesToApply) {
ps.setString(1, dt);
ps.addBatch();
}
int[] updateCounts = null;
try {
updateCounts = ps.executeBatch();
} catch (BatchUpdateException bue) {
System.out.println("executeBatch threw BatchUpdateException: " + bue.getMessage());
updateCounts = bue.getUpdateCounts();
} catch (SQLException se) {
System.out.println("executeBatch threw SQLException: " + se.getMessage());
}
if (updateCounts != null) {
for (int uc : updateCounts) {
System.out.println(uc);
}
}
if (!conn.getAutoCommit()) {
conn.commit();
}
如果AutoCommit处于关闭状态,则会抛出SQLException
,但如果启用了AutoCommit,则会抛出BatchUpdateException
。检查.getUpdateCounts()
返回的数组向我们显示了第一次发生故障的批处理中的点
executeBatch threw BatchUpdateException: Conversion failed when converting date and/or time from character string.
1
-3
-3
但它也表明SQL Server&#34;放弃了#34;第一次失败后。似乎没有选择告诉SQL Server继续处理批处理的其余部分(例如MySQL Connector / J的continueBatchOnError
)。
此外,由于AutoCommit是&#34; on&#34;已经提交了对该点的更新,因此无法回滚这些更改 en masse 。如果您希望批次为“全部或全部”&#34;您必须编写一些代码来返回并反转在第一次失败之前成功应用的更改。
(当然,另一个选择是在尝试将数据放入数据库之前验证数据。)