4

当我因违反唯一约束而出现 BatchUpdateException 时,是否有办法确定批量插入中的哪条记录违反了?例如,假设我正在通过调用 PreparedStatement.executeBatch() 执行批量插入,并且我捕获了 BatchUpdateException,它的原因是“ORA-00001:违反了唯一约束 (ABC.SYS_123)”。使用 Eclipse 进行调试时,我可以从这个异常中获得尽可能多的信息,但我想找出哪个实际插入导致违反唯一约束。有没有办法可以找到这些信息?

我的代码目前看起来(或多或少)是这样的:

public void batchInsert(final Collection<MyObject> objectCollection)
{
    try
    {
        if (connection == null)
        {
            connection = getJdbcTemplate().getDataSource().getConnection();
        }

        // get the last entity ID value so we can know where to begin
        Long entityId = getJdbcTemplate().queryForLong("SELECT MAX(" + MyObject.ID_COLUMN_NAME +
                                                       ") FROM " + MyObject.TABLE_NAME);
        entityId++;

        // get a date to use for the created and updated dates
        Date now = new Date(new java.util.Date().getTime());

        // set auto commit to false so we can batch save without committing each individual insert
        connection.setAutoCommit(false);

        // create the prepared statement
        String insertSql = "INSERT INTO " + MyObject.TABLE_NAME + " (" +
                           MyObject.ID_COLUMN_NAME + ", VALUE_1, VALUE_2) " +
                           "VALUES (?, ?, ?)";
        PreparedStatement preparedStatement = connection.prepareStatement(insertSql);

        // add a batch entry for each of the SurfaceMetObservations objects
        for (MyObject object : objectCollection)
        {
            preparedStatement.setLong(1, entityId);
            preparedStatement.setBigDecimal(2, object.getValue1());
            preparedStatement.setBigDecimal(3, object.getValue2());
            preparedStatement.addBatch();
            entityId++;
        }

        int updateCounts[] = preparedStatement.executeBatch();
        preparedStatement.close();
        if (confirmUpdateCounts(updateCounts))
        {
            connection.commit();
        }
        else
        {
            connection.rollback();
            throw new RuntimeException("One or more inserts failed to execute.");
        }
    }
    catch (SQLException ex)
    {
        throw new RuntimeException(ex);
    }
}

我正在使用 Spring 的 JdbcTemplate 和 Oracle 11G 数据库,以防万一。

提前感谢您的任何建议。

- 詹姆士

4

1 回答 1

3

来自BatchUpdateException的 Java API 文档:

在批处理更新中的命令无法正确执行并引发 BatchUpdateException 后,驱动程序可能会或可能不会继续处理批处理中剩余的命令。如果驱动程序在失败后继续处理,则 BatchUpdateException.getUpdateCounts 方法返回的数组将为批处理中的每个命令都有一个元素,而不仅仅是在错误之前成功执行的命令的元素。在驱动程序继续处理命令的情况下,任何失败的命令的数组元素都是 Statement.EXECUTE_FAILED。

现在,我不确定您正在使用的 Oracle JDBC 驱动程序的行为,但很明显,提到的任何一种技术都应该有效 - 如果调用 BatchUpdateException.getUpdateCounts 返回的数组中有 N 个元素,那么批处理中的 N 个元素已被处理。或者,如果返回的数组与批处理语句的数量相同,则所有值为 Statement.EXECUTE_FAILED 的数组元素将在批处理中执行失败。

于 2010-09-07T22:39:42.843 回答