使用Spring Data Redis进行缓存

在下面的示例中,我将向您展示如何使用Spring Data – Redis项目作为Spring 3.1中引入的Spring Cache Abstraction的缓存提供程序。 我对如何使用Spring的基于Java的配置有很多疑问,因此我将同时提供基于XML和Java的配置供您查看。

依存关系

在此示例中使用了以下依赖关系:

<?xml version='1.0' encoding='UTF-8'?>
<project xmlns='http://maven.apache.org/POM/4.0.0'xsi:schemaLocation='http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd'xmlns:xsi='http://www.w3.org/2001/XMLSchema-instance'><modelVersion>4.0.0</modelVersion><groupId>com.joshuawhite.example</groupId><artifactId>spring-redis-example</artifactId><version>1.0</version><packaging>jar</packaging><name>Spring Redis Example</name><dependencies><dependency><groupId>org.springframework.data</groupId><artifactId>spring-data-redis</artifactId><version>1.0.2.RELEASE</version></dependency>        <!-- required for @Configuration annotation --><dependency><groupId>cglib</groupId><artifactId>cglib</artifactId><version>2.2.2</version></dependency><dependency><groupId>redis.clients</groupId><artifactId>jedis</artifactId><version>2.0.0</version><type>jar</type><scope>compile</scope></dependency><dependency><groupId>log4j</groupId><artifactId>log4j</artifactId><version>1.2.14</version></dependency></dependencies><build><plugins><plugin><groupId>org.apache.maven.plugins</groupId><artifactId>maven-compiler-plugin</artifactId><configuration><source>1.6</source><target>1.6</target></configuration></plugin></plugins></build>
</project>

代码和配置

下面的HelloService示例非常简单。 正如您将在实现中看到的那样,它只返回一个字符串,该字符串的前缀是“ Hello”,该字符串在传入的名称之前。

package com.joshuawhite.example.service;public interface HelloService {String getMessage(String name);}

查看一下HelloServiceImpl类(如下),您可以看到我正在利用Spring的@Cacheable批注为getMessage方法添加缓存功能。 有关此批注功能的更多详细信息,请参阅Cache Abstraction文档 。 为了娱乐,我使用Spring Expression Language(SpEL)定义条件。 在此示例中,仅当传入的名称为“ Joshua”时才缓存方法响应。

package com.joshuawhite.example.service;import org.springframework.cache.annotation.Cacheable;
import org.springframework.stereotype.Service;@Service('helloService')
public class HelloServiceImpl implements HelloService {/*** Using SpEL for conditional caching - only cache method executions when* the name is equal to 'Joshua'*/@Cacheable(value='messageCache', condition=''Joshua'.equals(#name)')public String getMessage(String name) {System.out.println('Executing HelloServiceImpl' +'.getHelloMessage(\'' + name + '\')');return 'Hello ' + name + '!';}}

下面的App类包含我们的main方法,用于在基于XML和Java的配置之间进行选择。 每个System.out.println都用于演示何时进行缓存。 提醒一下,我们只希望传入“ Joshua”的方法执行将被缓存。 当我们稍后查看程序输出时,这将更加清楚。

package com.joshuawhite.example;import org.springframework.cache.Cache;
import org.springframework.cache.CacheManager;
import org.springframework.context.ApplicationContext;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import org.springframework.context.support.GenericXmlApplicationContext;import com.joshuawhite.example.config.AppConfig;
import com.joshuawhite.example.service.HelloService;public class App {public static void main(String[] args) {boolean useJavaConfig  = true;ApplicationContext ctx = null;//Showing examples of both Xml and Java based configurationif (useJavaConfig ) {ctx = new AnnotationConfigApplicationContext(AppConfig.class);}else {ctx = new GenericXmlApplicationContext('/META-INF/spring/app-context.xml');}HelloService helloService = ctx.getBean('helloService', HelloService.class);//First method execution using key='Josh', not cachedSystem.out.println('message: ' + helloService.getMessage('Josh'));//Second method execution using key='Josh', still not cachedSystem.out.println('message: ' + helloService.getMessage('Josh'));//First method execution using key='Joshua', not cachedSystem.out.println('message: ' + helloService.getMessage('Joshua'));//Second method execution using key='Joshua', cachedSystem.out.println('message: ' + helloService.getMessage('Joshua'));System.out.println('Done.');}}

请注意,在使用基于XML的配置时,仍使用组件扫描。 您可以看到我在上面的HelloServiceImpl.java第6行上使用@Service批注。 接下来,我们将看看如何配置jedisConnectionFactoryredisTemplatecacheManager

配置JedisConnectionFactory

在此示例中,我选择使用Jedis作为我们的Java客户端,因为它在Redis站点上被列为Java的“推荐”客户端库。 如您所见,设置非常简单。 当我显式设置use-pool = true时,它的源代码指示这是默认设置。 如果未显式设置,则JedisConnectionFactory还提供以下默认值:

  • hostName =” localhost”
  • 端口= 6379
  • 超时= 2000毫秒
  • 数据库= 0
  • usePool = true

注意:尽管数据库索引是可配置的,但是JedisConnectionFactory仅支持一次连接到一个Redis数据库。 由于Redis是单线程的,因此建议您设置Redis的多个实例,而不是在单个进程中使用多个数据库。 这使您可以获得更好的CPU /资源利用率。 如果计划使用redis-cluster,则仅支持单个数据库。 有关连接池中使用的默认值的更多信息,请查看JedisPoolConfig或Apache Commons Pool org.apache.commons.pool.impl.GenericObjectPool.Config以及其中的实现。 org.apache.commons.pool.impl.GenericObjectPool类。

配置RedisTemplate

正如您从Spring“模板”类中所期望的那样, RedisTemplate负责序列化和连接管理,并且( RedisTemplate您正在使用连接池)是线程安全的。 默认情况下,RedisTemplate使用Java序列化( JdkSerializationRedisSerializer )。 请注意,将数据序列化为Redis实质上使Redis成为“不透明”缓存。 虽然其他序列化程序允许您将数据映射到Redis,但我发现序列化(尤其是在处理对象图时)使用起来更快,更简单。 就是说,如果您要求其他非Java应用程序能够访问此数据,则映射是您最好的即用型选择。 我在使用Hessian和Google Protocol Buffers / proststuff方面有丰富的经验。 我将在以后的文章中分享RedisSerializer一些示例实现。

配置RedisCacheManager

配置RedisCacheManager很简单。 提醒一下, RedisCacheManager依赖于RedisTemplate ,后者依赖于连接工厂(在我们的情况下为JedisConnectionFactory ,该连接工厂一次只能连接到一个数据库。 解决方法是,RedisCacheManager可以为您的缓存键设置前缀。

警告:在处理其他缓存解决方案时,Spring的CacheManger通常包含一个由单独的缓存支持的Cache映射(每个实现类似功能的映射)的实现。 使用默认的RedisCacheManager配置,情况并非如此。 根据RedisCacheManager上的javadoc注释,不清楚这是错误还是仅是不完整的文档。

“ ...默认情况下,通过添加前缀(用作名称空间)来保存密钥。”

虽然RedisCacheManager配置的DefaultRedisCachePrefix当然支持此功能,但默认情况下未启用它。 结果,当您向RedisCacheManager询问给定名称的Cache时,它只是创建一个指向相同数据库的新Cache实例。 结果, Cache实例完全相同。 相同的键将在所有Cache实例中检索相同的值。

正如javadoc注释所暗示的那样,前缀可用于设置客户端管理的名称空间(Redis本身不支持此功能),这些名称空间实际上在同一数据库内创建“虚拟”缓存。 您可以通过使用Spring XML或Java配置调用redisCacheManager.setUsePrefix(true)redisCacheManager.setUsePrefix(true)此功能。

<?xml version='1.0' encoding='UTF-8'?>
<beansxmlns='http://www.springframework.org/schema/beans'xmlns:xsi='http://www.w3.org/2001/XMLSchema-instance'xmlns:context='http://www.springframework.org/schema/context'xmlns:c='http://www.springframework.org/schema/c'xmlns:p='http://www.springframework.org/schema/p'xmlns:cache='http://www.springframework.org/schema/cache'xsi:schemaLocation='http://www.springframework.org/schema/beansvhttp://www.springframework.org/schema/beans/spring-beans.xsdhttp://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsdhttp://www.springframework.org/schema/cache http://www.springframework.org/schema/cache/spring-cache.xsd'><context:component-scan base-package='com.joshuawhite.example.service' /><context:property-placeholder location='classpath:/redis.properties'/><!-- turn on declarative caching --><cache:annotation-driven /><!-- Jedis ConnectionFactory --><beanid='jedisConnectionFactory'class='org.springframework.data.redis.connection.jedis.JedisConnectionFactory'p:host-name='${redis.host-name}'p:port='${redis.port}'p:use-pool='true'/><!-- redis template definition --><beanid='redisTemplate'class='org.springframework.data.redis.core.RedisTemplate'p:connection-factory-ref='jedisConnectionFactory'/><!-- declare Redis Cache Manager --><beanid='cacheManager'class='org.springframework.data.redis.cache.RedisCacheManager'c:template-ref='redisTemplate'/></beans>

下面的Java配置与上面的XML配置等效。 人们通常会习惯使用PropertySourcesPlaceholderConfigurer 。 要做到这一点,你需要使用两个 @PropertySource注释和定义PropertySourcesPlaceholderConfigurer豆。 PropertySourcesPlaceholderConfigurer是不够的。

package com.joshuawhite.example.config;import org.springframework.beans.factory.annotation.Value;
import org.springframework.cache.CacheManager;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.ComponentScan;
import org.springframework.context.annotation.Configuration;
import org.springframework.context.annotation.PropertySource;
import org.springframework.context.support.PropertySourcesPlaceholderConfigurer;
import org.springframework.data.redis.cache.RedisCacheManager;
import org.springframework.data.redis.connection.jedis.JedisConnectionFactory;
import org.springframework.data.redis.core.RedisTemplate;@Configuration
@ComponentScan('com.joshuawhite.example')
@PropertySource('classpath:/redis.properties')
public class AppConfig {private @Value('${redis.host-name}') String redisHostName;private @Value('${redis.port}') int redisPort;@Beanpublic static PropertySourcesPlaceholderConfigurer propertySourcesPlaceholderConfigurer() {return new PropertySourcesPlaceholderConfigurer();}@BeanJedisConnectionFactory jedisConnectionFactory() {JedisConnectionFactory factory = new JedisConnectionFactory();factory.setHostName(redisHostName);factory.setPort(redisPort);factory.setUsePool(true);return factory;}@BeanRedisTemplate<Object, Object> redisTemplate() {RedisTemplate<Object, Object> redisTemplate = new RedisTemplate<Object, Object>();redisTemplate.setConnectionFactory(jedisConnectionFactory());return redisTemplate;}@BeanCacheManager cacheManager() {return new RedisCacheManager(redisTemplate());}}

这是两种配置都使用的属性文件。 将下面的值替换为您使用的主机和端口。

redis.host-name=yourHostNameHere
redis.port=6379

输出量

最后,这是我们简短的示例应用程序的输出。 请注意,无论我们调用getHelloMessage('Josh')多少次,方法响应都不会被缓存。 这是因为我们定义了一个条件(请参见HelloServiceImpl.java ,第13行),其中仅当名称等于“ Joshua”时才缓存方法响应。 当我们第一次调用getHelloMessage('Joshua')时,将执行该方法。 但是,第二次不是。

Executing HelloServiceImpl.getHelloMessage('Josh')
message: Hello Josh!
Executing HelloServiceImpl.getHelloMessage('Josh')
message: Hello Josh!
Executing HelloServiceImpl.getHelloMessage('Joshua')
message: Hello Joshua!
Executing HelloServiceImpl.getHelloMessage('Joshua')
message: Hello Joshua!
Done.

到此,我们简要概述了使用Spring Data Redis进行缓存的过程。

参考: Joshua White博客博客中来自JCG合作伙伴 Joshua White的Spring Data Redis缓存 。

翻译自: https://www.javacodegeeks.com/2013/02/caching-with-spring-data-redis.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/369467.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

标准模板库(STL)学习指南之set集合

set是关联容器。其键值就是实值&#xff0c;实值就是键值&#xff0c;不可以有重复&#xff0c;所以我们不能通过set的迭代器来改变set的元素的值&#xff0c;set拥有和list相同的特性&#xff1a;当对他进行插入和删除操作的时候&#xff0c;操作之前的迭代器依然有效。当然删…

搜狗语料库数据整编

1 #!/bin/bash2 if [ -z "$1" ] ; then3 echo "请指定输入目录"4 exit 15 elif [ ! -d $1 ] ; then6 echo "[$1]不是一个合法的输入路径"7 exit 18 fi9 if [ -z "$2" ] ; then 10 echo "请指定输出目录" 11 exi…

linux oracle swd.oui,centos7安装oracle11g报错,请问怎么解?

centos7安装oracle11g报错&#xff0c;请问怎么解&#xff1f;在centos7下安装oracle11g到85%时报错提示Error in invoking target install of makefile ins_ctxm.mk查了log提示如下INFO: Start output from spawned process:INFO: ----------------------------------INFO:INF…

CSS布局技巧之——各种居中

居中是我们使用css来布局时常遇到的情况。使用css来进行居中时&#xff0c;有时一个属性就能搞定&#xff0c;有时则需要一定的技巧才能兼容到所有浏览器&#xff0c;本文就居中的一些常用方法做个简单的介绍。 注&#xff1a;本文所讲方法除了特别说明外&#xff0c;都是兼容…

OpenJPA:内存泄漏案例研究

本文将提供完整的根本原因分析详细信息以及解决影响Oracle Weblogic Server 10.0生产环境的Java堆内存泄漏&#xff08;Apache OpenJPA泄漏&#xff09;的方法。 这篇文章还将演示在管理javax.persistence.EntityManagerFactory生命周期时遵循Java Persistence API最佳实践的重…

了解真实的rem手机屏幕适配

rem 作为一个低调的长度单位&#xff0c;由于手机端网页的兴起&#xff0c;在屏幕适配中得到重用。使用 rem 前端开发者可以很方便的在各种屏幕尺寸下&#xff0c;通过等比缩放的方式达到设计图要求的效果。 rem 的官方定义『The font size of the root element.』&#xff0c;…

JDBC查询Oracle全部表名称,如何使用JDBC API从Oracle数据库中的现有表中检索记录?...

您可以使用UPDATE查询来更新/修改表中记录的现有内容。使用此功能&#xff0c;您可以更新表的所有记录或特定记录。语法UPDATE table_nameSET column1 value1, column2 value2...., columnN valueNWHERE [condition];要使用JDBC API更新表中记录的内容&#xff0c;您需要-注…

JUnit与EasyMock合作

开发人员始终需要注意所产生的代码。 在实施新功能或修复某些错误之后&#xff0c;应确保它们能够正常工作。 至少可以借助单元测试来实现。 由于此博客致力于Java编程语言&#xff0c;因此今天我将撰写有关JUnit 4.1和EasyMock 3. 1框架的文章。 这些框架的主要目的是简化单元…

nodejs获取当前url和url参数值

//需要使用的模块 http url 当前url http://localhost:8888/select?aa001&bb002 var http require(http); var URL require(url); http.createServer(function(req, res){var arg url.parse(req.url).query; //方法一arg > aa001&bb002var arg url.parse(…

以A表中的值快速更新B表中记录的方法

1、问题描述 有两张表&#xff0c;A表记录了某些实体的新属性&#xff0c;B表记录了每个实体的旧属性&#xff0c;现在打算用A中的属性值去更新B中相同实体的旧属性&#xff0c;如下图所示&#xff1a; 类似这样的需求&#xff0c;怎样做比较高效呢&#xff1f; 2、制作模拟数…

linux日志文件备份,LINUX 自动备份程序日志(shell)

定期备份脚本案列用tar压缩7天前日志删除7天压缩完日志删除压缩完356天前日志#&#xff01;/bin/bash#delete expire log#script name drop_log#script default remove 7 day log and remove remove archived a year ago#make date 2015/06/15result_clientfind /orafile/app/s…

HTML 网页创建

最简单的方式就是创建一个文本文档&#xff0c;然后将.txt后缀改为.html或者htm。 完成上面的步骤会创建一个完全空白的网页&#xff0c;下面填充一点内容&#xff0c;代码实例如下: <!DOCTYPE html> <html> <head> <meta charset" utf-8">…

Hadoop赠品–综述

各位极客&#xff0c; Packt Publishing关于Apache Hadoop 的书籍赠品已经结束。 您可以在此处找到比赛的原始帖子。 获奖者 将会获得这本书奖的6位幸运获奖者是&#xff08;姓名出现在他们的电子邮件中&#xff09;&#xff1a; Hadoop真实世界解决方案手册 Sellamuthu&…

企业级应用与互联网应用的区别

企业级应用&#xff1a;商业组织、大型企业而创建并部署的解决方案及应用。涉及的外部资源众多、事务密集、数据量大、用户众多、同时必须有较强的安全性考虑。 企业应用和互联网应用从根本来说是相同的&#xff0c;都是基于因特网、HTTP、浏览器的一种应用&#xff0c;但面向的…

hdu-2602 Bone Collector

题目 http://acm.hdu.edu.cn/showproblem.php?pid2602 分析 基础背包问题,有一个容量为V的背包,各种骨头有大小和价值两种属性,求背包能装的骨头的最大价值. AC代码 #include "bits/stdc.h" using namespace std; int val[1010], vol[1010], dp[1010]; int main(int…

linux vfs open函数,Linux VFS中open系统调用实现原理

用户空间的函数在内核里面的入口函数是sys_open通过grep open /usr/include/asm/unistd_64.h查找到的#define __NR_open2__SYSCALL(__NR_open, sys_open)观察unistd_64.h&#xff0c;我们可以猜测用户空间open函数最终调用的系统调用号是2来发起的sys_open系统调用(毕竟glibc一…

从如何停掉 Promise 链说起

在使用Promise处理一些复杂逻辑的过程中&#xff0c;我们有时候会想要在发生某种错误后就停止执行Promise链后面所有的代码。 然而Promise本身并没有提供这样的功能&#xff0c;一个操作&#xff0c;要么成功&#xff0c;要么失败&#xff0c;要么跳转到then里&#xff0c;要么…

JAXB教程–入门

注意&#xff1a;请查看我们的Java XML绑定JAXB教程– ULTIMATE指南 什么是JAXB&#xff1f; JAXB代表用于XML绑定的Java体系结构。它用于将XML转换为java对象&#xff0c;并将java对象转换为XML。JAXB定义了一个用于在XML文档中读写Java对象的API。与SAX和DOM不同&#xff0c…

《Kubernetes权威指南第2版》学习(二)一个简单的例子

1&#xff1a; 安装VirtualBox, 并下载CentOS-7-x86_64-DVD-1708.iso&#xff0c; 安装centOS7,具体过程可以百度。 2&#xff1a;开启centOS的SSH&#xff0c; 步骤如下&#xff1a; &#xff08;1&#xff09; yum list installed | grep openssh-server查看是否已经安装了SS…

create_volume.go

package apiimport ("net/http""io/ioutil""errors""fmt")//创建存储空间func CreateVolume(host string, port int, vid uint64) error {url : fmt.Sprintf("http://%s:%d/%d/", host, port, vid)resp, err : http.Post(ur…