1. 程式人生 > >mybatis 延遲加載學習

mybatis 延遲加載學習

訂單 copyto agg sel popu note 數據庫 mes property

一、什麽是延遲加載

resultMap可實現高級映射(使用association、collection實現一對一及一對多映射),association、collection具備延遲加載功能。

需求:

如果查詢訂單並且關聯查詢用戶信息。如果先查詢訂單信息即可滿足要求,當我們需要查詢用戶信息時再查詢用戶信息。把對用戶信息的按需去查詢就是延遲加載。

延遲加載:先從單表查詢,需要時再從關聯表去關聯查詢,大大提高數據庫性能,因為查詢單表要比關聯查詢多張表速度要快。

二、使用association實現延遲加載

1、需求:查詢訂單並且關聯查詢用戶信息
2、mapper.xml

需要定義兩個mapper的方法對應的statement。

1) 只查詢訂單信息

SELECT * FROM orders

在查詢訂單的statement中使用association去延遲加載(執行)下邊的statement。

[html] view plain copy
  1. <!-- 查詢訂單關聯查詢用戶,用戶信息需要延遲加載 -->
  2. <select id="findOrdersUserLazyLoading" resultMap="OrderUserLazyLoadingResultMap">
  3. SELECT * FROM orders
  4. </select>

resultMap怎麽寫,看下面的3。

2) 關聯查詢用戶信息

通過上邊查詢到的訂單信息中user_id去關聯查詢用戶信息

使用UserMapper.xml中的findUserById

[html] view plain copy
  1. <select id="findUserById" resultType="user" parameterType="int">
  2. SELECT * FROM USER WHERE id=#{value}
  3. </select>

3) 執行思路:

上邊先去執行findOrdersuserLazyLoading,當需要的時候再去執行findUserById,通過resultMap的定義將延遲加載執行配置起來。

3、延遲加載的resultMap
[html] view plain copy
  1. <resultMap type="cn.itcast.mybatis.po.Orders" id="OrderUserLazyLoadingResultMap">
  2. <!-- 對訂單信息進行映射配置 -->
  3. <id column="id" property="id"/>
  4. <result column="user_id" property="userId"/>
  5. <result column="number" property="number"/>
  6. <result column="createtime" property="createtime"/>
  7. <result column="note" property="note"/>
  8. <!-- 對用戶信息進行延遲加載 -->
  9. <!--
  10. select:指定延遲加載要執行的statement的id(是根據user_id查詢用戶信息是statement)
  11. 要使用UserMapper.xml中findUserById完成根據用戶id(user_id)對用戶信息的查詢,如果findUserById不在本mapper中,
  12. 需要前邊加namespace
  13. column:訂單信息中關聯用戶信息的列,是user_id
  14. -->
  15. <association property="user" javaType="cn.itcast.mybatis.po.User"
  16. select="cn.itcast.mybatis.mapper.UserMapper.findUserById" column="user_id">
  17. </association>
  18. </resultMap>

使用association中是select指定延遲加載去執行的statement的id。

4、打開延遲加載開關
[html] view plain copy
  1. <settings>
  2. <!-- 打開延遲加載的開關 -->
  3. <setting name="lazyLoadingEnabled" value="true" />
  4. <!-- 將積極加載改為消息加載即按需加載 -->
  5. <setting name="aggressiveLazyLoading" value="false"/>
  6. </settings>

lazyLoadingEnabled:設置懶加載,默認為false。如果為false:則所有相關聯的都會被初始化加載。

aggressiveLazyLoading:默認為true。當設置為true時,懶加載的對象可能被任何懶屬性全部加載;否則,每個屬性按需加載。

三、使用collection實現延遲加載

同理。

四、思考總結

1.不使用mybatis提供的association及collection中的延遲加載功能,如何實現延遲加載?

實現思路:

定義兩個mapper方法:

1) 查詢訂單列表 2)根據用戶id查詢用戶信息

先去查詢第一個mapper方法,獲取訂單信息列表;在程序中(service),按需去調用第二個mapper方法去查詢用戶信息。

2.總結

使用延遲加載方法,先去查詢簡單的sql(最好單表,也可關聯查詢),再去按需加載關聯查詢的其他信息。






mybatis 延遲加載學習