MySQL & Java - 获取最后插入值的 ID (JDBC)

2022-08-31 10:11:34

可能的重复:
如何在JDBC中获取插入ID?

嗨,我正在使用JDBC通过Java连接数据库。

现在,我做一些插入查询,我需要获取上次插入值的id(所以,在a之后)。stmt.executeUpdate

我不需要类似的东西,因为我可能有并发问题。SELECT id FROM table ORDER BY id DESC LIMIT 1

我只需要检索与上次插入关联的ID(关于我的语句实例)。

我试过这个,但似乎它不适用于JDBC:

public Integer insertQueryGetId(String query) {
    Integer numero=0;
    Integer risultato=-1;
    try {
        Statement stmt = db.createStatement();
        numero = stmt.executeUpdate(query);

        ResultSet rs = stmt.getGeneratedKeys();
        if (rs.next()){
            risultato=rs.getInt(1);
        }
        rs.close();

        stmt.close();
    } catch (Exception e) {
        e.printStackTrace();
        errore = e.getMessage();
        risultato=-1;
    }
  return risultato;
}

其实,每次,我都会得到risultato = -1java.sql.SQLException: Generated keys not requested. You need to specify Statement.RETURN_GENERATED_KEYS to Statement.executeUpdate() or Connection.prepareStatement().

如何解决此问题?感谢Stackoverflow People :)


答案 1

难道你不会改变:

numero = stmt.executeUpdate(query);

自:

numero = stmt.executeUpdate(query, Statement.RETURN_GENERATED_KEYS);

请查看 JDBC 语句接口的文档。

更新:显然,这个答案有很多困惑,但我的猜测是,困惑的人并没有在所问问题的上下文中阅读它。如果您采用OP在他的问题中提供的代码并替换我建议的单行(第6行),一切都会起作用。变量是完全不相关的,其值在设置后永远不会被读取。numero


答案 2

或者,您可以执行以下操作:

Statement stmt = db.prepareStatement(query, Statement.RETURN_GENERATED_KEYS);
numero = stmt.executeUpdate();

ResultSet rs = stmt.getGeneratedKeys();
if (rs.next()){
    risultato=rs.getString(1);
}

但是,对于您的场景,请使用肖恩·布莱特(Sean Bright)的答案。


推荐