用resultMap,多表查询,返回值设置(参考博客https://blog.csdn.net/qq_42780864/article/details/81429114)
提出问题:
假设查询一年级二班小明的成绩,这里只需要把学生stuid传入查询可以获得作业分数,但是需要一个作业对应一个分数(例如:语文作业:78;数学作业:56;英语作业:100),可以像下图现实的这样把展示出来,由于作业题目,作业描述在task表里,分数在stu_task表里。所以就出现了如何把俩个表里联系查到的结果集返回出来???
1解决问题:
数据库建表:
2 3 4PoJo类(由于篇幅原因这里只展示实体类中的字段):
Student {
Integer stuid;
String stuname;
String account;
String password;
Integer cid;
}
Task {
private Integer tkid;
private String title;
private String task_desc;
private Date publish_time;
}
Stu_task {
private Integer stu_tk;
private Integer tkid;
private Integer stuid;
private Integer grade;
private String file_path;
//Stu_task中外键tkid是Task中的对应的tkid
private Task task;
}
*注意这里:
1.数据库里需要在Stu_task建tkid外键来对应 Task的主键tkid
2.在Stu_task里需要封装Task的对象,这里的task对象是对应的。
在mapper.xml中,
<?xml version="1.0"encoding="UTF-8"?>
<!DOCTYPEmapperPUBLIC"-//mybatis.org//DTDMapper 3.0//EN""http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mappernamespace="com.nba.dao.Stu_taskDao">
<resultMapid="stu_taskandtask"type="com.nba.entity.Stu_task">
<idcolumn="stu_tk"property="stu_tk"/>
<resultcolumn="grade"property="grade"/>
<resultcolumn="tkid"property="tkid"/>
<resultcolumn="stuid"property="stuid"/>
<resultcolumn="file_path"property="file_path"/>
<associationproperty="task"javaType="com.nba.entity.Task">
<idproperty="tkid"column="tkid"/>
<resultproperty="title"column="title"/>
<resultproperty="task_desc"column="task_desc"/>
<resultproperty="publish_time"column="publish_time"/>
</association>
</resultMap>
<selectid="SelectAllStu_taskByStuid"resultMap="stu_taskandtask">
select*from task,stu_task where stu_task.stuid= #{stuid} and stu_task.tkid= task.tkid;
</select>
</mapper>
这里就可以把这俩个表的信息联系起来并查询出来。查询结果:
5这里对resultMap进行解释:
resultMap可以将查询到的复杂数据(多表查询)映射到指定的结果集返回。
<resultMap id="唯一的标识" type="映射的pojo对象">
<id column="表的主键字段,或者可以为查询语句中的别名字段" jdbcType="字段类型" property="映射pojo对象的主键属性" />
<result column="表的一个字段(可以为任意表的一个字段)" jdbcType="字段类型" property="映射到pojo对象的一个属性(须为type定义的pojo对象中的一个属性)"/>
<!-- association :配置一对一属性 -->
<association property="pojo的一个对象属性" javaType="pojo关联的pojo对象">
<id column="关联pojo对象对应表的主键字段" jdbcType="字段类型" property="关联pojo对象的主席属性"/>
<result column="任意表的字段" jdbcType="字段类型" property="关联pojo对象的属性"/>
</association>
<!--collection:配置一对多属性 -->
<!-- 集合中的property须为oftype定义的pojo对象的属性-->
<collection property="pojo的集合属性" ofType="集合中的pojo对象">
<id column="集合中pojo对象对应的表的主键字段" jdbcType="字段类型" property="集合中pojo对象的主键属性" />
<result column="可以为任意表的字段" jdbcType="字段类型" property="集合中的pojo对象的属性" />
</collection>
</resultMap>
(column是表中列名,property是实体类属性。
<id column="" />多用于主键
<result column="" property=""/>表中的其他字段(或列))
网友评论