Hibernate一级缓存和二级缓存
一级缓存
Hibernate框架一级缓存的特点:
1.它是hibernate自带的,不用我们手动配置。
2.它是以K-V对的方式存储数据,以KEY去获得PO对象。
3.只在同一个中session共享。
由于是hibernate自身就带有的,所以使用时不需要配置XML的工作,只要知道在同一个session中的存在相应的对象,那么它们都是共享的就可以了。
值得注意的是:
1.通过在做查询的时候,有几个查询方法支持一级Hibernate缓存,它们分别是:load(),get(),iterate(),其中要注意的是iterate方法只对实体对象查询才支持一级缓存,如果使用iterate来查询对象里面的相关属性,则查询的时候不支持一级缓存。
2.在管理一级缓存的时候可以使用,clear()和evict(object)两个方法,clear是清空全部,evict是清除指定的缓存对象。要好好的使用这两个方法,特别是在缓存数据量大的情况下。
二级缓存
Hibernate框架二级缓存的特点:
1.同样是K-V对的方式存储数据,以ID作为KEY。
2.它的共享范围是SessionFactory。
3.它不是自带的,使用时需要导入第三方实现架包,并做相应配置。常用的有EHcache(官方推荐),JBossCache,OScache等等。
二级缓存和session级别的缓存一样都只对实体对象做缓存,不对属性级别的查询做缓存。
EHcache的简单使用:
先配置一个叫做:ehcache.xml文件- <?xml version="1.0" encoding="UTF-8"?>
- <ehcache>
- <diskStore path="d:/cache" />
- <defaultCache maxElementsInMemory="1000" eternal="false"
- overflowToDisk="true" timeToIdleSeconds="180" timeToLiveSeconds="300"
- diskPersistent="false" diskExpiryThreadIntervalSeconds="120" />
- <cache name="longTime" maxElementsInMemory="100" eternal="false"
- overflowToDisk="true" timeToIdleSeconds="1800"
- timeToLiveSeconds="3000" diskPersistent="false"
- diskExpiryThreadIntervalSeconds="120" />
- </ehcache>
diskStore 作用是如果要缓存到硬盘上,这里填写缓存到硬盘的路径。
maxElementsInMemory作用是最大缓存连接数,也就是说只能在缓存中保存这里设置的数量。
overflowToDisk当设置为true的时候,如果内存不足时就把缓存保存到硬盘。
timeToIdleSeconds最大空闲时间,超过了这个时间就算超时了。
timeToLiveSeconds最大生存时间。
defaultCache是默认调用的缓存模版。
cache是自定义其他缓存模版,这样的好处在于可以配置多个缓存模版,然后在hibernate-mapping中绑定到某个class。
例如:- <?xml version="1.0" encoding="UTF-8"?>
- <!DOCTYPE hibernate-mapping PUBLIC "-//Hibernate/Hibernate Mapping DTD 3.0//EN" "http://hibernate.sourceforge.net/hibernate-mapping-3.0.dtd" >
- <hibernate-mapping>
- <class name="com.lovo.po.UserPO" table="userinfo" optimistic-lock="version">
- <!-- region的作用是指明要使用ehcache.xml文件中的哪个规则,这里需要与cache节点中的name属性想匹配,如果不写,则使用默认规则,即defaultCache里面的规则 -->
- <cache region="longTime" usage="read-write"/>
- <id name="id" column="uid" type="int">
- <generator class="increment"></generator>
- </id>
- <version name="verson" column="version" type="int" />
- <property name="username" column="name" type="string"></property>
- ...
- </class>
- </hibernate-mapping>
接下来就在hibernate.cfg.xml文件中标明要使用二级缓存
- <?xml version='1.0' encoding='UTF-8'?>
- <!DOCTYPE hibernate-configuration PUBLIC
- "-//Hibernate/Hibernate Configuration DTD 3.0//EN"
- "http://hibernate.sourceforge.net/hibernate-configuration-3.0.dtd">
- <hibernate-configuration>
- ...
- <!-- 使用二级缓存EHCACHE -->
- <property name="hibernate.cache.EhCacheProvider">true</property>
- <property name="cache.provider_class">
- org.hibernate.cache.EhCacheProvider
- </property>
- <property name="hibernate.cache.use_query_cache">true</property>
- ...
- </session-factory>
- </hibernate-configuration>