在 MyBatis 中,处理递归查询结果的方法有两种:一种是使用嵌套结果映射(Nested Result Mapping),另一种是使用 resultMap 的 association 和 collection 标签。
嵌套结果映射是指在一个查询中,将多个表的数据组合成一个对象。这种方法适用于查询结果较少且不需要递归查询的情况。例如,查询一个部门及其所有员工的信息,可以使用嵌套结果映射。
首先,创建一个 Department 类和一个 Employee 类,然后在 MyBatis 的映射文件中定义查询语句和结果映射:
<!-- 查询部门及其员工信息 --><select id="getDepartmentWithEmployees" resultMap="departmentResultMap">
SELECT d.*, e.*
FROM department d
LEFT JOIN employee e ON d.id = e.department_id
WHERE d.id = #{departmentId}
</select>
<!-- 定义部门和员工的结果映射 --><resultMap id="departmentResultMap" type="Department">
<id property="id" column="d.id"/>
<result property="name" column="d.name"/>
<collection property="employees" ofType="Employee">
<id property="id" column="e.id"/>
<result property="name" column="e.name"/>
<result property="departmentId" column="e.department_id"/>
</collection>
</resultMap>
当查询结果需要递归查询时,可以使用 resultMap 的 association 和 collection 标签。这些标签可以帮助我们将查询结果映射到对象的属性上。例如,查询一个菜单及其所有子菜单的信息,可以使用 association 和 collection 标签。
首先,创建一个 Menu 类,然后在 MyBatis 的映射文件中定义查询语句和结果映射:
<!-- 查询菜单及其子菜单信息 --><select id="getMenuWithChildren" resultMap="menuResultMap">
SELECT m.*
FROM menu m
WHERE m.parent_id = #{parentId}
</select>
<!-- 定义菜单的结果映射 --><resultMap id="menuResultMap" type="Menu">
<id property="id" column="id"/>
<result property="name" column="name"/>
<result property="parentId" column="parent_id"/>
<collection property="children" ofType="Menu" select="getMenuWithChildren" column="id"/>
</resultMap>
在这个例子中,我们使用了 collection 标签来递归查询子菜单。当 MyBatis 执行 getMenuWithChildren 查询时,它会自动将查询结果映射到 Menu 对象的 children 属性上。这样,我们就可以得到一个包含所有子菜单的菜单对象。