5、ResultMap

2020-02-09  本文已影响0人  徒手說梦话

要解决的问题:属性名和字段名不一致

  1. 查看之前的数据库的字段名
image-20200201105344927.png
  1. Java中的实体类设计

    public class User {
    
        private int id;  //id
        private String name;   //姓名
        private String password;   //密码和数据库不一样!
        
        //构造
        //set/get
        //toString()
    }
    
  2. 接口

    //根据id查询用户
    User selectUserById(int id);
    
  3. mapper映射文件

    <select id="selectUserById" resultType="user">
        select * from user where id = #{id}
    </select>
    
  4. 测试

    @Test
    public void testSelectUserById() {
        SqlSession session = MybatisUtils.getSession();  //获取SqlSession连接
        UserMapper mapper = session.getMapper(UserMapper.class);
        User user = mapper.selectUserById(1);
        System.out.println(user);
        session.close();
    }
    

结果:

分析:

解决方案

方案一:为列名指定别名 , 别名和java实体类的属性名一致 .

<select id="selectUserById" resultType="User">
    select id , name , pwd as password from user where id = #{id}
</select>

方案二:使用结果集映射->ResultMap 【推荐】

<resultMap id="UserMap" type="User">
    <!-- id为主键 -->
    <id column="id" property="id"/>
    <!-- column是数据库表的列名 , property是对应实体类的属性名 -->
    <result column="name" property="name"/>
    <result column="pwd" property="password"/>
</resultMap>

<!-- 通俗一点就是resultMap="UserMap"调用id="UserMap"的方法 -->
<select id="selectUserById" resultMap="UserMap">
    select id , name , pwd from user where id = #{id}
</select>

注意点

自动映射

你已经见过简单映射语句的示例了,但并没有显式指定 resultMap。比如:

<select id="selectUserById" resultType="map">
    select id , name , pwd 
    from user 
    where id = #{id}
</select>

上述语句只是简单地将所有的列映射到 HashMap 的键上,通过key,value添加值,这由 resultType 属性指定。虽然在大部分情况下都够用,但是 HashMap 不是一个很好的模型。你的程序更可能会使用 JavaBean 或 POJO(Plain Old Java Objects,普通老式 Java 对象)作为模型。

ResultMap 最优秀的地方在于,虽然你已经对它相当了解了,但是根本就不需要显式地用到他们。

手动映射

  1. 返回值类型为resultMap

    <select id="selectUserById" resultMap="UserMap">
    select id , name , pwd from user where id = #{id}
    </select>
    
  2. 编写resultMap,实现手动映射!

    <resultMap id="UserMap" type="User">
    <!-- id为主键 -->
    <id column="id" property="id"/>
    <!-- column是数据库表的列名 , property是对应实体类的属性名 -->
    <result column="name" property="name"/>
    <result column="pwd" property="password"/>
    </resultMap>
    

如果世界总是这么简单就好了。

上一篇下一篇

猜你喜欢

热点阅读