MyBatis 查詢資料時屬性中多對一的問題(多條資料對應一條資料)

jiawei3998發表於2021-01-18

資料準備

資料表

CREATE TABLE `teacher`(
  id INT(10) NOT NULL,
  `name` VARCHAR(30) DEFAULT NULL,
  PRIMARY KEY (id)
) ENGINE=INNODB DEFAULT CHARSET=utf8;


INSERT INTO `teacher`(id,`name`) VALUES(1,'大師');

CREATE TABLE `student`(
  id INT(10) NOT NULL,
  `name` VARCHAR(30) DEFAULT NULL,
  `tid` INT(10) DEFAULT NULL,
  PRIMARY KEY(id),
  KEY `fktid` (`tid`),
  CONSTRAINT `fktid` FOREIGN KEY (`tid`) REFERENCES `teacher` (`id`)
) ENGINE=INNODB DEFAULT CHARSET=utf8;

INSERT INTO student(`id`,`name`,`tid`) VALUES(1,'小明',1);
INSERT INTO student(`id`,`name`,`tid`) VALUES(2,'小紅',1);
INSERT INTO student(`id`,`name`,`tid`) VALUES(3,'小張',1);
INSERT INTO student(`id`,`name`,`tid`) VALUES(4,'小李',1);
INSERT INTO student(`id`,`name`,`tid`) VALUES(5,'小王',1);

Teacher 類

public class Teacher {
    private int id;
    private String name;
}

Student 類

public class Student {
    private int id;
    private String name;

    private Teacher teacher;
}

查詢介面

public interface StudentMapper {
    // 查詢巢狀處理 - 子查詢
    List<Student> getStudentList();

    // 結果巢狀處理
    List<Student> getStudentResult();
}


查詢巢狀處理(子查詢)

思路:先查詢出所有學生的資料,再根據學生中關聯老師的欄位 tid 用一個子查詢去查詢老師的資料

  • association:處理物件
    • property:實體類中屬性欄位
    • column:查詢結果中需要傳遞給子查詢的欄位
    • javaType:指定屬性的型別
    • select:子查詢SQL
<mapper namespace="com.pro.dao.StudentMapper">
    <!--
    按照查詢巢狀處理
        1. 先查詢所有學生資訊
        2. 根據查詢出來學生的tid, 接一個子查詢去查老師
    -->
    <resultMap id="StudentTeacher" type="com.pro.pojo.Student">
        <result property="id" column="id"/>
        <result property="name" column="name"/>
        <!--複雜屬性需要單獨處理, 物件: association, 集合: collection -->
        <association property="teacher" column="tid" javaType="com.pro.pojo.Teacher" select="getTeacher"/>
    </resultMap>

    <select id="getStudentList" resultMap="StudentTeacher">
        select * from student
    </select>

    <select id="getTeacher" resultType="com.pro.pojo.Teacher">
        select * from teacher where id = #{id}
    </select>
</mapper>


結果巢狀處理

思路:先把所有的資訊一次性查詢處理, 然後配置欄位對應的實體類, 使用 association 配置

  • association:處理物件
    • property:實體類中屬性欄位
    • javaType:指定屬性的型別
<mapper namespace="com.pro.dao.StudentMapper">
    <!--
    按照結果巢狀處理
        1. 一次查詢出所有學生和老師的資料
        2. 根據查詢的結果配置 association 對應的屬性和欄位
    -->
    <resultMap id="StudentResult" type="com.pro.pojo.Student">
        <result column="sid" property="id"/>
        <result column="sname" property="name"/>
        <!--  根據查詢出來的結果, 去配置欄位對應的實體類  -->
        <association property="teacher" javaType="com.pro.pojo.Teacher">
            <result column="tname" property="name"/>
        </association>
    </resultMap>

    <select id="getStudentResult" resultMap="StudentResult">
        SELECT s.id sid, s.name sname, t.name tname FROM student s, teacher t WHERE s.tid = t.id
    </select>
</mapper>

相關文章