首页 > 代码库 > MyBatis之级联——一对一关系
MyBatis之级联——一对一关系
在学数据库概论的时候会听到这么几个词:数据库的关系分为一对一、一对多、多对多。对于在学校里学的知识已经忘得差不多了,在这里简单的提一下数据库的关系。此篇是介绍MyBatis是如何实现数据库中一对一关系的,我们就暂且先介绍一对一关系。所谓一对一关系其实在生活中很常见,比如一个学生有且只对应一个属于他的学生证。下面就是我们的所假设的数据库物理模型。
在这个数据库模型中,学生证和学生表是1对1的关系。那么基于此,我们会在Java代码的POJO包中就会有两个POJO对象,Student和SelfCard 。那么在Student这个学生信息类中就不应仅仅包含3个字段,它应该关联StudentCard。例如Student类:
1 public class Student { 2 private int id; 3 private String name; 4 private String sex; 5 private SelfCard selfCard; 6 //省略get/set方法 7 }
SelfCard类:
1 public class SelfCard { 2 private int id; 3 private int studentId; 4 private String note; 5 }
现在的需求是,根据id查询出学生信息(包括学生证的信息),这个时候怎么办呢?我现在仍然记得在学校的时候是怎么处理这种情况的,先根据id查询出student表中的学生基本信息,再根据studentId在SelfCard学生证中的该学生信息,将查询出来的学生证信息赋值给studentPOJO类。现在想想用这种办法也是简直了。我们大可不必用这种low的方式,这里的根据id查询学生信息(包括学生证信息)其实就是一个数据库的1对1级联关系,我们可以用inner join的sql语句来查询,当然我们也可以使用Mybatis为我们提供的association一对一级联。
不可避免的我们始终会查询根据studentId查询该学生的学生证信息,所以我们还是会有SelfCardMapper.java和SelfCardMapper.xml。
1 package day_8_mybatis.mapper; 2 3 import day_8_mybatis.pojo.SelfCard; 4 5 /** 6 * @author turbo 7 * 8 * 2016年11月2日 9 */ 10 public interface SelfCardMapper { 11 SelfCard findSelfCardByStudentId(int studentId); 12 }
1 <?xml version="1.0" encoding="UTF-8"?> 2 <!DOCTYPE mapper 3 PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" 4 "http://mybatis.org/dtd/mybatis-3-mapper.dtd"> 5 <mapper namespace="day_8_mybatis.mapper.SelfCardMapper"> 6 <resultMap type="day_8_mybatis.pojo.SelfCard" id="studentSelfCardMap"> 7 <id property="id" column="id"/> 8 <result property="studentId" column="student_id"/> 9 <result property="note" column="note"/> 10 </resultMap> 11 <select id="findSelfCardByStudentId" parameterType="int" resultMap="studentSelfCardMap"> 12 select id, student_id, note from t_student_selfcard where student_id = #{id} 13 </select> 14 </mapper>
当然我们对StudentMapper.java的DAO接口也很简单,也很普通,这时还并无特别之处,按照正常的根据id查询返回Student实例就可。
1 package day_8_mybatis.mapper; 2 3 import day_8_mybatis.pojo.Student; 4 5 /** 6 * @author turbo 7 * 8 * 2016年11月2日 9 */ 10 public interface StudentMapper { 11 Student getStudent(int id); 12 }
接下来的StudentMapper.xml就是关键了。
1 <?xml version="1.0" encoding="UTF-8"?> 2 <!DOCTYPE mapper 3 PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" 4 "http://mybatis.org/dtd/mybatis-3-mapper.dtd"> 5 <mapper namespace="day_8_mybatis.mapper.StudentMapper"> 6 <resultMap type="day_8_mybatis.pojo.Student" id="studentMap"> 7 <id property="id" column="id"/> 8 <result property="name" column="name"/> 9 <result property="sex" column="sex"/> 10 <association property="selfCard" column="id" select="day_8_mybatis.mapper.SelfCardMapper.findSelfCardByStudentId"/> 11 </resultMap> 12 <select id="getStudent" parameterType="int" resultMap="studentMap"> 13 select id, name, sex from t_student where id = #{id} 14 </select> 15 </mapper>
还记得Student类中有一个SelfCard类的引用吧,它们是一对一的级联关系,在第10行代码中我们使用MyBatis提供的assocation关键字来表示它们是一对一的关系。最后别忘了在配置文件中注册mapper映射器。好了,到现在为止,我们就实现了数据库中的一对一级联关系。接下来就是数据库中一对多级联。
MyBatis之级联——一对一关系