当前位置:   article > 正文

redis 使用互斥锁或逻辑过期两种方案解决缓存击穿,和缓存穿透(用缓存空值 或布隆过滤器)的解决方案

redis 使用互斥锁或逻辑过期两种方案解决缓存击穿,和缓存穿透(用缓存空值 或布隆过滤器)的解决方案

缓存穿透
        缓存穿透是指在缓存中查找一个不存在的值,由于缓存一般不会存储这种无效的数据,所以每次查询都会落到数据库上,导致数据库压力增大,严重时可能会导致数据库宕机。
解决方案:
缓存空值 (本文此方案)
布隆过滤器
3 增强id的复杂度
4 做好数据的基础格式校验
5 做好热点参数的限流


缓存击穿
        缓存击穿是指一个被频繁访问(高并发访问并且缓存重建业务较复杂)的缓存键因为过期失效,同时又有大量并发请求访问此键,导致请求直接落到数据库或后端服务上,增加了系统的负载并可能导致系统崩溃 
解决方案
互斥锁
逻辑过期


1 前提先好做redis与springboot的集成,redisson的集成【用于加锁解锁】【本文用的redisson】
   另外用到了hutool的依赖


2 缓存对象封装的类,这里只是逻辑过期方案可以用上,你也可以自己改

  1. /**
  2. * 决缓存击穿--(设置逻辑过期时间)
  3. */
  4. @Data
  5. public class RedisData {
  6. //逻辑过期时间
  7. private LocalDateTime expireTime;
  8. //缓存实际的内容
  9. private Object data;
  10. }

3 相关的常量

  1. public class Constant {
  2. //缓存空值的ttl时间
  3. public static final Long CACHE_NULL_TTL = 2L;
  4. //缓存时间,单位程序里参数传
  5. public static final Long CACHE_NEWS_TTL = 10L;
  6. //缓存前缀,根据模块来
  7. public static final String CACHE_NEWS_KEY = "cache:news:";
  8. //锁-前缀,根据模块来
  9. public static final String LOCK_NEWS_KEY = "lock:news:";
  10. //持有锁的时间
  11. public static final Long LOCK_TTL = 10L;
  12. }

4 缓存核心类

  1. import cn.hutool.core.util.StrUtil;
  2. import cn.hutool.json.JSONObject;
  3. import cn.hutool.json.JSONUtil;
  4. import lombok.extern.slf4j.Slf4j;
  5. import org.redisson.api.RLock;
  6. import org.redisson.api.RedissonClient;
  7. import org.springframework.beans.factory.annotation.Autowired;
  8. import org.springframework.data.redis.core.StringRedisTemplate;
  9. import org.springframework.stereotype.Component;
  10. import java.time.LocalDateTime;
  11. import java.time.temporal.ChronoUnit;
  12. import java.util.concurrent.ExecutorService;
  13. import java.util.concurrent.Executors;
  14. import java.util.concurrent.TimeUnit;
  15. import java.util.concurrent.atomic.AtomicInteger;
  16. import java.util.function.Function;
  17. import static org.example.service_a.cache.Constant.CACHE_NULL_TTL;
  18. import static org.example.service_a.cache.Constant.LOCK_NEWS_KEY;
  19. @Slf4j
  20. @Component
  21. //封装的将Java对象存进redis 的工具类
  22. public class CacheClient {
  23. @Autowired
  24. private StringRedisTemplate stringRedisTemplate;
  25. @Autowired
  26. private RedissonClient redissonClient;
  27. // 定义线程池
  28. private static final ExecutorService CACHE_REBUILD_EXECUTOR = Executors.newFixedThreadPool(Runtime.getRuntime().availableProcessors() * 2);
  29. AtomicInteger atomicInteger = new AtomicInteger();
  30. /**
  31. * 设置TTL过期时间set
  32. *
  33. * @param key
  34. * @param value
  35. * @param time
  36. * @param unit
  37. */
  38. public void set(String key, Object value, Long time, TimeUnit unit) {
  39. // 需要把value序列化为string类型
  40. String jsonStr = JSONUtil.toJsonStr(value);
  41. stringRedisTemplate.opsForValue().set(key, jsonStr, time, unit);
  42. }
  43. /**
  44. * 缓存穿透功能封装
  45. *
  46. * @param id
  47. * @return
  48. */
  49. public <R, ID> R queryWithPassThrough(String keyPrefix, ID id, Class<R> type, Function<ID, R> dbFallback, Long time, TimeUnit unit) {
  50. String key = keyPrefix + id;
  51. //1. 从Redis中查询缓存
  52. String Json = stringRedisTemplate.opsForValue().get(key);
  53. //2. 判断是否存在
  54. if (StrUtil.isNotBlank(Json)) {
  55. //3. 存在,直接返回
  56. return JSONUtil.toBean(Json, type);
  57. }
  58. // 这里要先判断命中的是否是null,因为是null的话也是被上面逻辑判断为不存在
  59. // 这里要做缓存穿透处理,所以要对null多做一次判断,如果命中的是null则shopJson为""
  60. if ("".equals(Json)) {
  61. return null;
  62. }
  63. //4. 不存在,根据id查询数据库
  64. R r = dbFallback.apply(id);
  65. log.error("查询数据库次数 {}",atomicInteger.incrementAndGet());
  66. if (r == null) {
  67. //5. 不存在,将null写入redis,以便下次继续查询缓存时,如果还是查询空值可以直接返回false信息
  68. stringRedisTemplate.opsForValue().set(key, "", CACHE_NULL_TTL, TimeUnit.MINUTES);
  69. return null;
  70. }
  71. //6. 存在,写入Redis
  72. this.set(key, r, time, unit);
  73. //7. 返回
  74. return r;
  75. }
  76. /**
  77. * 解决缓存击穿--(互斥锁)
  78. * @param keyPrefix
  79. * @param id
  80. * @param type
  81. * @param dbFallback
  82. * @param time
  83. * @param unit
  84. * @return
  85. * @param <R>
  86. * @param <ID>
  87. */
  88. public <R, ID> R queryWithMutex(String keyPrefix, ID id, Class<R> type, Function<ID, R> dbFallback, Long time, TimeUnit unit)
  89. {
  90. String key = keyPrefix + id;
  91. // 1.从redis查询商铺缓存
  92. String shopJson = stringRedisTemplate.opsForValue().get(key);
  93. // 2.判断是否存在
  94. if (StrUtil.isNotBlank(shopJson)) {
  95. // 3.存在,直接返回
  96. return JSONUtil.toBean(shopJson, type);
  97. }
  98. // 判断命中的是否是空值
  99. if (shopJson != null) {
  100. // 返回一个错误信息
  101. return null;
  102. }
  103. log.error("缓存重建----");
  104. // 4.实现缓存重建
  105. // 4.1.获取互斥锁
  106. String lockKey = LOCK_NEWS_KEY + id;
  107. R r = null;
  108. try {
  109. boolean isLock = tryLock(lockKey);
  110. // 4.2.判断是否获取成功
  111. if (!isLock) {
  112. // 4.3.获取锁失败,休眠并重试
  113. Thread.sleep(10);
  114. return queryWithMutex(keyPrefix, id, type, dbFallback, time, unit);
  115. }
  116. // 4.4.获取锁成功,根据id查询数据库
  117. r = dbFallback.apply(id);
  118. log.info("查询数据库次数 {}",atomicInteger.incrementAndGet());
  119. // 5.不存在,返回错误
  120. if (r == null) {
  121. // 将空值写入redis
  122. stringRedisTemplate.opsForValue().set(key, "", CACHE_NULL_TTL, TimeUnit.MINUTES);
  123. // 返回错误信息
  124. return null;
  125. }
  126. // 6.存在,写入redis
  127. this.set(key, r, time, unit);
  128. } catch (InterruptedException e) {
  129. throw new RuntimeException(e);
  130. }finally {
  131. // 7.释放锁
  132. unLock(lockKey);
  133. }
  134. // 8.返回
  135. return r;
  136. }
  137. /**
  138. * --------------注意 key 没有加过期时间,会一直存在,只是 缓存的内容里有个字段,标识了过期的时间----------------
  139. * 设置逻辑过期set
  140. *
  141. * @param key
  142. * @param value
  143. * @param time
  144. * @param chronoUnit
  145. */
  146. public void setWithLogicExpire(String key, Object value, Long time, ChronoUnit chronoUnit) {
  147. // 设置逻辑过期
  148. RedisData redisData = new RedisData();
  149. redisData.setData(value);
  150. redisData.setExpireTime(LocalDateTime.now().plus(time, chronoUnit));
  151. // 需要把value序列化为string类型
  152. String jsonStr = JSONUtil.toJsonStr(redisData);
  153. stringRedisTemplate.opsForValue().set(key, jsonStr);
  154. }
  155. /**
  156. * 解决缓存击穿--(设置逻辑过期时间)方式
  157. * 1. 组合键名,从Redis查询缓存。
  158. * 2. 缓存不存在,直接返回(预设热点数据已预热)。
  159. * 3. 解析缓存内容,获取过期时间。
  160. * 4. 若未过期,直接返回数据。
  161. * 5. 已过期,执行缓存重建流程:
  162. * a. 尝试获取互斥锁。
  163. * b. 二次检查缓存是否已重建且未过期,若是则返回数据。
  164. * c. 成功获取锁,异步执行:
  165. * i. 查询数据库获取最新数据。
  166. * ii. 重新写入Redis缓存,附带新的逻辑过期时间。
  167. * iii. 最终释放锁。
  168. * 6. 未能获取锁,直接返回旧数据。
  169. *
  170. * @param id
  171. * @return
  172. */
  173. public <R, ID> R queryWithLogicalExpire(String keyPrefix, ID id, Class<R> type, Function<ID, R> dbFallback, Long time, ChronoUnit chronoUnit) throws InterruptedException {
  174. String key = keyPrefix + id;
  175. //1. 从Redis中查询缓存
  176. String Json = stringRedisTemplate.opsForValue().get(key);
  177. //2. 判断是否存在
  178. if (StrUtil.isBlank(Json)) {
  179. //3. 不存在,直接返回(这里做的是热点key,先要预热,所以已经假定热点key已经在缓存中)
  180. return null;
  181. }
  182. //4. 存在,需要判断过期时间,需要先把json反序列化为对象
  183. RedisData redisData = JSONUtil.toBean(Json, RedisData.class);
  184. R r = JSONUtil.toBean((JSONObject) redisData.getData(), type);
  185. LocalDateTime expireTime = redisData.getExpireTime();
  186. //5. 判断是否过期
  187. if (expireTime.isAfter(LocalDateTime.now())) {
  188. //5.1 未过期,直接返回店铺信息
  189. return r;
  190. }
  191. log.error("缓存内容已逻辑过期-----------{}",LocalDateTime.now());
  192. //5.2 已过期,需要缓存重建
  193. //6. 缓存重建
  194. //6.1 获取互斥锁
  195. String lockKey = LOCK_NEWS_KEY + id;
  196. //6.2 判断是否获取锁成功
  197. boolean isLock = tryLock(lockKey);
  198. if (isLock) {
  199. // 二次验证是否过期,防止多线程下出现缓存重建多次
  200. String Json2 = stringRedisTemplate.opsForValue().get(key);
  201. // 这里假定key存在,所以不做存在校验
  202. // 存在,需要判断过期时间,需要先把json反序列化为对象
  203. RedisData redisData2 = JSONUtil.toBean(Json2, RedisData.class);
  204. R r2 = JSONUtil.toBean((JSONObject) redisData2.getData(), type);
  205. LocalDateTime expireTime2 = redisData2.getExpireTime();
  206. if (expireTime2.isAfter(LocalDateTime.now())) {
  207. // 未过期,直接返回店铺信息
  208. return r2;
  209. }
  210. //6.3 成功,开启独立线程,实现缓存重建
  211. CACHE_REBUILD_EXECUTOR.submit(() -> {
  212. try {
  213. // 重建缓存,这里设置的值小一点,方便观察程序执行效果,实际开发应该设为30min
  214. // 查询数据库
  215. R apply = dbFallback.apply(id);
  216. log.info("查询数据库次数 {}",atomicInteger.incrementAndGet());
  217. // 写入redis
  218. this.setWithLogicExpire(key, apply, time, chronoUnit);
  219. } catch (Exception e) {
  220. throw new RuntimeException(e);
  221. } finally {
  222. // 释放锁
  223. unLock(lockKey);
  224. }
  225. });
  226. }
  227. //7. 返回,如果没有获得互斥锁,会直接返回旧数据
  228. return r;
  229. }
  230. /**
  231. * 加锁
  232. * @param lockKey
  233. * @return
  234. */
  235. private boolean tryLock(String lockKey) {
  236. RLock lock = redissonClient.getLock(lockKey);
  237. try {
  238. // 尝试获取锁,最多等待10秒,获取到锁后自动 LOCK_SHOP_TTL 0秒后解锁
  239. return lock.tryLock(10, Constant.LOCK_TTL, TimeUnit.SECONDS);
  240. } catch (Exception e) {
  241. Thread.currentThread().interrupt();
  242. // 重新抛出中断异常
  243. log.error("获取锁时发生中断异常", e);
  244. return false;
  245. }
  246. }
  247. /**
  248. * 解锁
  249. * @param lockKey
  250. */
  251. private void unLock(String lockKey) {
  252. RLock lock = redissonClient.getLock(lockKey);
  253. lock.unlock(); // 解锁操作
  254. }
  255. }

5 缓存预热和测试

  1. import cn.hutool.json.JSONUtil;
  2. import org.example.common.AppResult;
  3. import org.example.common.AppResultBuilder;
  4. import org.example.service_a.cache.CacheClient;
  5. import org.example.service_a.cache.RedisData;
  6. import org.example.service_a.domain.News;
  7. import org.example.service_a.service.NewsService;
  8. import org.redisson.api.RLock;
  9. import org.redisson.api.RedissonClient;
  10. import org.springframework.beans.factory.annotation.Autowired;
  11. import org.springframework.dao.DataAccessException;
  12. import org.springframework.data.redis.core.RedisOperations;
  13. import org.springframework.data.redis.core.SessionCallback;
  14. import org.springframework.data.redis.core.StringRedisTemplate;
  15. import org.springframework.validation.annotation.Validated;
  16. import org.springframework.web.bind.annotation.PathVariable;
  17. import org.springframework.web.bind.annotation.RequestMapping;
  18. import org.springframework.web.bind.annotation.RestController;
  19. import javax.annotation.PostConstruct;
  20. import java.time.LocalDateTime;
  21. import java.time.temporal.ChronoUnit;
  22. import java.util.HashMap;
  23. import java.util.List;
  24. import java.util.Map;
  25. import java.util.concurrent.TimeUnit;
  26. import static org.example.service_a.cache.Constant.CACHE_NEWS_KEY;
  27. import static org.example.service_a.cache.Constant.CACHE_NEWS_TTL;
  28. @RestController
  29. @Validated()
  30. @RequestMapping("/article")
  31. public class News_Controller {
  32. @Autowired
  33. private StringRedisTemplate redisTemplate;
  34. @Autowired
  35. private CacheClient cacheClient;
  36. @Autowired
  37. private NewsService newsService;
  38. @Autowired
  39. private RedissonClient redissonClient;
  40. /**
  41. * @param id 编号
  42. */
  43. @RequestMapping("/get/{id}")
  44. public AppResult<News> getGirl(@PathVariable("id") Long id) throws InterruptedException {
  45. //解决缓存穿透-------->
  46. News news = cacheClient.queryWithPassThrough(CACHE_NEWS_KEY, id, News.class,
  47. newsService::getById,
  48. CACHE_NEWS_TTL, TimeUnit.MINUTES);
  49. //(互斥锁)解决缓存击穿---------->
  50. // News news = cacheClient.queryWithMutex(CACHE_NEWS_KEY, id, News.class,
  51. // (x) -> {
  52. // return newsService.getById(id);
  53. // }
  54. // , CACHE_NEWS_TTL, TimeUnit.MINUTES);
  55. //(设置逻辑过期时间)解决缓存击穿---------->
  56. // News news = cacheClient.queryWithLogicalExpire(
  57. // CACHE_NEWS_KEY,
  58. // id,
  59. // News.class,
  60. // (x)->{
  61. // return newsService.getById(id);
  62. // },
  63. // CACHE_NEWS_TTL,
  64. // ChronoUnit.SECONDS);
  65. System.out.println("news = " + news);
  66. //判断返回值是否为空
  67. // if (news == null) {
  68. // return Result.fail("信息不存在");
  69. // }
  70. // //返回
  71. // return Result.ok(news);
  72. return AppResultBuilder.success(news);
  73. }
  74. /**
  75. *缓存预热
  76. */
  77. @PostConstruct()
  78. public void cache_init() {
  79. RLock lock = redissonClient.getLock("lock:cacheInit");
  80. lock.lock();
  81. try {
  82. List<News> list = newsService.list();
  83. redisTemplate.executePipelined(new SessionCallback<Object>() {
  84. HashMap<String, Object> objectObjectHashMap = new HashMap<>();
  85. @Override
  86. public <K, V> Object execute(RedisOperations<K, V> operations) throws DataAccessException {
  87. list.forEach(news -> {
  88. //演示缓存击穿--逻辑过期 用这种方式
  89. // RedisData redisData = new RedisData();
  90. // redisData.setData(news);
  91. // redisData.setExpireTime(LocalDateTime.now().plusSeconds(30));
  92. // objectObjectHashMap.put(CACHE_NEWS_KEY +news.getId(),JSONUtil.toJsonStr(redisData));
  93. //演示缓存击穿--互斥锁 用这种方式
  94. objectObjectHashMap.put(CACHE_NEWS_KEY + news.getId(), JSONUtil.toJsonStr(news));
  95. });
  96. operations.opsForValue().multiSet((Map<? extends K, ? extends V>) objectObjectHashMap);
  97. return null;
  98. }
  99. });
  100. } catch (Exception e) {
  101. throw new RuntimeException(e);
  102. } finally {
  103. lock.unlock();
  104. }
  105. }
  106. }

本文内容由网友自发贡献,转载请注明出处:https://www.wpsshop.cn/w/我家自动化/article/detail/530745
推荐阅读
相关标签
  

闽ICP备14008679号