1、链接:一对一,一对多
2、多对多
原文
MyBatis的注解实现复杂映射开发
实现复杂关系映射之前我们可以在映射文件中通过配置来实现,使用注解开发后,我们可以使用@Results注解,@Result注解,@One注解,@Many注解组合完成复杂关系的配置
多对多查询
多对多查询的模型
多对多查询的需求:查询学生以及所对应的课程信息
多对多查询的语句
对应的sql语句:
SELECT DISTINCT s.id,s.name,s.age FROM student s,stu_cr sc WHERE sc.sid=s.idSELECT c.id,c.name FROM stu_cr sc,course c WHERE sc.cid=c.id AND sc.sid=#{id}
添加CourseMapper 接口方法
public interface CourseMapper {//根据学生id查询所选课程@Select("SELECT c.id,c.name FROM stu_cr sc,course c WHERE sc.cid=c.id AND sc.sid=#{id}")public abstract List<Course> selectBySid(Integer id);
}
使用注解配置Mapper
public interface StudentMapper {//查询全部@Select("SELECT DISTINCT s.id,s.name,s.age FROM student s,stu_cr sc WHERE sc.sid=s.id")@Results({@Result(column = "id",property = "id"),@Result(column = "name",property = "name"),@Result(column = "age",property = "age"),@Result(property = "courses", // 被包含对象的变量名javaType = List.class, // 被包含对象的实际数据类型column = "id", // 根据查询出student表的id来作为关联条件,去查询中间表和课程表/*many、@Many 一对多查询的固定写法select属性:指定调用哪个接口中的哪个查询方法*/many = @Many(select = "com.yyl.many_to_many.CourseMapper.selectBySid"))})public abstract List<Student> selectAll();
}
测试类
public class Test01 {@Testpublic void selectAll() throws Exception{//1.加载核心配置文件InputStream is = Resources.getResourceAsStream("MyBatisConfig.xml");//2.获取SqlSession工厂对象SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(is);//3.通过工厂对象获取SqlSession对象SqlSession sqlSession = sqlSessionFactory.openSession(true);//4.获取StudentMapper接口的实现类对象StudentMapper mapper = sqlSession.getMapper(StudentMapper.class);//5.调用实现类对象中的方法,接收结果List<Student> list = mapper.selectAll();//6.处理结果for (Student student : list) {System.out.println(student.getId() + "," + student.getName() + "," + student.getAge());List<Course> courses = student.getCourses();for (Course cours : courses) {System.out.println("\t" + cours);}}//7.释放资源sqlSession.close();is.close();}
}
运行结果如下:
多对多配置总结
注解 | 说明 |
---|---|
@Results | 封装映射关系的父注解。 Result[] value():定义了 Result 数组 |
@Result | 封装映射关系的子注解。 column 属性:查询出的表中字段名称 property 属性:实体对象中的属性名称 javaType 属性:被包含对象的数据类型 many 属性:一对多查询固定属性 |
@Many | 一对多查询的注解。 select 属性:指定调用某个接口中的方法 |
bug
用results结果集时,如果column和property相同可以省略不写,但主键id获取为空值,所以一定要加入主键注解。
//主键映射@Result(id=true,property = "id",column = "id"),