Mybatis设计2级缓存来提升数据检索效率,避免每次都查询数据库。
一、一级缓存
一级缓存 Mybatis 的一级缓存是指 SQLSession,一级缓存的作用域是 SQlSession , Mabits 默认开启一级缓存。 在同一个SqlSession中,执行相同的SQL查询时;第一次会去查询数据库,并写在缓存中,第二次会直接从缓存中取。 当执行SQL时候两次查询中间发生了增删改的操作,则SQLSession的缓存会被清空。
每次查询会先去缓存中找,如果找不到,再去数据库查询,然后把结果写到缓存中。 Mybatis的内部缓存使用一个HashMap,key为hashcode+statementId+sql语句。Value为查询出来的结果集映射成的java对象。 SqlSession执行insert、update、delete等操作commit后会清空该SQLSession缓存。
一级缓存的实现原理:
在SqlSession 里面持有一个Executor的对象,每个Executor中有一个LocalCache对象。
当用户发起查询的时候,MyBatis会根据执行语句在Local Cache里面查询,如果没命中,再去查询数据库并写入到LocalCache,否则直接返回。
一级缓存命中的条件:
1. 同一会话(同一个sqlSession, 所以要开启事务)
2. 同一个mapper接口,相同的参数
3. 同一个mybatis环境(如: 一个使用生产环境, 一个使用开发环境配置文件)
二、二级缓存
如果实现跨SQLSession级别的缓存,则需要使用二级缓存。
二级缓存使用了一个叫做CachingExecutor的对象,对Executor进行了装饰,在进入一级缓存的查询流程之前,会先通过CachingExecutor进行二级缓存的查询。
开启二级缓存以后,会被多个SqlSession共享,所以它是一个全局缓存。因此它的查询流程是先查二级缓存,再查一级缓存,最后再查数据库。
二级缓存是 mapper 级别的,Mybatis默认是没有开启二级缓存的。 第一次调用mapper下的SQL去查询用户的信息,查询到的信息会存放到该 mapper 对应的二级缓存区域。 第二次调用 namespace 下的 mapper 映射文件中,相同的sql去查询用户信息,会去对应的二级缓存内取结果。
二级缓存命中的条件:
1. 同一个mapper接口,相同的参数
2. 同一个mybatis环境(如: 一个使用生产环境, 一个使用开发环境配置文件)
三、SpringBoot配置Mybatis二级缓存
有两种方式,第一种在mapper接口上添加@CacheNamespace注解,第二种在mapper.xml文件中添加< cache />。
利用< cache >方式
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="dictionaryMapper" >
<!-- 开启二级缓存 -->
<cache />
<select id="selectByDictNameAndParentType" resultType="dictionary">
select * from t_dictionary t
where t.dict_name=#{dictName,jdbcType=VARCHAR}
and t.parent_type=#{parentType,jdbcType=VARCHAR}
</select>
<select id="selectById" resultType="dictionary">
select * from t_dictionary t where t.id=#{id,jdbcType=BIGINT}
</select>
<!-- 不想使用缓存, 就添加useCache="false"属性,这样每次都是从数据库中查询 -->
<select id="selectByIdNonCache" resultType="dictionary" useCache="false">
select * from t_dictionary t where t.id=#{id,jdbcType=BIGINT}
</select>
</mapper>
四、开启 Mybatis-Plus 二级缓存(可配置)
yaml配置
mybatis-plus:
type-aliases-package: com.xxx.*.model.entity
mapper-locations: classpath*:mapper/*Mapper.xml
global-config:
banner: false
configuration:
# 无论是否开启,二级缓存都生效,不知道什么原因
cache-enabled: true
Mapper.java 配置
/**
* 添加 @CacheNamespace
*/
@CacheNamespace
public interface UserMapper extends BaseMapper<User> {
}
Mapper.xml 配置
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.xxx.xxx.mapper.UserMapper">
<!-- 配置 cache-ref,并配置 namespace -->
<cache-ref namespace="com.xxx.xxx.mapper.UserMapper"/>
</mapper>
实体类配置
/**
* 实体类必须序列化(实现 Serializable)
*/
@Data
public class User implements Serializable {
private static final long serialVersionUID = 20220714091937L;
}
参考资料
Mybatis常见面试题总结
Springboot + Mybatis-Plus开启二级缓存
springboot mybatis 开启二级缓存