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

时间:2010-11-22 14:49:43

标签: java mysql jdbc

  

可能重复:
  How to get the insert ID in JDBC?

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

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

我不需要像SELECT id FROM table ORDER BY id DESC LIMIT 1这样的东西,因为我可能会遇到并发问题。

我只需要检索与上次插入相关的id(关于我的Statement实例)。

我试过这个,但似乎它不适用于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 = -1,我都会java.sql.SQLException: Generated keys not requested. You need to specify Statement.RETURN_GENERATED_KEYS to Statement.executeUpdate() or Connection.prepareStatement().

如何解决此问题?谢谢Stackoverflow人员:))

2 个答案:

答案 0 :(得分:164)

你不会改变:

numero = stmt.executeUpdate(query);

为:

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

查看JDBC Statement接口的文档。

更新:显然这个答案存在很多混淆,但我的猜测是,那些感到困惑的人并没有在被问到的问题的背景下阅读它。如果您使用OP提供的代码并替换我建议的单行(第6行),一切都会有效。 numero变量完全不相关,并且在设置后永远不会读取它。

答案 1 :(得分:127)

或者你可以这样做:

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

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

但是请使用Sean Bright的答案代替您的情景。