spring+redis实例(二)
这一篇redis实例是基于序列化储存-(写入对象,读取对象)
在spring+redis(一)中我们介绍了在spring中怎么去操作储存redis,基于string的储存,今天我们介绍一下redis基于序列化的储存。
平常在项目里面往数据库存贮的大多数是一个对象,因为我们好多都是面向对象开发。
下面的例子介绍了往redis数据库里面写入session对象:
1.既然是写入一个对象,我们肯定要有一个对象,下面是一个session class:
package com.lcc.api.dto.session; import java.io.Serializable;
import java.util.Map; public class MobileSessionInfo extends SessionInfo implements Serializable { private static final long serialVersionUID = -9170869913976089130L; private Map<String, String> emails; public Map<String, String> getEmails() {
return emails;
} public void setEmails(Map<String, String> emails) {
this.emails = emails;
} @Override
public String toString() {
return new StringBuilder().append("{emails: ").append(emails).append("}").toString();
}
}
package com.lcc.api.dto.session;
import java.io.Serializable;
public abstract class SessionInfo implements Serializable {
private static final long serialVersionUID = 6544973626519192604L;
private String key;
// timestamp
private Long createdAt;
// unit: second
private Long expiryTime;
public String getKey() {
return key;
}
public void setKey(String key) {
this.key = key;
}
public Long getCreatedAt() {
return createdAt;
}
public void setCreatedAt(Long createdAt) {
this.createdAt = createdAt;
}
public Long getExpiryTime() {
return expiryTime;
}
public void setExpiryTime(Long expiryTime) {
this.expiryTime = expiryTime;
}
@Override
public String toString() {
return new StringBuilder().append("{key: ").append(key).append(", createdAt: ").append(createdAt)
.append(", expiryTime: ").append(expiryTime).append("}").toString();
}
}
2.接下来写一个service去操作写入session对象:
package com.lcc.service.app.impl; import com.lcc.api.dto.session.MobileSessionInfo;
import com.lcc.service.BaseAuthorityService;
import com.lcc.service.app.DeviceService; import java.util.HashMap;
import java.util.Map; public class DeviceServiceImpl implements DeviceService { private BaseAuthorityService authorityService; private Long expiryTime = 24*60*60L; public void setAuthorityService(BaseAuthorityService authorityService) {
this.authorityService = authorityService;
} public void setExpiryTime(Long expiryTime) {
this.expiryTime = expiryTime;
} @Override
public void catchSession(String deviceId) {
MobileSessionInfo session = new MobileSessionInfo();
Map<String, String> emails = new HashMap<String, String>();
session.setKey(deviceId);
session.setEmails(emails);
session.setExpiryTime(expiryTime);
authorityService.saveSessionInfo(session);
}
}
package com.lcc.service; import com.lcc.domain.enums.SessionCacheMode;
import com.lcc.api.dto.session.SessionInfo; public interface BaseAuthorityService { SessionInfo getSessionInfo(String sessionId); void saveSessionInfo(SessionInfo session); SessionCacheMode getCacheMode();
}
package com.lcc.api.domain.enums;
public enum SessionCacheMode {
LOCAL(1), //
REDIS(2);
private Integer value;
SessionCacheMode(Integer value) {
this.value = value;
}
public Integer getValue() {
return value;
}
public static SessionCacheMode fromValue(Integer value) {
for (SessionCacheMode mode : values()) {
if (mode.getValue() == value) {
return mode;
}
}
return null;
}
}
package com.lcc.authority; import com.google.common.collect.Maps;
import com.lcc.api.domain.enums.SessionCacheMode;
import com.lcc.api.dto.session.SessionInfo;
import com.lcc.logger.Logger;
import com.lcc.logger.LoggerFactory;
import com.lcc.service.BaseAuthorityService;
import org.joda.time.LocalDateTime;
import org.springframework.data.redis.core.RedisTemplate; import java.util.Date;
import java.util.concurrent.ConcurrentMap;
import java.util.concurrent.TimeUnit; public class AuthorityService implements BaseAuthorityService { private static final Logger LOGGER = LoggerFactory.getLogger(AuthorityService.class); private static final String CAHCE_MODE_KEY = "cache-mode"; private RedisTemplate<String, SessionInfo> sessionTemplate; public void setSessionTemplate(RedisTemplate<String, SessionInfo> sessionTemplate) {
this.sessionTemplate = sessionTemplate;
} /**
* session global attributes
* <p>
* default open redis session cache mode
* </p>
*
*/
private static final ConcurrentMap<String, Object> BUCKETS = Maps.newConcurrentMap();
static {
BUCKETS.put(CAHCE_MODE_KEY, SessionCacheMode.REDIS);
} @Override
public SessionInfo getSessionInfo(String sessionId) {
LOGGER.info("get session {}, cache mode {}", sessionId, getCacheMode()); SessionInfo sessionInfo = null;
try {
sessionInfo = sessionTemplate.opsForValue().get(sessionId);
} catch (Exception e) {
LOGGER.error("get session from redis exception", e);
}
return sessionInfo;
} @Override
public void saveSessionInfo(SessionInfo session) {
session.setCreatedAt(LocalDateTime.now().toDate().getTime());
try {
sessionTemplate.opsForValue().set(session.getKey(), session);
sessionTemplate.expire(session.getKey(), session.getExpiryTime(), TimeUnit.SECONDS);
} catch (Exception e) {
LOGGER.error("H5 save session exception, open local cache mode", e);
}
} @Override
public SessionCacheMode getCacheMode() {
return (SessionCacheMode) BUCKETS.get(CAHCE_MODE_KEY);
}
}
3.基本的java class搞定了,然后看下spring配置文件:
<bean class="org.springframework.data.redis.core.RedisTemplate"
id="authorityCacheRedisJdkSerializationTemplate" p:connection-factory-ref="h5SessionRedisConnectionFactory">
<property name="keySerializer">
<bean
class="org.springframework.data.redis.serializer.StringRedisSerializer"/>
</property>
<property name="valueSerializer">
<bean
class="org.springframework.data.redis.serializer.JdkSerializationRedisSerializer"/>
</property>
</bean> <bean id="h5SessionRedisConnectionFactory" class="org.springframework.data.redis.connection.jedis.JedisConnectionFactory"
p:host-name="${redis.session.host}" p:port="${redis.session.port}">
<constructor-arg index="0" ref="jedisPoolConfig" />
</bean> <bean id="jedisPoolConfig" class="redis.clients.jedis.JedisPoolConfig">
<property name="maxTotal" value="60"/>
<property name="maxIdle" value="15"/>
<property name="testOnBorrow" value="true"/>
</bean>
<bean id="deviceService" class="com.opentrans.otms.service.xtt.impl.DeviceServiceImpl">
<property name="authorityService" ref="authorityService" />
<property name="expiryTime" value="${session.expiry.time}" />
</bean> <bean id="authorityService" class="com.opentrans.otms.authority.AuthorityService" >
<property name="sessionTemplate" ref="authorityCacheRedisJdkSerializationTemplate" />
</bean>
总结:redis序列化操作和文本操作最主要的区别是RedisTemplate里面两个属性的配置不同:
一个是keySerializer一个是valueSerializer(StringRedisSerializer|JdkSerializationRedisSerializer)
<bean class="org.springframework.data.redis.core.RedisTemplate"
id="truckkCacheRedisJdkSerializationTemplate" p:connection-factory-ref="truckCacheRedisConnectionFactory">
<property name="keySerializer">
<bean
class="org.springframework.data.redis.serializer.StringRedisSerializer"/>
</property>
<property name="valueSerializer">
<bean
class="org.springframework.data.redis.serializer.StringRedisSerializer"/>
</property>
</bean> <bean class="org.springframework.data.redis.core.RedisTemplate"
id="authorityCacheRedisJdkSerializationTemplate" p:connection-factory-ref="h5SessionRedisConnectionFactory">
<property name="keySerializer">
<bean
class="org.springframework.data.redis.serializer.StringRedisSerializer"/>
</property>
<property name="valueSerializer">
<bean
class="org.springframework.data.redis.serializer.JdkSerializationRedisSerializer"/>
</property>
</bean>
spring+redis实例(二)的更多相关文章
- spring + redis 实例(一)
这一篇主要是redis操作工具类以及基本配置文本储存 首先我们需要定义一个redisUtil去操作底层redis数据库: package com.lcc.cache.redis; import jav ...
- springMVC+Hibernate4+spring整合实例二(实例代码部分)
UserController.java 代码: package com.edw.controller; import java.io.IOException; import java.io.Print ...
- python3.4学习笔记(二十五) Python 调用mysql redis实例代码
python3.4学习笔记(二十五) Python 调用mysql redis实例代码 #coding: utf-8 __author__ = 'zdz8207' #python2.7 import ...
- redis之(二十一)redis之深入理解Spring Redis的使用
关于spring redis框架的使用,网上的例子很多很多.但是在自己最近一段时间的使用中,发现这些教程都是入门教程,包括很多的使用方法,与spring redis丰富的api大相径庭,真是浪费了这么 ...
- 使用CacheCloud管理Redis实例
转载来源:http://www.ywnds.com/?p=10610 一.CacheCloud是什么? 最近在使用CacheCloud管理Redis,所以简单说一下,这里主要说一下我碰到的问题.Cac ...
- spring redis入门
小二,上菜!!! 1. 虚拟机上安装redis服务 下载tar包,wget http://download.redis.io/releases/redis-2.8.19.tar.gz. 解压缩,tar ...
- redis 实例2 构建文章投票网站后端
redis 实例2 构建文章投票网站后端 1.限制条件 一.如果网站获得200张支持票,那么这篇文章被设置成有趣的文章 二.如果网站发布的文章中有一定数量被认定为有趣的文章,那么这些文章需要被设置 ...
- 分布式缓存技术redis学习—— 深入理解Spring Redis的使用
关于spring redis框架的使用,网上的例子很多很多.但是在自己最近一段时间的使用中,发现这些教程都是入门教程,包括很多的使用方法,与spring redis丰富的api大相径庭,真是浪费了这么 ...
- Spring Security4实例(Java config 版) —— Remember-Me
本文源码请看这里 相关文章: Spring Security4实例(Java config版)--ajax登录,自定义验证 Spring Security提供了两种remember-me的实现,一种是 ...
随机推荐
- OpenCV笔记(4)(直方图、傅里叶变换、高低通滤波)
一.直方图 用于统计图片中各像素值: # 画一个图像各通道的直方图 def draw_hist(img): color = ('b', 'g', 'r') for i, col in enumerat ...
- Open Cascade 转化为OpenSceneGraph中的Mesh
#include <osgDB/ReadFile> #include <osgViewer/Viewer> #include <osgGA/StateSetManipul ...
- 插入排序,选择排序,冒泡排序等常用排序算法(java实现)
package org.webdriver.autotest.Study; import java.util.*; public class sort_examp{ public static voi ...
- Java多线程和并发(十二),Java线程池
目录 1.利用Executors创建线程的五种不同方式 2.为什么要使用线程池 3.Executor的框架 4.J.U.C的三个Executor接口 5.ThreadPoolExecutor 6.线程 ...
- 格子游戏x(并查集)
格子游戏 [问题描述] Alice和Bob玩了一个古老的游戏:首先画一个n * n的点阵(下图n = 3) 接着,他们两个轮流在相邻的点之间画上红边和蓝边: 直到围成一个封闭的圈( ...
- 20175212童皓桢 实验四 Android程序设计
20175212童皓桢 实验四 Android程序设计 实验内容 参考<Java和Android开发学习指南(第二版)(EPUBIT,Java for Android 2nd)>并完成相关 ...
- Ruby Programming学习笔记
#将ARGV[0]转换成正则表达式类型 pattern= Regexp.new(ARGV[0]) #Devise gem包 Devise是Ruby中使用最广泛的身份验证gem包之一.Devise为我们 ...
- legend3---laravel中获取控制器名称和方法名称
legend3---laravel中获取控制器名称和方法名称 一.总结 一句话总结: \Route::current()->getActionName();会有完整的当前控制器名和方法名 pub ...
- leetcode-easy-design-384 Shuffle an Array
mycode class Solution(object): def __init__(self, nums): """ :type nums: List[int] &q ...
- GIS开源程序收集
每一个项目包含以下信息: 名称 主题 分类 描述 开始时间 语言 许可 演示网址 项目网址 成熟度 活跃度 评价 分类包括:GIS基础函数库.GIS控件.GIS桌面程序.GIS数据引擎.WEBGI ...