mybatis 一对多查询

时间:2022-06-14 09:35:53

在mybatis 中一对多查询,我遇到两种情况:
1、使用两表 join,返回包含一对多的 list 的对象 。
2、2次sql,使用 IN (id)。(大表查询会很影响效率,查询时间会很长,所以有的公司禁止大表join)

example:

public class Student {
private Integer id;
private String name;
private Integer age;

public Integer getId() {
return id;
}

public void setId(Integer id) {
this.id = id;
}

public String getName() {
return name;
}

public void setName(String name) {
this.name = name;
}

public Integer getAge() {
return age;
}

public void setAge(Integer age) {
this.age = age;
}
}

public class Course {
private Integer id;
private Integer stuId;
private String name;
private Integer score;

public Integer getId() {
return id;
}

public void setId(Integer id) {
this.id = id;
}

public Integer getStuId() {
return stuId;
}

public void setStuId(Integer stuId) {
this.stuId = stuId;
}

public String getName() {
return name;
}

public void setName(String name) {
this.name = name;
}

public Integer getScore() {
return score;
}

public void setScore(Integer score) {
this.score = score;
}
}

public class Info extends Student {
private List<Course> courses;

public List<Course> getCourses() {
return courses;
}

public void setCourses(List<Course> courses) {
this.courses = courses;
}
}

一个 student 会有多个course,要想查询一个班级所有同学的课程呢?

这是明显的一对多的类型。

使用 collection 我这边就不仔细说了,就是将course作为集合放到 Info 类里,
ofType 是对应的course 类型。
我们在 mapper 中需要注意的是 :

 <resultMap id="BaseResultMap" type="biz.bean.Student">
<id column="id" property="id" jdbcType="INTEGER"/>
<result column="name" property="name" jdbcType="VARCHAR"/>
<result column="age" property="age" jdbcType="INTEGER"/>
</resultMap>

<resultMap id="InfoMap" type="biz.bean.Info" extends="BaseResultMap">
<collection property="courses" ofType="biz.bean.Course">
**<id column="cid" property="id" jdbcType="INTEGER"/>**
<result column="stu_id" property="stuId" jdbcType="INTEGER"/>
<result column="name" property="name" jdbcType="VARCHAR"/>
<result column="score" property="score" jdbcType="INTEGER"/>
</collection>
</resultMap>

sql:

    <select id="selectStudentInfos" resultMap="InfoMap">
SELECT s.id,s.name,s.age,c.cid,c.stu_id,c.name,c.score
FROM stu s JOIN course c on c.stu_id=s.id
</select>

<select id="selectStudentInfos" resultMap="InfoMap">
select * from course where stu_id IN
<foreach collection="list" item="item" index="index" separator="," open="(" close=")">
#{item}
</foreach>
</select>

至此,谨记,共勉。