关于 Spring JdbcTemplate 的一些总结

# 关于 Spring JdbcTemplate 的一些总结

## 一个小问题的思考

### 起因

当前项目中一直使用的都是 `SpringData JPA` ,即 `public interface UserRepository extends JpaRepository<User, Serializable>` 这种用法;

考虑到 `SpringData JPA` 确实有一定的局限性,在部分查询中使用到了 `JdbcTemplate` 进行复杂查询操作;

由于本人16年也曾使用过 `JdbcTemplate`,古语温故而知新,所以做此总结梳理。

首先列出同事的做法:

```java

public class xxx{

    xxx method(){

        ...

        List<WishDTO> list = jdbcTemplate.query(sql, new WishDTO());

        ...

    }

}

@Data

public class WishDTO implements RowMapper<WishDTO>, Serializable {

    String xxx;

    Long xxx;

    Date xxx;

    BigDecimal xxx;

    @Override

    public WishDTO mapRow(ResultSet rs, int rowNum) {

        WishDTO dto = new WishDTO();

        Field[] fields = dto.getClass().getDeclaredFields();

        for (Field field : fields) {

            try {

                field.setAccessible(true);

                field.set(dto, rs.getObject(field.getName()));

            } catch (Exception e) {

                e.printStackTrace();

            }

        }

        return dto;

    }

}

```

### 个人愚见

个人感觉让 WishDTO 再实现实现一遍 RowMapper 有点麻烦,毕竟 WishDTO 实体类的所有字段都是需要赋值的,并没有定制化需求。

所以想着有没有更好地写法,然后就翻了一下 jdbcTemplate 的方法,找到了一个`自认为`满足自己这个需求的方法:

> public <T> List<T> queryForList(String sql, Class<T> elementType)

即 将代码改为:

```java

public class xxx{

    xxx method(){

        ...

        List<WishDTO> list = jdbcTemplate.queryForList(sql, WishDTO.class);

        ...

    }

}

@Data

public class WishDTO implements Serializable {

    String xxx;

    Long xxx;

    Date xxx;

    BigDecimal xxx;

}

```

一切看起来都很完美,但执行却报错了:**Incorrect column count: expected 1, actual 13**

### 思考

经过一番对源码进行debug,结合网上的一些资料,大概知道了是什么原因了,分析如下;

```java

    public <T> List<T> queryForList(String sql, Class<T> elementType) throws DataAccessException {

        return query(sql, getSingleColumnRowMapper(elementType));

    }

```

其本质是还是调用`public <T> List<T> query(String sql, RowMapper<T> rowMapper) `,只是将 `Class<T> elementType` 封装成一个 `RowMapper` 实现实例;

```java

    protected <T> RowMapper<T> getSingleColumnRowMapper(Class<T> requiredType) {

        return new SingleColumnRowMapper<>(requiredType);

    }

```

现在我们可以看一下 SingleColumnRowMapper 类的描述:

```

/**

* {@link RowMapper} implementation that converts a single column into a single

* result value per row. Expects to operate on a {@code java.sql.ResultSet}

* that just contains a single column.

*

* <p>The type of the result value for each row can be specified. The value

* for the single column will be extracted from the {@code ResultSet}

* and converted into the specified target type.

*/

```

其实从类名也可以看出,这是一个 RowMapper 的 简单实现,且仅能接收一个字段的数据,如 String.class 和 Integer.class 等基础类型;

网上的参考资料:https://blog.csdn.net/qq_40147863/article/details/86035595

### 解决方案

使用 BeanPropertyRowMapper 进行封装 ;

即 将代码改为:

```java

public class xxx{

    xxx method(){

        ...

        List<WishDTO> list = jdbcTemplate.query(sql, new BeanPropertyRowMapper<WishDTO>(WishDTO.class));

        ...

    }

}

@Data

public class WishDTO implements Serializable {

    String xxx;

    Long xxx;

    Date xxx;

    BigDecimal xxx;

}

```

接下来看一下 `BeanPropertyRowMapper` 的类描述:

```

/**

* {@link RowMapper} implementation that converts a row into a new instance

* of the specified mapped target class. The mapped target class must be a

* top-level class and it must have a default or no-arg constructor.

*

* <p>Column values are mapped based on matching the column name as obtained from result set

* meta-data to public setters for the corresponding properties. The names are matched either

* directly or by transforming a name separating the parts with underscores to the same name

* using "camel" case.

*

* <p>Mapping is provided for fields in the target class for many common types, e.g.:

* String, boolean, Boolean, byte, Byte, short, Short, int, Integer, long, Long,

* float, Float, double, Double, BigDecimal, {@code java.util.Date}, etc.

*

* <p>To facilitate mapping between columns and fields that don't have matching names,

* try using column aliases in the SQL statement like "select fname as first_name from customer".

*

* <p>For 'null' values read from the database, we will attempt to call the setter, but in the case of

* Java primitives, this causes a TypeMismatchException. This class can be configured (using the

* primitivesDefaultedForNullValue property) to trap this exception and use the primitives default value.

* Be aware that if you use the values from the generated bean to update the database the primitive value

* will have been set to the primitive's default value instead of null.

*

* <p>Please note that this class is designed to provide convenience rather than high performance.

* For best performance, consider using a custom {@link RowMapper} implementation.

*/

```

其作用就是讲一个Bean class 转化成相对应的 Bean RowMapper 实现类。

## JdbcTemplate

https://docs.spring.io/spring/docs/5.1.8.RELEASE/spring-framework-reference/data-access.html#jdbc-JdbcTemplate

### Query

```java

int rowCount = this.jdbcTemplate.queryForObject("select count(*) from t_actor", Integer.class);

int countOfActorsNamedJoe = this.jdbcTemplate.queryForObject("select count(*) from t_actor where first_name = ?", Integer.class, "Joe");

String lastName = this.jdbcTemplate.queryForObject("select last_name from t_actor where id = ?", new Object[]{1212L}, String.class);

Actor actor = this.jdbcTemplate.queryForObject(

        "select first_name, last_name from t_actor where id = ?",

        new Object[]{1212L},

        new RowMapper<Actor>() {

            public Actor mapRow(ResultSet rs, int rowNum) throws SQLException {

                Actor actor = new Actor();

                actor.setFirstName(rs.getString("first_name"));

                actor.setLastName(rs.getString("last_name"));

                return actor;

            }

        });

List<Actor> actors = this.jdbcTemplate.query(

        "select first_name, last_name from t_actor",

        new RowMapper<Actor>() {

            public Actor mapRow(ResultSet rs, int rowNum) throws SQLException {

                Actor actor = new Actor();

                actor.setFirstName(rs.getString("first_name"));

                actor.setLastName(rs.getString("last_name"));

                return actor;

            }

        });

---

public List<Actor> findAllActors() {

    return this.jdbcTemplate.query( "select first_name, last_name from t_actor", new ActorMapper());

}

private static final class ActorMapper implements RowMapper<Actor> {

    public Actor mapRow(ResultSet rs, int rowNum) throws SQLException {

        Actor actor = new Actor();

        actor.setFirstName(rs.getString("first_name"));

        actor.setLastName(rs.getString("last_name"));

        return actor;

    }

}

```

### Updating (INSERT, UPDATE, and DELETE)

```java

this.jdbcTemplate.update(

        "insert into t_actor (first_name, last_name) values (?, ?)",

        "Leonor", "Watling");

this.jdbcTemplate.update(

        "update t_actor set last_name = ? where id = ?",

        "Banjo", 5276L);

this.jdbcTemplate.update(

        "delete from actor where id = ?",

        Long.valueOf(actorId));

```

### Other

```java

this.jdbcTemplate.execute("create table mytable (id integer, name varchar(100))");

```

## NamedParameterJdbcTemplate

https://docs.spring.io/spring/docs/5.1.8.RELEASE/spring-framework-reference/data-access.html#jdbc-NamedParameterJdbcTemplate

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 216,651评论 6 501
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 92,468评论 3 392
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 162,931评论 0 353
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 58,218评论 1 292
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 67,234评论 6 388
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 51,198评论 1 299
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 40,084评论 3 418
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,926评论 0 274
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 45,341评论 1 311
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 37,563评论 2 333
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,731评论 1 348
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 35,430评论 5 343
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 41,036评论 3 326
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,676评论 0 22
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,829评论 1 269
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 47,743评论 2 368
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 44,629评论 2 354

推荐阅读更多精彩内容