文章发表在我的博客上:https://blog.ysboke.cn/archives/124.html
纯Java的进程内缓存,直接在JVM虚拟机中缓存,速度非常快。缓存有两级,内存存储完了自动存到磁盘上。
数据可持久化在磁盘上,vm(虚拟机)重启后数据恢复
redis都听过,内存数据库,ehcache的缓存是jvm级别的,速度超过redis。redis通过socket访问缓存数据,效率没ehcache高。
对于分布式和集群,redis有成熟的方案,而ehcache在分布式和集群情况下的缓存恢复、数据缓存的支持不是很好。
如果是大型系统,存在缓存共享、分布式部署、缓存内容很大的,建议用redis。
二者可以共同使用。
1、在pom.xml里添加依赖:
<!--引入Mybatis的ehCache的适配-->
<dependency>
<groupId>org.mybatis.caches</groupId>
<artifactId>mybatis-ehcache</artifactId>
<version>1.0.3</version>
</dependency>
2、在src/main/java/resources下创建固定名称的ehcache.xml文件:
<?xml version="1.0" encoding="UTF-8"?>
<ehcache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:noNamespaceSchemaLocation="http://ehcache.org/ehcache.xsd"
updateCheck="false"
monitoring="autodetect"
dynamicConfig="true">
<!-- 当内存中不够存储时,存储到指定数据在磁盘中的存储位置。 -->
<diskStore path="cache" />
<!-- 默认缓存,当借助CacheManager.add("demoCache")创建Cache时,EhCache便会采用<defalutCache/>指定的的管理策略 -->
<defaultCache
maxElementsInMemory="3000"
eternal="false"
copyOnRead="true"
copyOnWrite="true"
timeToIdleSeconds="3600"
timeToLiveSeconds="3600"
overflowToDisk="true"
diskPersistent="true">
<copyStrategy class="com.moti.utils.MyCopyStrategy"/>
</defaultCache>
<!-- 自定义的缓存策略 -->
<cache name="HelloWorldCache"
maxElementsInMemory="1000"
eternal="false"
timeToIdleSeconds="5"
timeToLiveSeconds="5"
overflowToDisk="false"
memoryStoreEvictionPolicy="LRU"/>
</ehcache>
必须的属性:
可选的属性:
3、使用示例
public class Test1 {
@Test
public void test1() {
// 1. 创建缓存管理器
CacheManager cacheManager = CacheManager.create("./src/main/resources/ehcache.xml");
// 2. 获取缓存对象
Cache cache = cacheManager.getCache("HelloWorldCache");
// 3. 创建元素
Element element = new Element("key1", "value1");
// 4. 将元素添加到缓存
cache.put(element);
// 5. 获取缓存
Element value = cache.get("key1");
System.out.println(value);
System.out.println(value.getObjectValue());
// 6. 删除元素
cache.remove("key1");
Person p1 = new Person("小明",18,"杭州");
Element pelement = new Element("xm", p1);
cache.put(pelement);
Element pelement2 = cache.get("xm");
System.out.println(pelement2.getObjectValue());
System.out.println(cache.getSize());
// 7. 刷新缓存
cache.flush();
// 8. 关闭缓存管理器
cacheManager.shutdown();
}
}
原文:https://www.cnblogs.com/bronya0/p/14715732.html