JdbcTemplate queryForInt/Long 在 Spring 3.2.2 中已弃用。它应该被什么取代?

2022-08-31 09:51:23

JdbcTemplate 中的 queryforInt/queryforLong 方法在 Spring 3.2 中已弃用。我无法找出为什么或什么被认为是使用这些方法替换现有代码的最佳实践。

典型方法:

int rowCount = jscoreJdbcTemplate.queryForInt(
    "SELECT count(*) FROM _player WHERE nameKey = ? AND teamClub = ?",
    playerNameKey.toUpperCase(),
    teamNameKey.toUpperCase()
);

好的,上述方法需要重写如下:

Object[] params = new Object[] { 
   playerNameKey.toUpperCase(), 
   teamNameKey.toUpperCase()
};
int rowCount = jscoreJdbcTemplate.queryForObject(
    "SELECT count(*) FROM _player WHERE nameKey = ? AND teamClub = ?",
    params, Integer.class);

显然,这种弃用使JdbcTemplate类更简单(或者它确实如此?)。QueryForInt一直是一种方便的方法(我猜),并且已经存在了很长时间。为什么它被删除了。因此,代码变得更加复杂。


答案 1

我认为有人意识到queryForInt/Long方法具有令人困惑的语义,也就是说,从JdbcTemplate源代码中,您可以看到其当前实现:

@Deprecated
public int queryForInt(String sql, Object... args) throws DataAccessException {
    Number number = queryForObject(sql, args, Integer.class);
    return (number != null ? number.intValue() : 0);
}

这可能会导致您认为如果结果集为空,它将返回0,但是它会引发异常:

org.springframework.dao.EmptyResultDataAccessException: Incorrect result size: expected 1, actual 0

因此,以下实现基本上等效于当前实现:

@Deprecated
public int queryForInt(String sql, Object... args) throws DataAccessException {
    return queryForObject(sql, args, Integer.class);
}

然后,现在必须将未弃用的代码替换为丑陋的代码:

    queryForObject(sql, new Object { arg1, arg2, ...}, Integer.class);

或者这个(更好):

    queryForObject(sql, Integer.class, arg1, arg2, ...);

答案 2

我同意原来的海报,即弃用方便方法queryForLong(sql)是一种不便。

我使用Spring 3.1开发了一个应用程序,并且刚刚更新到最新的Spring版本(3.2.3),并注意到它已被弃用。

幸运的是,这对我来说是一行变化:

return jdbcTemplate.queryForLong(sql);  // deprecated in Spring 3.2.x

更改为

return jdbcTemplate.queryForObject(sql, Long.class);

一些单元测试似乎表明,上述更改是有效的。


推荐