延迟加载:
resultMap可实现高级映射(使用association、collection实现一对一及一对多映射),association、collection具备延迟加载功能。
在配置中添加select=“namespace+sql的Id” column=“关联的列名”。
mybatis中使用延迟加载,需要先配置:
<settings>
<!--开启延迟加载-->
<setting name="lazyLoadingEnabled" value="true">
<!--关闭立即加载-->
<setting name="aggressiveLazyLoading" value="false">
</settings>
使用association实现延迟加载
1、需求:查询订单并且关联查询用户信息
2、mapper.xml
需要定义两个mapper的方法对应的statement。
1) 只查询订单信息
SELECT * FROM orders
在查询订单的statement中使用association去延迟加载(执行)下边的statement。
<!-- 查询订单关联查询用户,用户信息需要延迟加载 -->
<select id="findOrdersUserLazyLoading" resultMap="OrderUserLazyLoadingResultMap">
SELECT * FROM orders
</select>
resultMap怎么写,看下面的3。
2) 关联查询用户信息
通过上边查询到的订单信息中user_id去关联查询用户信息
使用UserMapper.xml中的findUserById
<select id="findUserById" resultType="user" parameterType="int">
SELECT * FROM USER WHERE id=#{value}
</select>
3) 执行思路:
上边先去执行findOrdersuserLazyLoading,当需要的时候再去执行findUserById,通过resultMap的定义将延迟加载执行配置起来。
3、延迟加载的resultMap
<resultMap type="cn.itcast.mybatis.po.Orders" id="OrderUserLazyLoadingResultMap">
<!-- 对订单信息进行映射配置 -->
<id column="id" property="id"/>
<result column="user_id" property="userId"/>
<result column="number" property="number"/>
<result column="createtime" property="createtime"/>
<result column="note" property="note"/>
<!-- 对用户信息进行延迟加载 -->
<!--
select:指定延迟加载要执行的statement的id(是根据user_id查询用户信息是statement)
要使用UserMapper.xml中findUserById完成根据用户id(user_id)对用户信息的查询,如果findUserById不在本mapper中,
需要前边加namespace
column:订单信息中关联用户信息的列,是user_id
-->
<association property="user" javaType="cn.itcast.mybatis.po.User"
select="cn.itcast.mybatis.mapper.UserMapper.findUserById" column="user_id">
</association>
</resultMap>
使用association中是select指定延迟加载去执行的statement的id。