7

我正在尝试使用 Spring 的JdbcTemplate类将一行插入一个名为的 MySQL 表中transaction并获取生成的 ID。相关代码为:

public Transaction insertTransaction(final Transaction tran) {

    // Will hold the ID of the row created by the insert
    KeyHolder keyHolder = new GeneratedKeyHolder();

    getJdbcTemplate().update(new PreparedStatementCreator() {
        public PreparedStatement createPreparedStatement(Connection connection) throws SQLException {

            PreparedStatement ps = connection.prepareStatement(INSERT_TRAN_SQL);
            ps.setString(1, tran.getTransactionType().toString());

            Date sqlDate = new Date(tran.getDate().getTime());
            ps.setDate(2, sqlDate);
            ps.setString(3, tran.getDescription());

            return ps;
        }
    }, keyHolder);

    tran.setId(keyHolder.getKey().longValue());
    return tran;
}

但是调用会引发以下异常getJdbcTemplate().update

java.sql.SQLException:未请求生成的密钥。您需要将 Statement.RETURN_GENERATED_KEYS 指定给 Statement.executeUpdate() 或 Connection.prepareStatement()。

我可以在不放弃的情况下插入行并获取生成的 IDJdbcTemplate吗?我正在使用 Spring 2.5、MySQL 5.5.27 和 MySQL 连接器 5.1.26。

4

3 回答 3

9

有一种更简单的方法来获得这种行为:

protected JdbcTemplate            jdbcTemplate;
private SimpleJdbcInsert          insert;

    this.jdbcTemplate = new JdbcTemplate(this.databaseSetup.getDataSource());
    this.insert = new SimpleJdbcInsert(this.jdbcTemplate).withTableName(this.tableName).usingGeneratedKeyColumns(this.pkColumn);

然后创建一个名为 parameters 的 Map,其中包含表中每个列名的值,并插入如下记录:

    final Map<String, Object> parameters = new HashMap<>();
    parameters.put("empName", employee.getName()); // store the String name of employee in the column empName
    parameters.put("dept", employee.getDepartment()); // store the int (as Integer) of the employee in the column dept
    final Number key = this.insert.executeAndReturnKey(parameters);
    final long pk = key.longValue();
于 2013-09-30T14:05:51.317 回答
8

只需准备您Statement的如下

PreparedStatement ps = connection.prepareStatement(
                           INSERT_TRAN_SQL, Statement.RETURN_GENERATED_KEYS);

底层的 JDBC 驱动程序(在JdbcTemplate这里通过 Spring 间接使用)需要一个提示,表明您想要检索生成的密钥。这可以在准备PreparedStatementas时完成

connection.prepareStatement(strSQL, Statement.RETURN_GENERATED_KEYS);

或者,在执行 a Statementas时

statement.executeUpdate(strSQL, Statement.RETURN_GENERATED_KEYS);

这也是你java.sql.SQLException所指的。

于 2013-09-30T14:05:23.897 回答
0

您可以像在步骤 1 中那样检索下一个序列号,然后它可以像在步骤 2 中那样在插入语句中传递:

1-

Integer nextSeq = (Integer) getJdbcTemplate().queryForObject(
        "select SEQ_CUSTOMER_ID.nextVal from dual", new Object[] {}, Integer.class);

2-

getJdbcTemplate().update(
        "INSERT INTO customer "
        + "(CUST_ID, NAME, UPDATED) VALUES (?, ?, ?)",
        new Object[] { nextSeq ,customer.getName(),
                customer.getUpdated() });
于 2014-09-03T05:19:50.263 回答