Mybatis——映射(六)

前言

映射主要是指定输入输出类型,类型可以是

  • 简单类型
  • hashmap
  • pojo的包装类型

输入映射

主要介绍pojo包装对象

查询条件可能是综合的查询条件,不仅包括用户查询条件还包括其它的查询条件(比如查询用户信息的时候,将用户购买商品信息也作为查询条件),这时可以使用包装对象传递输入参数。

包装类型pojo

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
package com.iot.mybatis.po;

/**
* Created by Brian on 2016/2/24.
*/
public class QueryVo {

//在这里包装所需要的查询条件

//用户查询条件
private User user;

public User getUser() {
return user;
}
public void setUser(User user) {
this.user = user;
}

//可以包装其它的查询条件,订单、商品
//....

}

sql语句

1
2
3
4
<select id="queryUserByQueryVo" parameterType="QueryVo"
resultType="com.wisedu.mybatis.pojo.User">
SELECT * FROM `user` WHERE username LIKE "%"#{user.username}"%" <!-- user对象被封装在QueryVo中 -->
</select>

mapper接口

public List queryUserByQueryVo(QueryVo vo);

输出映射

输出映射有两种方式:

  • resultType
  • resultMap

resultType

输出pojo对象和pojo列表:

不管是输出的pojo单个对象还是一个列表(list中包括pojo),在mapper.xml中resultType指定的类型是一样的。

在mapper.java指定的方法返回值类型不一样:

输出单个pojo对象,方法返回值是单个对象类型

1
2
//根据id查询用户信息
public User findUserById(int id) throws Exception;12

输出pojo对象list,方法返回值是List

1
2
//根据用户名列查询用户列表
public List<User> findUserByName(String name) throws Exception;

resultMap

如果查询出来的列名和pojo的属性名不一致,通过定义一个resultMap对列名和pojo属性名之间作一个映射关系。

  1. 定义reusltMap
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
<!-- 定义resultMap
将SELECT id id_,username username_ FROM USER 和User类中的属性作一个映射关系

type:resultMap最终映射的java对象类型,可以使用别名
id:对resultMap的唯一标识
-->
<resultMap type="user" id="userResultMap">
<!-- id表示查询结果集中唯一标识
column:查询出来的列名
property:type指定的pojo类型中的属性名
最终resultMap对column和property作一个映射关系 (对应关系)
-->
<id column="id_" property="id"/>
<!--
result:对普通名映射定义
column:查询出来的列名
property:type指定的pojo类型中的属性名
最终resultMap对column和property作一个映射关系 (对应关系)
-->
<result column="username_" property="username"/>

</resultMap>
  1. 使用resultMap作为statement的输出映射类型
1
2
3
4
5
6
<!-- 使用resultMap进行输出映射
resultMap:指定定义的resultMap的id,如果这个resultMap在其它的mapper文件,前边需要加namespace
-->
<select id="findUserByIdResultMap" parameterType="int" resultMap="userResultMap">
SELECT id id_,username username_ FROM USER WHERE id=#{value}
</select>

使用resultType进行输出映射,只有查询出来的列名和pojo中的属性名一致,该列才可以映射成功。

如果查询出来的列名和pojo的属性名不一致,通过定义一个resultMap对列名和pojo属性名之间作一个映射关系。

resultMap可以实现懒加载。

文章目录
  1. 1. 前言
  2. 2. 输入映射
    1. 2.1. 包装类型pojo
    2. 2.2. sql语句
    3. 2.3. mapper接口
  3. 3. 输出映射
    1. 3.1. resultType
    2. 3.2. resultMap
|