09.mybatis的延迟加载策略

mybatis的延迟加载策略


09.mybatis的延迟加载策略_第1张图片
mybatis测试表结构.png

延迟加载:在需要用到数据时才进行加载,不需要用到数据时就不加载数据。延迟加载也称懒加载.

需要使用被延迟加载的属性时才去数据库查询相应的表,然后再封装!

一、延迟加载的有点以及缺点

1.优点

先从单表查询,需要时再从关联表去关联查询,大大提高数据库性能,因为查询单表要比关联查询多张表速度要快。

2.缺点

因为只有当需要用到数据时,才会进行数据库查询,这样在大批量数据查询时,因为查询工作也要消耗时间,所以可能造成用户等待时间变长,造成用户体验下降。

association、collection具备延迟加载功能


数据表描述

假设有两张表user account;是一对多的关系


公共pojo

  1. User
private Integer id;
private String username;
private Date birthday;
private String sex;
private String address;

List accounts;
  1. Account
private Integer id;
private Integer uid;
private Double money;
private User user;

SqlMapConfig.xml中开启延迟查询的配置


    
    
        -- lazyLoadingEnabled 开启延迟加载
        -- aggressiveLazyLoading 当开启时,调用任何方法都会加载该对象的所有属性。否则,就会按需加载
        
        
    
    ...

二、使用association实现延迟加载

  1. AccountDao接口中的方法
/** 查询所有账户,同时获取账户的所属用户名名称
 * 以及地址信息 */
List findAll();
  1. AccountDao.xml配置

    
    
        
        
        

        
        
        
    

    
    ...
  1. UserDao接口中对应的方法
/** 根据id查询用户数据 */
User findById(Integer userId);
  1. UserDao.xml对应的配置

    
    
    ...
  1. AccountTest测试方法
private InputStream in;
private SqlSessionFactory factory;
private SqlSession session;
private AccountDao accountDao;

@Before
public void init() throws Exception {
    in = Resources.getResourceAsStream("SqlMapConfig.xml");
    SqlSessionFactoryBuilder builder = new SqlSessionFactoryBuilder();
    factory = builder.build(in);
    session = factory.openSession();
    accountDao = session.getMapper(AccountDao.class);
}

@After
public void destory() throws Exception {
    session.commit();
    session.close();
}

@Test
public void testFindAll() {
    List accounts = accountDao.findAll();
}
  1. 运行测试结果:只进行了第一次查询
- ==>  Preparing: select * from account
- ==> Parameters:
- <==      Total: 6

三、使用Collection实现延迟加载

  1. UserDao接口中的方法
/** 查询所有用户,同时获取出每一个用户下的所有账户信息 */
List findAll();
  1. UserDao.xml配置


    
        
        
        
        
        
        
        
        
    

    
    

  1. AccountDao接口中的方法
/** 根据用户id查询账户信息 */
List findByUid(Integer uid);
  1. AccountDao.xml配置


    

  1. UserTest测试类
private InputStream in;
private SqlSessionFactory factory;
private SqlSession session;
private UserDao userDao;

@Before
public void init() throws Exception {
    in = Resources.getResourceAsStream("SqlMapConfig.xml");
    SqlSessionFactoryBuilder builder = new SqlSessionFactoryBuilder();
    factory = builder.build(in);
    session = factory.openSession();
    userDao = session.getMapper(UserDao.class);
}

@After
public void destory() throws Exception {
    session.commit();
    session.close();
}

@Test
public void testFindAll() {
    List all = userDao.findAll();
}
  1. 运行测试结果:只进行了第一次查询
- ==>  Preparing: select * from user
- ==> Parameters:
- <==      Total: 6

你可能感兴趣的:(09.mybatis的延迟加载策略)