当前位置 : 主页 > 编程语言 > java >

MyBatis中association的基本使用方法

来源:互联网 收集:自由互联 发布时间:2023-01-30
目录 通过association对两表进行联表查询 按照查询嵌套处理 按照结果嵌套处理 总结 通过association对两表进行联表查询 student表属性如下 teacher表属性如下 按照查询嵌套处理 关于需求的
目录
  • 通过association对两表进行联表查询
  • 按照查询嵌套处理
  • 按照结果嵌套处理
  • 总结

通过association对两表进行联表查询

student表属性如下

teacher表属性如下

按照查询嵌套处理

  • 关于需求的SQL稍微有点复杂时,可以打开右侧查询框进行语句的编写执行。

当使用以下时,查询出来存在问题

<select id="getStudentTeacher" resultType="Student" >
    select s.id,s.name,t.id, t.name from student s, teacher t where s.tid = t.id
</select>

思路:

  • 查询所有的学生信息
  • 根据查询出来的学生tid,寻找对应的老师

利用结果集映射,联系起来

编写接口

//    查询所有的学生信息以及对应的老师信息
List<Student> getStudent();

编写mapper配置文件

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

<resultMap id="StudentTeacher" type="Student">
    <result property="id" column="id" />
    <result property="name" column="name" />
    <!--        复杂的属性需要单独处理
            对象:association
            集合:collection
-->
    <association property="teacher" column="tid" javaType="Teacher" select="getTeacher"/>

</resultMap>

<select id="getTeacher" resultType="Teacher">
    select * from teacher where id = #{nid}
</select>

测试得到结果

结果中嵌套了结果

一些注意问题:

  • teacher中的id的传递是根据student中得到的tid,将tid传给id,因此#{}中取什么名字都可以。
  • association将实体类的teacher属性对应上一个结果,这个结果是将tid作为参数参与下一条sql语句产生的。

按照结果嵌套处理

  • 个人认为这种方法更直观
  • 正确的查询
<!--按照结果嵌套处理-->
<select id="getStudent2" resultMap="StudentTeacher2" >
    select s.id sid,s.name sname,t.id tid, t.name tname
    from student s, teacher t
    where s.tid = t.id
</select>

<resultMap id="StudentTeacher2" type="Student">
    <result property="id" column="sid" />
    <result property="name" column="sname" />
    <association property="teacher" javaType="Teacher" >
        <result property="id" column="tid" />
        <result property="name" column="tname" />
    </association>
</resultMap>

查询出来的需要展现的结果都应该在resultMap中进行定义,否则会以默认值进行展示如下,在resultMap中注释掉tid和sname后,执行的结果

总结

到此这篇关于MyBatis中association基本使用的文章就介绍到这了,更多相关MyBatis association使用内容请搜索自由互联以前的文章或继续浏览下面的相关文章希望大家以后多多支持自由互联!

上一篇:Java实现扑克牌游戏的示例代码
下一篇:没有了
网友评论