如何从JDBC批量插入中获得生成的键



我正在使用JDBC批处理插入插入许多记录。是否有任何方法可以获得每个记录的生成键?我可以使用ps.getGeneratedKeys()批量插入吗?

我使用oracle.jdbc.OracleDriver

final String insert = "Insert into Student(RollNumber, Name, Age) values(StudentSEQ.nextval, ? , ?)";
final int BATCH_SIZE = 998;
int count = 0;
Connection con = null;
PreparedStatement ps =  null;
try {
    con = getConnection();
    ps = con.prepareStatement(insert);
    for (Student s : students) {
        ps.setString(1, s.getName());
        ps.setInt(2, s.getAge());
        ps.addBatch();
        count++;
        if (count % BATCH_SIZE == 0) {
        // Insert records in batches
            ps.executeBatch();
        }
    }
    // Insert remaining records
    ps.executeBatch();
} finally {
    if(ps != null)
        ps.close();
    release(con);
}

我正在考虑在循环内使用ps.executeUpdate()ps.getGeneratedKeys()以获得所需的结果。还有其他解决方案吗?

JDBC 4.1规范第13.6节检索自动生成的值说:

getGeneratedKeys是否返回是由实现定义的调用executeBatch方法后生成的值。

所以你需要检查你的驱动是否真的支持批量更新。正如Philip O.的回答所指出的,Oracle 12 JDBC标准支持中记录的批处理更新不支持检索生成的键:

不能将自动生成的密钥与批量更新合并。

在任何情况下,如果你的驱动程序支持它,那么你的语句prepare应该更改为下面的代码,以指示驱动程序检索生成的密钥:

ps = con.prepareStatement(insert, Statement.RETURN_GENERATED_KEYS);

注意:您可能需要使用其他生成的密钥准备方法之一(prepareStatement(sql, columnIndexes)prepareStatement(sql, columnNames)),因为Oracle将返回ROW_ID与我的示例中的方法。

Oracle 12c似乎不支持将自动生成的键与批量更新相结合,根据以下页面:

http://docs.oracle.com/cd/E16655_01/java.121/e17657/jdbcvers.htm

请参阅"自动生成密钥的检索"一节中的"限制"小节

相关内容

  • 没有找到相关文章

最新更新