在处理复杂查询结果时,可以使用<resultMap>
标签进行精细化映射。它可以处理嵌套结果集、一对一关联、一对多关联和多对多关联等情况。
```xml
<resultMap id="userAndOrdersResultMap" type="User">
<!-- 基本字段映射 -->
<id property="id" column="user_id"/>
<result property="name" column="user_name"/>
<!-- 一对一关联映射 -->
<association property="address" javaType="Address">
<id property="id" column="address_id"/>
<result property="street" column="address_street"/>
<!-- 其他字段映射... -->
</association>
<!-- 一对多关联映射 -->
<collection property="orders" ofType="Order">
<id property="id" column="order_id"/>
<result property="orderDate" column="order_date"/>
<!-- 关联表连接查询及嵌套映射... -->
</collection>
</resultMap>
### 2. **动态SQL**
MyBatis提供了一系列动态SQL标签,如`<if>`, `<choose>`, `<when>`, `<otherwise>`, `<where>`, `<set>`, `<foreach>`等,使得SQL语句可以根据Java对象属性动态生成:
```xml
<select id="selectUsersWithConditions" resultMap="userResultMap">
SELECT * FROM users
<where>
<if test="name != null">
AND name = #{name}
</if>
<if test="email != null">
AND email = #{email}
</if>
<!-- 遍历集合参数进行IN条件查询 -->
<foreach item="item" index="index" collection="ids" open="AND id IN (" separator="," close=")">
#{item}
</foreach>
</where>
</select>
通过SqlSession的batch()
方法开启批处理模式,可以一次性提交多个SQL语句,从而提高执行效率:
try (SqlSession session = sqlSessionFactory.openSession(ExecutorType.BATCH)) {
UserMapper mapper = session.getMapper(UserMapper.class);
for (User user : userList) {
mapper.insertUser(user);
}
// 批量提交所有插入操作
session.commit();
}
对于关联对象,MyBatis支持懒加载策略,只有在真正访问关联对象时才会发出SQL查询。通过在<association>
或<collection>
标签中设置fetchType="lazy"
来启用此功能:
<association property="address" javaType="Address" fetchType="lazy">
<!-- 映射规则... -->
</association>
掌握这些高级特性,将使你在使用MyBatis构建数据访问层时更加游刃有余,不仅能有效应对复杂业务场景,还能进一步优化性能,提升系统整体表现。