Redis 由浅入深 (5) - Redis 旁路方案

2023-10-10 21:10

本文主要是介绍Redis 由浅入深 (5) - Redis 旁路方案,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

Redis 旁路方案

    • Redis旁路设计说明
      • 为什么需要旁路
    • Redis旁路设计的几种方案
      • 应用缓存旁路
        • 1.try catch
        • 2.try catch + 熔断旁路
        • 2.try catch + 熔断旁路 + 本地缓存
      • session旁路

Redis旁路设计说明

Redis的旁路设计是指Redis在宕机之后或者网络不通的情况下,应用系统能够正常的访问,做出正确的缓存方案切换,一般指切换到应用缓存。不会造成系统不可访问的情况。但从redis集群的设计运维来说,redis肯定要保持高可用的,换句话说是在redis服务层面去做高可用,而不是应用层面去找替代方案。比如:redis挂了之后 80% ~ 90%是因为高并发或者是大对象缓存导致阻塞、连接满了,或者是主从复制内存耗尽。假如说这种情况出现,就算应用配置不错也是顶不住的。所以说一般情况下使用Redis集群是不需要做redis的旁路设计的,如果redis不能访问是要直接做熔断设计的。

为什么需要旁路

可是有些情况,比如说手动重启redis/磁盘满了(redis和其他服务在一起),(普通应用redis服务挂的概率低到可以忽略不计)这时候需要重启redis。但是服务不能停且服务没有多少人访问的情况下进行切换到JVM缓存。还有种情况下是redis挂了之后能快速恢复,系统需要稍微顶一下。
当然还有一种情况是系统硬性需要做旁路设计。

如果要做旁路session切换就必须保证集群负载已经做好了IP hash,就是说每次用户访问过来都会访问到同一台服务器。F5的session粘连以及Nginx的IP hash都可以做到。

Redis旁路设计的几种方案

应用缓存旁路

1.try catch

在访问redis的时候如果redis服务不可访问的情况下会报错,这个时候再catch中访问数据库。

@Service
public class Side1 {@Autowiredprivate RedisTemplate<Object, Object> redisTemplate;public void execute () {try {redisTemplate.opsForValue().set("AAA", "BBB");throw new RuntimeException("Redis请求发生异常");} catch (Exception e) {// 查询数据库System.out.println("查询了数据库");}}
}
2.try catch + 熔断旁路

在上面得方案基础之上进行设计,加入说redis报异常了之后,使用全局volitile变量缓存下redis的状态,当下次请求的时候直接走数据库,起定时任务2s后恢复redis访问,如果redis仍不能访问继续设置volitile变量为false。直到redis能够正常访问。

@Service
public class Side2 {private static volatile boolean isAccessible = true;@Autowiredprivate RedisTemplate<Object, Object> redisTemplate;TimerTask timerTask = new TimerTask() {@Overridepublic void run() {isAccessible = true;}};public void execute () {try {if (isAccessible) {redisTemplate.opsForValue().set("AAA", "BBB");throw new RuntimeException("Redis请求发生异常");}} catch (Exception e) {// 查询数据库System.out.println("查询了数据库");isAccessible = false;new Timer().schedule(timerTask, 2000L);}}
}

这种方式Redis的操作代码可以封装成通用操作类,统一对异常进行处理,而不用每个请求处理一次。

2.try catch + 熔断旁路 + 本地缓存
@Service
public class Side3 {private static volatile boolean isAccessible = true;private Cache<String, Object> LOCAL_CACHE = CacheBuilder.newBuilder().expireAfterAccess(30, TimeUnit.MINUTES).maximumSize(10000).build();@Autowiredprivate RedisTemplate<Object, Object> redisTemplate;TimerTask timerTask = new TimerTask() {@Overridepublic void run() {isAccessible = true;}};public void execute () {try {if (isAccessible) {redisTemplate.opsForValue().set("AAA", "BBB");throw new RuntimeException("Redis请求发生异常");} else {Object aaa = LOCAL_CACHE.get("AAA", () -> {// 这里查询数据库返回默认值return "BBB";});}} catch (Exception e) {// 查询数据库System.out.println("查询了数据库");isAccessible = false;new Timer().schedule(timerTask, 2000L);}}
}
  • 这里的本地缓存可以使用Ehcache(2/3),也可以使用Guava Cache。最好不要自己写,一、性能可能不高,二、可能回出bug,三、写的可能不好还浪费时间。不要重复造轮子,但要知道轮子是怎么造的。
  • 这里只是很简单的写了下定时器,正常要用线程池去做,防止申请过多线程。

session旁路

1.冷切换
设置JVM参数或者在配置中心定义一个开启redis session的参数来确定是否使用redis,在系统代码中埋点来切换是否使用redis做session。

2.热切换
系统自动感知redis是否集群出现故障,如果出现故障立马切断redis使用JVM session。

Redis session和应用JVM session的热切换依赖于SessionRepoistoryFilter这个类,这个类会拦截Http Request将默认是使用的HttpSession替换为Redis Sesssion。但这个类的成员变量sessionRepository是不可更改的,我们如果需要修改起SessionRepository有两种方案:

① 重新SessionRepositoryFilter (推荐使用)
② 反射替换sessionRepository属性,这种方法很简单,就是检测到Redis集群不健康立马将sessionRepository属性替换为JVMSessionRepository。但这里有一个疑点,private final SessionRepository<S> sessionRepository;可以看到是由final修饰的属性,如果Java编译或者JIT实时编译的时候做了优化,将final属性做内联优化,这个时候其值是不可修改的,但我们这里引用的是变量,应该不会有这样的问题。我测试的时候用的就是这种方法来替换的,但我不清楚不同的JDK版本是否会有所差异还是有其他的问题。故建议还是重写SessionRepositoryFilter来替换。

Java 编译器不会对所有的 final 属型进行内联优化,只有八种基本类型属性和 LiteralString(直接用引号包裹而不是new关键字实例化的字符串) 会进行内联优化,对于引用类型不会则进行内联优化。此外,在运行期间才确定值的final属性也不会进行内联优化。

SessionRepositoryFilter

@Order(-2147483598)
public class SessionRepositoryFilter<S extends ExpiringSession> extends OncePerRequestFilter {private static final String SESSION_LOGGER_NAME = SessionRepositoryFilter.class.getName().concat(".SESSION_LOGGER");private static final Log SESSION_LOGGER;public static final String SESSION_REPOSITORY_ATTR;public static final String INVALID_SESSION_ID_ATTR;private static final String CURRENT_SESSION_ATTR;public static final int DEFAULT_ORDER = -2147483598;// session仓库private final SessionRepository<S> sessionRepository;private ServletContext servletContext;private MultiHttpSessionStrategy httpSessionStrategy = new CookieHttpSessionStrategy();public SessionRepositoryFilter(SessionRepository<S> sessionRepository) {if (sessionRepository == null) {throw new IllegalArgumentException("sessionRepository cannot be null");} else {this.sessionRepository = sessionRepository;}}public void setHttpSessionStrategy(HttpSessionStrategy httpSessionStrategy) {if (httpSessionStrategy == null) {throw new IllegalArgumentException("httpSessionStrategy cannot be null");} else {this.httpSessionStrategy = new SessionRepositoryFilter.MultiHttpSessionStrategyAdapter(httpSessionStrategy);}}public void setHttpSessionStrategy(MultiHttpSessionStrategy httpSessionStrategy) {if (httpSessionStrategy == null) {throw new IllegalArgumentException("httpSessionStrategy cannot be null");} else {this.httpSessionStrategy = httpSessionStrategy;}}protected void doFilterInternal(HttpServletRequest request, HttpServletResponse response, FilterChain filterChain) throws ServletException, IOException {request.setAttribute(SESSION_REPOSITORY_ATTR, this.sessionRepository);SessionRepositoryFilter<S>.SessionRepositoryRequestWrapper wrappedRequest = new SessionRepositoryFilter.SessionRepositoryRequestWrapper(request, response, this.servletContext);SessionRepositoryFilter<S>.SessionRepositoryResponseWrapper wrappedResponse = new SessionRepositoryFilter.SessionRepositoryResponseWrapper(wrappedRequest, response);HttpServletRequest strategyRequest = this.httpSessionStrategy.wrapRequest(wrappedRequest, wrappedResponse);HttpServletResponse strategyResponse = this.httpSessionStrategy.wrapResponse(wrappedRequest, wrappedResponse);try {filterChain.doFilter(strategyRequest, strategyResponse);} finally {wrappedRequest.commitSession();}}
}

整个代码的运行过程如下:
在这里插入图片描述
下面贴上代码:
CacheOperator

package com.allens.lettuce.cache;import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.redis.connection.RedisClusterNode;
import org.springframework.data.redis.connection.lettuce.LettuceConnectionFactory;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.stereotype.Service;import java.util.concurrent.ExecutionException;
import java.util.concurrent.FutureTask;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.TimeoutException;@Service
public class CacheOperator {@AutowiredRedisTemplate<Object, Object> redisTemplate;public void operate () {redisTemplate.opsForValue().set("aaa", "bbb");}@AutowiredLettuceConnectionFactory lettuceConnectionFactory;public boolean isRedisOk () {Iterable<RedisClusterNode> redisClusterNodes = lettuceConnectionFactory.getClusterConnection().clusterGetNodes();boolean flag = true;for (RedisClusterNode e : redisClusterNodes) {FutureTask<String> futureTask = new FutureTask<>(() -> redisTemplate.opsForCluster().ping(e));try {new Thread(futureTask::run).start();final String ping = futureTask.get(100, TimeUnit.MILLISECONDS);if (!ping.equals("PONG")) {flag = false;break;}} catch (InterruptedException | ExecutionException | TimeoutException interruptedException) {interruptedException.printStackTrace();flag = false;}}return flag;}
}

RedisConfig

package com.allens.lettuce.cache;import org.springframework.cache.CacheManager;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.data.redis.cache.RedisCacheConfiguration;
import org.springframework.data.redis.cache.RedisCacheManager;
import org.springframework.data.redis.connection.RedisConnectionFactory;
import org.springframework.data.redis.core.RedisTemplate;
import org.springframework.data.redis.serializer.Jackson2JsonRedisSerializer;
import org.springframework.data.redis.serializer.RedisSerializationContext;
import org.springframework.data.redis.serializer.RedisSerializer;
import org.springframework.data.redis.serializer.StringRedisSerializer;import java.time.Duration;@Configuration
public class RedisConfig {@BeanRedisTemplate<Object, Object> redisTemplate (RedisConnectionFactory redisConnectionFactory) {RedisTemplate<Object, Object> redisTemplate = new RedisTemplate<>();Jackson2JsonRedisSerializer<Object> jackson2JsonRedisSerializer = new Jackson2JsonRedisSerializer<>(Object.class);redisTemplate.setDefaultSerializer(jackson2JsonRedisSerializer);redisTemplate.setKeySerializer(new StringRedisSerializer());redisTemplate.setValueSerializer(jackson2JsonRedisSerializer);redisTemplate.setConnectionFactory(redisConnectionFactory);return redisTemplate;}@BeanCacheManager cacheManager (RedisConnectionFactory redisConnectionFactory) {RedisCacheConfiguration redisCacheConfiguration = RedisCacheConfiguration.defaultCacheConfig().serializeValuesWith(RedisSerializationContext.SerializationPair.fromSerializer(RedisSerializer.string())).prefixKeysWith("allens").entryTtl(Duration.ofMinutes(5));return RedisCacheManager.RedisCacheManagerBuilder.fromConnectionFactory(redisConnectionFactory).withCacheConfiguration("test", redisCacheConfiguration).build();}
}

RedisState

package com.allens.lettuce.config;public class RedisState {public static volatile boolean REDIS_IS_OK = true;
}

RedisStateListener

package com.allens.lettuce.config;import com.allens.lettuce.cache.CacheOperator;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.context.event.ApplicationStartedEvent;
import org.springframework.context.ApplicationListener;
import org.springframework.session.data.redis.RedisIndexedSessionRepository;
import org.springframework.session.web.http.SessionRepositoryFilter;
import org.springframework.stereotype.Component;import java.lang.reflect.Field;@Component
public class RedisStateListener implements ApplicationListener<ApplicationStartedEvent> {@AutowiredCacheOperator cacheOperator;@AutowiredSessionRepositoryFilter sessionRepositoryFilter;private static RedisIndexedSessionRepository redisSessionRepository = null;@Overridepublic void onApplicationEvent(ApplicationStartedEvent applicationStartedEvent) {new Thread(() -> {while (true) {try {boolean isOk = cacheOperator.isRedisOk();RedisState.REDIS_IS_OK = isOk;System.out.println("redis 健康检查..." + isOk);try {if (!isOk) {Field sessionRepository = SessionRepositoryFilter.class.getDeclaredField("sessionRepository");sessionRepository.setAccessible(true);if (this.redisSessionRepository == null) {this.redisSessionRepository = (RedisIndexedSessionRepository) sessionRepository.get(sessionRepositoryFilter);sessionRepository.set(sessionRepositoryFilter, new SwitchSessionRepository());}} else {if (this.redisSessionRepository != null) {Field sessionRepository = SessionRepositoryFilter.class.getDeclaredField("sessionRepository");sessionRepository.setAccessible(true);sessionRepository.set(sessionRepositoryFilter, this.redisSessionRepository);this.redisSessionRepository = null;}}} catch (NoSuchFieldException e) {e.printStackTrace();} catch (IllegalAccessException e) {e.printStackTrace();}Thread.sleep(10000);} catch (InterruptedException e) {e.printStackTrace();}}}).start();}
}

SwitchSessionRepository

package com.allens.lettuce.config;import org.springframework.session.MapSession;
import org.springframework.session.SessionRepository;
import java.util.concurrent.ConcurrentHashMap;public class SwitchSessionRepository implements SessionRepository<MapSession> {/*** 存储所有的session*/private ConcurrentHashMap<String, MapSession> cache = new ConcurrentHashMap<>();@Overridepublic MapSession createSession() {return new MapSession();}@Overridepublic void save(MapSession mapSession) {cache.put(mapSession.getId(), mapSession);}@Overridepublic MapSession findById(String s) {return cache.get(s);}@Overridepublic void deleteById(String s) {cache.remove(s);}
}

学习更多干货类容(JAVA、前端、Kafka、redis等等)请关注我的公众号
互联网技术专栏

这篇关于Redis 由浅入深 (5) - Redis 旁路方案的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/183111

相关文章

Java进行文件格式校验的方案详解

《Java进行文件格式校验的方案详解》这篇文章主要为大家详细介绍了Java中进行文件格式校验的相关方案,文中的示例代码讲解详细,感兴趣的小伙伴可以跟随小编一起学习一下... 目录一、背景异常现象原因排查用户的无心之过二、解决方案Magandroidic Number判断主流检测库对比Tika的使用区分zip

Redis 中的热点键和数据倾斜示例详解

《Redis中的热点键和数据倾斜示例详解》热点键是指在Redis中被频繁访问的特定键,这些键由于其高访问频率,可能导致Redis服务器的性能问题,尤其是在高并发场景下,本文给大家介绍Redis中的热... 目录Redis 中的热点键和数据倾斜热点键(Hot Key)定义特点应对策略示例数据倾斜(Data S

IDEA中Git版本回退的两种实现方案

《IDEA中Git版本回退的两种实现方案》作为开发者,代码版本回退是日常高频操作,IntelliJIDEA集成了强大的Git工具链,但面对reset和revert两种核心回退方案,许多开发者仍存在选择... 目录一、版本回退前置知识二、Reset方案:整体改写历史1、IDEA图形化操作(推荐)1.1、查看提

redis+lua实现分布式限流的示例

《redis+lua实现分布式限流的示例》本文主要介绍了redis+lua实现分布式限流的示例,可以实现复杂的限流逻辑,如滑动窗口限流,并且避免了多步操作导致的并发问题,具有一定的参考价值,感兴趣的可... 目录为什么使用Redis+Lua实现分布式限流使用ZSET也可以实现限流,为什么选择lua的方式实现

Redis中管道操作pipeline的实现

《Redis中管道操作pipeline的实现》RedisPipeline是一种优化客户端与服务器通信的技术,通过批量发送和接收命令减少网络往返次数,提高命令执行效率,本文就来介绍一下Redis中管道操... 目录什么是pipeline场景一:我要向Redis新增大批量的数据分批处理事务( MULTI/EXE

Redis中高并发读写性能的深度解析与优化

《Redis中高并发读写性能的深度解析与优化》Redis作为一款高性能的内存数据库,广泛应用于缓存、消息队列、实时统计等场景,本文将深入探讨Redis的读写并发能力,感兴趣的小伙伴可以了解下... 目录引言一、Redis 并发能力概述1.1 Redis 的读写性能1.2 影响 Redis 并发能力的因素二、

Redis中的常用的五种数据类型详解

《Redis中的常用的五种数据类型详解》:本文主要介绍Redis中的常用的五种数据类型详解,具有很好的参考价值,希望对大家有所帮助,如有错误或未考虑完全的地方,望不吝赐教... 目录Redis常用的五种数据类型一、字符串(String)简介常用命令应用场景二、哈希(Hash)简介常用命令应用场景三、列表(L

Python实现html转png的完美方案介绍

《Python实现html转png的完美方案介绍》这篇文章主要为大家详细介绍了如何使用Python实现html转png功能,文中的示例代码讲解详细,感兴趣的小伙伴可以跟随小编一起学习一下... 1.增强稳定性与错误处理建议使用三层异常捕获结构:try: with sync_playwright(

Java使用多线程处理未知任务数的方案介绍

《Java使用多线程处理未知任务数的方案介绍》这篇文章主要为大家详细介绍了Java如何使用多线程实现处理未知任务数,文中的示例代码讲解详细,感兴趣的小伙伴可以跟随小编一起学习一下... 知道任务个数,你可以定义好线程数规则,生成线程数去跑代码说明:1.虚拟线程池:使用 Executors.newVir

Redis解决缓存击穿问题的两种方法

《Redis解决缓存击穿问题的两种方法》缓存击穿问题也叫热点Key问题,就是⼀个被高并发访问并且缓存重建业务较复杂的key突然失效了,无数的请求访问会在瞬间给数据库带来巨大的冲击,本文给大家介绍了Re... 目录引言解决办法互斥锁(强一致,性能差)逻辑过期(高可用,性能优)设计逻辑过期时间引言缓存击穿:给