一次工作中一个业务,要求分页查询数据,每页10条,使用MySQL+Mybatis组合,但是查出结果却出现有的页少于10条,但是直接执行SQL的确查出10条,这可真是奇了怪了,还好通过网上和讨论后确定了是Mybatis的分页逻辑的问题。
原因:Mybatis在查询一对多的数据时,如果多的那部分数据有完全相同的,那么就会覆盖之前的数据,如:一个老师会对应多个学生,如果有2个老师:老师A,老师B,3个学生:学生A,学生B,学生B,其中两个学生B是因为重名了,但每个老师和学生都有唯一的编号。外连接查询会有6条数据,但如果只返回学生姓名,那么返回的数据会少于6条,因为第二个学生B会覆盖第一个学生B的数据。
有问题的代码:
<resultMap id="query1" type="教师">
<result column="t_name" property="tName" javaType="" jdbcType="VARCHAR"/>
<result column="t_id" property="tId" javaType="" jdbcType="VARCHAR"/>
<collection property="students" ofType="学生">
<result column="s_name" property="sName" javaType="" jdbcType="VARCHAR"/>
</collection>
</resultMap>
- 1
- 2
- 3
- 4
- 5
- 6
- 7
解决方法1:一对多中多的那部分的字段综合起来需要做到唯一,如刚才的学生,只返回学生名不行,需要多加一个字段保证唯一性,加上学生编号字段。
伪代码:
<resultMap id="query1" type="教师">
<result column="t_name" property="tName" javaType="" jdbcType="VARCHAR"/>
<result column="t_id" property="tId" javaType="" jdbcType="VARCHAR"/>
<collection property="students" ofType="学生">
<result column="s_name" property="sName" javaType="" jdbcType="VARCHAR"/>
<result column="s_id" property="sId" javaType="" jdbcType="VARCHAR"/>
</collection>
</resultMap>
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
解决方法2:指定collection中的数据为单独查询出来的,这个是Mybatis的子查询匹配(个人理解)
<resultMap id="query1" type="教师">
<result column="t_name" property="tName" javaType="" jdbcType="VARCHAR"/>
<result column="t_id" property="tId" javaType="" jdbcType="VARCHAR"/>
<collection property="students" ofType="学生" select="query2"/>
</resultMap>
<select id="query2" parameterType="" resultType="xxx">
SELECT s_name AS sName
FROM student
</select>
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
这里的query2只查询出了学生的名字,但也不会导致数据行数变少。