内容大纲.png
前言
本篇意在通过Hibernate和Mybaitis缓存,通过对比学习,同时弄懂这两者中的区别
Hibernate中的缓存
Hibernate中一般常用的缓存有三个,一级缓存
,二级缓存
,查询缓存
,要了解一二级缓存的可以点击->图解SSH-Hibernate,这里主要讲解一下二级缓存和查询缓存
首先我们先看一下Hibernate的二级缓存
Hibernate二级缓存.png
文字描述过程:
- 首先我们
get(1L)
的时候,由于二级缓存中没有,所以我们就去数据库查询,并将结果返回后插入到二级缓存中,然后将结果插入到二级缓存中,并将数据返回. - 当我们再次查询时,由于
二级缓存
中已经存在了该对象,那么我们就不用到数据库中查询,直接从缓存中把结果返回
那么我们再来看看Hibernate中的查询缓存
Hibernate查询缓存.png
文字描述过程:
- 首先
list()
的时候,由于查询缓存中没有,那么我们去数据库查,并将数据放在了查询缓存中,然后将结果返回 - 当我们进行
insert
操作的时候,首先会给数据库增加一条数据,然后关键的地方来了,此时Hibernate会清空所有的查询缓存,因为此时数据库中的数据已经变了,如果不清空缓存,就会导致select * from User
拿到的还是1L和2L,但是此时正确的应该是1L,2L,3L,所以必须清空 - 然后我们再次
list()
的时候,又重复第一步的操作
从以上过程我们就可以看出,Hibernate的查询缓存的命中率的非常低的,进行新增、编辑、删除操作都会去清空查询缓存,所以一般不使用查询缓存,而是使用二级缓存.
Mybaitis中的缓存
一般我们都不说MyBatis的二级缓存,而是说MyBatis的缓存,我们先来看代码
@Test
public void testCache() throws Exception {
SqlSession session = MybatisUtil.openSession();
UserMapper userMapper = session.getMapper(UserMapper.class);
User u1 = userMapper.get(1L);
session.close();
session = MybatisUtil.openSession();
userMapper = session.getMapper(UserMapper.class);
User u2 = userMapper.get(1L);
session.close();
}
这段代码中, Mybatis一共发了两条SQL,这就好像说, Mybatis中没有二级缓存
,然后我们打开Mybatis的文档一看,顿时震惊
Mybatis文档.png
这难道是骗人的,说好的默认开启缓存呢.....
其实不是的,默认确实是开启缓存的,但是我们还需要配置一点东西
UserMapper.xml
<mapper namespace="com.toby.mybatis.domain.UserMapper">
<!--mybatis中默认是支持二级缓存的,
要是某个对象由二级缓存,需要在mapper.xml中配置如下标签-->
<cache/>
...
</mapper>
另外,对象还要实现序列化接口,否则报NotSerializableException
的异常
public class User implements Serializable{
...
}
设置完毕之后,我们再来尝试insert
的问题
@Test
public void testCache() throws Exception {
SqlSession session = MybatisUtil.openSession();
UserMapper userMapper = session.getMapper(UserMapper.class);
User u1 = userMapper.get(1L);
session.close();
//insert
session = MybatisUtil.openSession();
userMapper = session.getMapper(UserMapper.class);
User user = new User();
userMapper.add(user);
session.commit();
session.close();
session = MybatisUtil.openSession();
userMapper = session.getMapper(UserMapper.class);
User u2 = userMapper.get(1L);
session.close();
}
此时发现,发了3条SQL,那么究竟是什么原因呢?
首先,get
的底层用的是selectOne
,然后selectOne
又用的是用selectList
,所以Mybatis是没有二级缓存的概念,他的缓存,全都是查询缓存.此时如下图
Mybatis缓存.png
看完这个图,就明白为什么get(1L)->add()->get(1L)
这个过程会发3条SQL了,因为insert
的时候,清空了缓存
但是就算insert
,并没有影响到get(1L)
的结果,但是你却把他的缓存也清空了,这明显不合理,那么我们怎么样让Mybatis中的缓存更像Hibernate中的二级缓存
呢?因为目前这样的缓存实在太坑,从这过程大家应该感受得到.
那么我们可不可以这样做呢?如图:
mybatis缓存改进.png
也就是我们做了两件事
list
由于缓存命中率低,那么我们就不加入到缓存中insert
我们不清空缓存
这样做,Mybatis的缓存就显得更像Hibernate中的二级缓存了,那么在代码中,我们具体是怎么实现的呢?
UserMapper.xml
<!--useCache默认是true,这里我们设置为false就是让他不使用缓存-->
<select id="list" resultType="com.toby.mybatis.domain.User" useCache="false">
SELECT * FROM user
</select>
<!--flushCache默认为true,我们设置为false,就是让他不清空缓存-->
<insert id="add" parameterType="com.toby.mybatis.domain.User"
useGeneratedKeys="true" keyProperty="id" keyColumn="id"
flushCache="false">
INSERT INTO USER (username) VALUES (#{username})
</insert>
这样之后,我们Mybatis中的缓存就更高效了