`
m635674608
  • 浏览: 5031176 次
  • 性别: Icon_minigender_1
  • 来自: 南京
社区版块
存档分类
最新评论

EhCache版Hello World

 
阅读更多

本篇是EhCache系列的第一篇,总体介绍使用EhCache缓存进行CRUD的API的基本使用,更细节的内容包括EhCache源代码和设计、实现原理在接下来的文章中进行介绍

环境准备

1.新建Maven项目

2 .添加EhCache的Maven依赖

<dependency>
            <groupId>net.sf.ehcache</groupId>
            <artifactId>ehcache</artifactId>
            <version>2.8.3</version>
        </dependency>

3. 添加仓库,获得EhCache源代码

<repositories>
        <repository>
            <id>jboss-maven2-release-repository</id>
            <url>https://repository.jboss.org/nexus/content/groups/developer/ </url>
        </repository>
    </repositories>

4. 创建EhCache配置文件

在项目classpath根目录下创建ehchache.xml

<ehcache xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
	  xsi:noNamespaceSchemaLocation="http://ehcache.org/ehcache.xsd"
	  updateCheck="true" monitoring="autodetect"
	  dynamicConfig="true">

    <defaultCache
	     maxElementsInMemory="20"
	     eternal="false"
	     overflowToDisk="false"
	     timeToIdleSeconds="1800"
	     timeToLiveSeconds="1800">
    </defaultCache>

    <cache name="data-cache"
	    maxElementsInMemory="20"
	    overflowToDisk="false"
	    eternal="false"
	    timeToIdleSeconds="1800"
	    timeToLiveSeconds="1800"
	    memoryStoreEvictionPolicy="LRU"
	    transactionalMode="off"
	     >
	 <searchable keys="true"/> <!--可以根据Key进行查询,查询的Attribute就是keys-->
    </cache>
</ehcache>

参数含义:

  • name:Cache的唯一标识,程序中使用这个名字获得缓存实例
  • maxElementsInMemory:内存中最大缓存对象数
  • overflowToDisk:当overflowToDisk配置为true,当内存中Element数量达到maxElementsInMemory时,Ehcache将会Element写到磁盘中。
  • eternal:Element是否永久有效,一但设置了, timeToIdleSeconds和 timeToLiveSeconds 将不起作用
  • timeToIdleSeconds: Element在缓存中空闲的最大时间。也就是说,这个时间控制的是一个Element 在一直没有被访问的前提下,这个对象可以在cache中的存活时间。若是0,表示永远存活
  • timeToLiveSeconds: 设置对象在cache中的最大存活时间,就是 无论对象被访问或是闲置,这个对象在cache中总的存活时间。也就是说, timeToLiveSeconds的值得应该大于等于 timeToIdleSeconds, 若是0,表示永远存活。
  • memoryStoreEvictionPolicy:当达到maxElementsInMemory限制时,Ehcache将会根据指定的策略去清理内 存。默认策略是LRU(最近最少使用)。你可以设置为FIFO(先进先出)或是LFU(较少使用)
  • maxElementsOnDisk:磁盘中最大缓存对象数,若是0表示无穷大。 该选项只有在overflowToDisk为true时有效
  • diskSpoolBufferSizeMB:这个参数设置DiskStore(磁盘缓存)的缓存区大小。默认是30MB。每个Cache都应该有自己的一个缓冲区

EhCache CRUD例子

package com.tom;


import net.sf.ehcache.Cache;
import net.sf.ehcache.CacheManager;
import net.sf.ehcache.Element;
import net.sf.ehcache.config.CacheConfiguration;
import net.sf.ehcache.search.Attribute;
import net.sf.ehcache.search.Query;
import net.sf.ehcache.search.Result;
import net.sf.ehcache.search.Results;
import org.junit.Assert;
import org.junit.Test;

import java.io.InputStream;
import java.util.List;
import java.util.Set;

class Person {
    private int id;
    private String name;
    private int age;

    public Person(int id, String name, int age) {
	this.id = id;
	this.name = name;
	this.age = age;
    }

    @Override
    public boolean equals(Object o) {
	if (this == o) return true;
	if (o == null || getClass() != o.getClass()) return false;

	Person person = (Person) o;

	if (age != person.age) return false;
	if (id != person.id) return false;
	if (name != null ? !name.equals(person.name) : person.name != null) return false;

	return true;
    }

    @Override
    public int hashCode() {
	int result = id;
	result = 31 * result + (name != null ? name.hashCode() : 0);
	result = 31 * result + age;
	return result;
    }
}

public class EhcacheTest {

    @Test
    public void testCacheManager() {
	//加载EhCache配置文件
	InputStream in = EhcacheTest.class.getClassLoader().getResourceAsStream("ehcache-test1.xml");
	CacheManager cm = CacheManager.create(in);

	//列出所有的缓存名称,不包括配置文件中的<defaultCache>
	String[] names = cm.getCacheNames();

	//只有一个名称为data-cache的cache
	Assert.assertEquals(1, names.length);
	Assert.assertEquals(names[0], "data-cache");

	//根据指定名称查找缓存对象
	Cache cache = cm.getCache("data-cache"); //根据缓存名称获取缓存
	Assert.assertNotNull(cache);

	//获取,更新Cache配置的接口
	CacheConfiguration configuration = cache.getCacheConfiguration();
	configuration.setTimeToIdleSeconds(3600);

	//缓存在内存中的配置信息,缓存配置动态修改也会体现出来,
	System.out.println(cm.getActiveConfigurationText());

	//清除所有缓存的数据,但是缓存本身仍然存在
	cm.clearAll();

	//从内存中删除一个缓存以及所有的数据,Cache被销毁
	cm.removeCache("data-cache");


    }

    @Test
    public void testCache() {
	//只有被有初始化生效的Cache允许改名字
	//cache.setName("data-cache-changed");
    }

    @Test
    public void testAddElementToCache() {
	//加载EhCache配置文件
	InputStream in = EhcacheTest.class.getClassLoader().getResourceAsStream("ehcache-test1.xml");
	CacheManager cm = CacheManager.create(in);

	Cache cache = cm.getCache("data-cache");

	Person p1 = new Person(1, "Jack", 21);
	Person p2 = new Person(2, "Mike", 73);

	cache.putIfAbsent(new Element(p1,p1, 1));
	cache.put(new Element(p2,p2, 1));
	cache.putIfAbsent(new Element(p2, p1,1));//只有Key为p2的数据不存在才插入

	//得到的是p2,而不是p1
	Element e = cache.get(p2);
	Assert.assertEquals(p2, e.getObjectValue());

	//把数据从内存刷到DiskStore,从DiskStore刷新到Disk中
	cache.flush();

    }

    @Test
    public void testRemoveElementFromCache() {
	//加载EhCache配置文件
	InputStream in = EhcacheTest.class.getClassLoader().getResourceAsStream("ehcache-test1.xml");
	CacheManager cm = CacheManager.create(in);

	Cache cache = cm.getCache("data-cache");

	Person p1 = new Person(1, "Jack", 21);
	Person p2 = new Person(2, "Mike", 73);

	Element e1  = new Element(p1,p1, 1);
	cache.putIfAbsent(e1);
	Element e2 = new Element(p2,p2, 1);
	cache.put(e2);

	cache.remove(p1);
	boolean isSucc = cache.removeElement(e1);
	//e1已经被删除,因此操作返回false
	Assert.assertFalse(isSucc);

	cache.put(e1);

	cache.removeAll();

	Assert.assertEquals(0, cache.getSize());
    }

    @Test
    public void testUpdateElementInCache() {
	//加载EhCache配置文件
	InputStream in = EhcacheTest.class.getClassLoader().getResourceAsStream("ehcache-test1.xml");
	CacheManager cm = CacheManager.create(in);

	Cache cache = cm.getCache("data-cache");

	Person p1 = new Person(1, "Jack", 21);
	Person p2 = new Person(2, "Mike", 73);

	Element e1  = new Element(p1,p1, 1);
	cache.putIfAbsent(e1);
	Element e2 = new Element(p2,p2, 1);
	cache.put(e2);

	e2 = new Element(p2, p1, 1);
	cache.replace(e2);

	Assert.assertEquals(p1, e2.getObjectValue());

    }

    @Test
    public void testQueryElementsFromCache() {
	InputStream in = EhcacheTest.class.getClassLoader().getResourceAsStream("ehcache-test1.xml");
	CacheManager cm = CacheManager.create(in);
	Cache cache = cm.getCache("data-cache");

	//EhCache中的数据类型是Element,它包含Key,Value和一个版本信息
	Element e = new Element(1000, 10000, 1);
	cache.put(e);

	//添加第二个数据
	e = new Element(2000, 20000, 1);
	cache.put(e);

	//缓存中有两条数据
	Assert.assertEquals(2, cache.getSize());

	//通过get方法获得key对应的数据
	e = cache.get(1000);
	Assert.assertEquals(10000, e.getObjectValue());

	//创建查询
	Query q = cache.createQuery();

	//Cache没有配置任何查询属性,这里察看下默认的查询属性有哪些
	//set中包含两个可查询元素:key和value
	Set<Attribute> set = cache.getSearchAttributes();

	//属性是范型类,得到key都应的查询属性对象
	Attribute<Integer> keyAttribute = cache.getSearchAttribute("key"); //根据默认提供的可查询属性key进行查询

	//构造查询条件,这是一个链式写法,一个Query对象可以写多个查询条件
	//创建查找key的值为2000的查询
	q = q.addCriteria(keyAttribute.eq(2000));

	//如果不includeKeys和q.includeValues();,则测试结果集中不包括Keys和Values信息
	q.includeKeys();
	q.includeValues();

	//执行查询
	Results results = q.execute();//执行查询
	Assert.assertNotNull(results);
	Assert.assertEquals(results.size(), 1);

	//列出所有结果
	List<Result> resultList = results.all();
	Result result = resultList.get(0);
	Assert.assertEquals(2000, result.getKey());

	Assert.assertEquals(20000, result.getValue());
    }

}

http://www.tuicool.com/articles/u2MRZb
分享到:
评论

相关推荐

    springboot HelloWorld

    SpringBoot HelloWorld 是一个初学者经常会遇到的示例项目,它旨在帮助开发者快速了解并开始使用Spring Boot框架。Spring Boot是由Pivotal团队提供的全新框架,其设计目标是简化新Spring应用的初始搭建以及开发过程...

    java版商城源码下载-hello-world:gtihub刚接触

    hello-world gtihub刚接触 github制作和提交更改 温馨提示:腾讯公司不会通过邮件来发布中奖信息。请勿轻信密保、汇款、中奖消息,勿轻易拨打陌生电话。详见反骗术中心。 1 楼开拓者4分钟前 获取【下载地址】   QQ:...

    详解Spring整合Ehcache管理缓存

    在这个示例中,我们将创建一个 Cache 对象,使用 `ehcache.xml` 文件中声明的 `helloworld` 缓存,然后向缓存中添加数据并读取: ```java public class EhcacheDemo { public static void main(String[] args) ...

    使用ehcache三步搞定springboot缓存的方法示例

    return "Hello, World!"; } } ``` 在上面的示例中,我们使用 `@Cacheable` 注解来缓存 `getData` 方法的结果,以便提高应用程序的性能和响应速度。 使用 Ehcache 三步搞定 Spring Boot 缓存的方法示例,能够快速...

    Spring开发流程.pdf

    如HelloWorld类就是一个简单的POJO类,拥有一个hello方法,该方法输出"HelloWorld"字符串。 3. XML配置文件: Spring框架采用了XML配置文件来描述对象之间的依赖关系,通过Spring的IoC容器管理这些对象。文件中提到...

    从零开始学Spring Boot

    1.3 spring boot起步之Hello World 1.4 Spring Boot返回json数据 1.5 Spring Boot热部署 1.6 Spring Boot使用别的json解析框架 1.7 全局异常捕捉 1.8 Spring Boot datasource - mysql 1.9 JPA - Hibernate 1.10 使用...

    Spring_Framework_ API_5.0.5 (CHM格式)

    request -&gt; Response.ok().body(fromObject("Hello World"))); 6. Kotlin支持 Kotlin 是一种静态类型的JVM语言,它让代码具有表现力,简洁性和可读性。 Spring5.0 对 Kotlin 有很好的支持。 7. 移除的特性 随着...

    hibernate所需要的所有jar包

    3. **Hibernate HelloWorld程序**:这通常是一个简单的示例项目,用于展示如何配置和使用Hibernate进行基本的数据操作,例如创建实体、配置映射文件、建立会话并执行CRUD操作。 4. **导入和运行**:描述提到下载后...

    SpringBoot新手学习手册.pdf

    2.3、编写HelloWorld服务 2 2.4、@RestController 3 2.5、@EnableAutoConfiguration 3 2.6 SpringApplication.run(HelloController.class, args); 3 @SpringbootApplication 3 2.7、SpringBoot启动方式1 4 2.8...

    SpringBoot专栏教程-邮件.pdf

    - **HelloWorld示例**:实现简单的RESTful API,返回“Hello World”字符串。 - **引导方式**: - 基于注解的方式:通过`@SpringBootApplication`自动配置应用。 - 手动配置的方式:不使用`@SpringBootApplication...

    hibernate资料2

    在《002_尚学堂马士兵_Java视频教程_Hibernate3.3.2_HelloWorld.avi》这个视频教程中,马士兵老师将详细讲解Hibernate 3.3.2的基础知识,包括如何搭建开发环境、配置Hibernate以及创建第一个HelloWorld示例。...

    Terracotta

    Terracotta的入门教程首先引导用户通过创建配置文件和简单的Java程序(如HelloWorld.java)来熟悉其基本用法。执行这个程序后,可以初步了解Terracotta如何在内存中管理和存储数据。 ##### 基本CRUD操作 进一步...

    JessMA Java Web 应用开发框架

    - **环境搭建与HelloWorld示例**:文档中应包含了JessMA框架环境的搭建步骤以及一个简单的HelloWorld示例程序,引导开发者快速开始第一个JessMA项目。 ### 配置文件与Action使用 - **配置文件**:包括应用程序部署...

    SpringBoot开发文档综合整理文档

    1. **创建 Maven 工程**:命名为 `springboot-helloworld`,类型为 Jar。 2. **引入依赖**:编辑 pom.xml 文件,添加必要的 Spring Boot Starter 依赖。 3. **编写 Hello World 服务**:创建一个控制器类,例如 `...

    Spring Boot 学习笔记完整教程.pdf

    2. Spring Boot Hello World:学习如何通过简单的几步创建一个Spring Boot应用,这包括创建Maven项目、添加依赖、编写启动类和运行程序。 3. Spring Boot依赖管理:Spring Boot使用parent POM来管理依赖的版本,...

    springboot-learn::rose:springboot通用框架集成示例,涉及多种网站监控,数据缓存,网络通信,持久层,权限管理,常用工具等

    弹簧靴 支持作者就star一下,谢谢 :party_popper: :party_popper: springboot-learn这个工程为IDEA创建的Empty Project工程...SpringBoot入门案例Hello World SpringBoot配置Thymeleaf模板引擎 SpringBoot构造异常异常

    jboot:一个优雅的微服务框架,SpringCloud 之外的另一个选择,已经使用在用户量过亿的商业产品上,有超过1000家公司在使用Jboot做极速开发..

    开始maven 依赖&lt;dependency&gt; &lt;groupId&gt;io.jboot&lt;/groupId&gt; &lt;artifactId&gt;jboot&lt;/artifactId&gt; &lt;version&gt;3.9.8&lt;/version&gt;&lt;/dependency&gt;Hello World@RequestMapping("/")public class HelloworldController extends ...

    jbpm例子.doc

    #### jBPM HelloWorld项目创建: 1. **项目创建**: 在Eclipse中选择"文件->新建->项目",选择"Process Project",命名项目为"myjbpm"。 2. **项目结构**: 生成的项目包含src/java、test/java目录,分别用于存放源...

    JessMA Java Web 应用开发框架 (v3.2.2-20130815).pdf

    JessMA框架的整体架构设计包括了依赖关系、工作流程、环境搭建以及HelloWorld示例等,这些都是初学者学习JessMA所必需掌握的基础知识。应用篇进一步细分为配置文件、Action使用、国际化等模块,详细阐述了如何利用...

Global site tag (gtag.js) - Google Analytics