• 使用注解方式实现 Redis 分布式锁


    优雅的使用 Redis 分布式锁。
    本文使用Redisson中实现的分布式锁。

    引入 Redisson

    1. <dependency>
    2. <groupId>org.redissongroupId>
    3. <artifactId>redisson-spring-boot-starterartifactId>
    4. <version>3.14.1version>
    5. dependency>

    初始化 Redisson

    1. @Configuration
    2. public class RedissonConfiguration {
    3. // 此处更换自己的 Redis 地址即可
    4. @Value("${redis.addr}")
    5. private String addr;
    6. @Bean
    7. public RedissonClient redisson() {
    8. Config config = new Config();
    9. config.useSingleServer()
    10. .setAddress(String.format("%s%s", "redis://", addr))
    11. .setConnectionPoolSize(64) // 连接池大小
    12. .setConnectionMinimumIdleSize(8) // 保持最小连接数
    13. .setConnectTimeout(1500) // 建立连接超时时间
    14. .setTimeout(2000) // 执行命令的超时时间, 从命令发送成功时开始计时
    15. .setRetryAttempts(2) // 命令执行失败重试次数
    16. .setRetryInterval(1000); // 命令重试发送时间间隔
    17. return Redisson.create(config);
    18. }
    19. }

    这样我们就可以在项目里面使用 Redisson 了。

    编写 Redisson 分布式锁工具类

    Redis 分布式锁的工具类,主要是调用 Redisson 客户端实现,做了轻微的封装。

    1. @Service
    2. @Slf4j
    3. public class LockManager {
    4. /**
    5. * 最小锁等待时间
    6. */
    7. private static final int MIN_WAIT_TIME = 10;
    8. @Resource
    9. private RedissonClient redisson;
    10. /**
    11. * 加锁,加锁失败抛默认异常 - 操作频繁, 请稍后再试
    12. *
    13. * @param key 加锁唯一key
    14. * @param expireTime 锁超时时间 毫秒
    15. * @param waitTime 加锁最长等待时间 毫秒
    16. * @return LockResult 加锁结果
    17. */
    18. public LockResult lock(String key, long expireTime, long waitTime) {
    19. return lock(key, expireTime, waitTime, () -> new BizException(ResponseEnum.COMMON_FREQUENT_OPERATION_ERROR));
    20. }
    21. /**
    22. * 加锁,加锁失败抛异常 - 自定义异常
    23. *
    24. * @param key 加锁唯一key
    25. * @param expireTime 锁超时时间 毫秒
    26. * @param waitTime 加锁最长等待时间 毫秒
    27. * @param exceptionSupplier 加锁失败时抛该异常,传null时加锁失败不抛异常
    28. * @return LockResult 加锁结果
    29. */
    30. private LockResult lock(String key, long expireTime, long waitTime, Supplier exceptionSupplier) {
    31. if (waitTime < MIN_WAIT_TIME) {
    32. waitTime = MIN_WAIT_TIME;
    33. }
    34. LockResult result = new LockResult();
    35. try {
    36. RLock rLock = redisson.getLock(key);
    37. try {
    38. if (rLock.tryLock(waitTime, expireTime, TimeUnit.MILLISECONDS)) {
    39. result.setLockResultStatus(LockResultStatus.SUCCESS);
    40. result.setRLock(rLock);
    41. } else {
    42. result.setLockResultStatus(LockResultStatus.FAILURE);
    43. }
    44. } catch (InterruptedException e) {
    45. log.error("Redis 获取分布式锁失败, key: {}, e: {}", key, e.getMessage());
    46. result.setLockResultStatus(LockResultStatus.EXCEPTION);
    47. rLock.unlock();
    48. }
    49. } catch (Exception e) {
    50. log.error("Redis 获取分布式锁失败, key: {}, e: {}", key, e.getMessage());
    51. result.setLockResultStatus(LockResultStatus.EXCEPTION);
    52. }
    53. if (exceptionSupplier != null && LockResultStatus.FAILURE.equals(result.getLockResultStatus())) {
    54. log.warn("Redis 加锁失败, key: {}", key);
    55. throw exceptionSupplier.get();
    56. }
    57. log.info("Redis 加锁结果:{}, key: {}", result.getLockResultStatus(), key);
    58. return result;
    59. }
    60. /**
    61. * 解锁
    62. */
    63. public void unlock(RLock rLock) {
    64. try {
    65. rLock.unlock();
    66. } catch (Exception e) {
    67. log.warn("Redis 解锁失败", e);
    68. }
    69. }
    70. }

    加锁结果状态枚举类。

    1. public enum LockResultStatus {
    2. /**
    3. * 通信正常,并且加锁成功
    4. */
    5. SUCCESS,
    6. /**
    7. * 通信正常,但获取锁失败
    8. */
    9. FAILURE,
    10. /**
    11. * 通信异常和内部异常,锁状态未知
    12. */
    13. EXCEPTION;
    14. }

    加锁结果类封装了加锁状态和RLock。

    1. @Setter
    2. @Getter
    3. public class LockResult {
    4. private LockResultStatus lockResultStatus;
    5. private RLock rLock;
    6. }

    自此我们就可以使用分布式锁了,使用方式:

    1. @Service
    2. @Slf4j
    3. public class TestService {
    4. @Resource
    5. private LockManager lockManager;
    6. public String test(String userId) {
    7. // 锁:userId, 锁超时时间:5s, 锁等待时间:50ms
    8. LockResult lockResult = lockManager.lock(userId, 5000, 50);
    9. try {
    10. // 业务代码
    11. } finally {
    12. lockManager.unlock(lockResult.getRLock());
    13. }
    14. return "";
    15. }
    16. }

    为了防止程序发生异常,所以每次我们都需要在finally代码块里手动释放锁。为了更方便优雅的使用 Redis 分布式锁,我们使用注解方式实现下。

    声明注解 @Lock

    1. @Target(ElementType.METHOD)
    2. @Retention(RetentionPolicy.RUNTIME)
    3. public @interface Lock {
    4. /**
    5. * lock key
    6. */
    7. String value();
    8. /**
    9. * 锁超时时间,默认5000ms
    10. */
    11. long expireTime() default 5000L;
    12. /**
    13. * 锁等待时间,默认50ms
    14. */
    15. long waitTime() default 50L;
    16. }

    注解解析类

    1. @Aspect
    2. @Component
    3. @Slf4j
    4. public class LockAnnotationParser {
    5. @Resource
    6. private LockManager lockManager;
    7. /**
    8. * 定义切点
    9. */
    10. @Pointcut(value = "@annotation(Lock)")
    11. private void cutMethod() {
    12. }
    13. /**
    14. * 切点逻辑具体实现
    15. */
    16. @Around(value = "cutMethod() && @annotation(lock)")
    17. public Object parser(ProceedingJoinPoint point, Lock lock) throws Throwable {
    18. String value = lock.value();
    19. if (isEl(value)) {
    20. value = getByEl(value, point);
    21. }
    22. LockResult lockResult = lockManager.lock(getRealLockKey(value), lock.expireTime(), lock.waitTime());
    23. try {
    24. return point.proceed();
    25. } finally {
    26. lockManager.unlock(lockResult.getRLock());
    27. }
    28. }
    29. /**
    30. * 解析 SpEL 表达式并返回其值
    31. */
    32. private String getByEl(String el, ProceedingJoinPoint point) {
    33. Method method = ((MethodSignature) point.getSignature()).getMethod();
    34. String[] paramNames = getParameterNames(method);
    35. Object[] arguments = point.getArgs();
    36. ExpressionParser parser = new SpelExpressionParser();
    37. Expression expression = parser.parseExpression(el);
    38. EvaluationContext context = new StandardEvaluationContext();
    39. for (int i = 0; i < arguments.length; i++) {
    40. context.setVariable(paramNames[i], arguments[i]);
    41. }
    42. return expression.getValue(context, String.class);
    43. }
    44. /**
    45. * 获取方法参数名列表
    46. */
    47. private String[] getParameterNames(Method method) {
    48. LocalVariableTableParameterNameDiscoverer u = new LocalVariableTableParameterNameDiscoverer();
    49. return u.getParameterNames(method);
    50. }
    51. private boolean isEl(String str) {
    52. return str.contains("#");
    53. }
    54. /**
    55. * 锁键值
    56. */
    57. private String getRealLockKey(String value) {
    58. return String.format("lock:%s", value);
    59. }
    60. }

    下面使用注解方式使用分布式锁:

    1. @Service
    2. @Slf4j
    3. public class TestService {
    4. @Lock("'test_'+#user.userId")
    5. public String test(User user) {
    6. // 业务代码
    7. return "";
    8. }
    9. }

    当然也可以自定义锁的超时时间和等待时间

    1. @Service
    2. @Slf4j
    3. public class TestService {
    4. @Lock(value = "'test_'+#user.userId", expireTime = 3000, waitTime = 30)
    5. public String test(User user) {
    6. // 业务代码
    7. return "";
    8. }
    9. }

    优雅永不过时

  • 相关阅读:
    Spring 6【p命名空间和c命名空间】(五)-全面详解(学习总结---从入门到深化)
    云南财经大学计算机考研资料汇总
    9.ClickHouse系列之数据一致性保证
    CSS盒子模型
    苹果macOS Sonoma 14正式版 “黑苹果”且用且珍惜
    【毕业设计】电商产品评论数据分析可视化(情感分析) - python 大数据
    无需重启应用,动态采集任意点位日志
    第三次裸心会
    Redis 6 中的多线程是如何实现的!?
    2.0、软件测试质量模型、测试流程
  • 原文地址:https://blog.csdn.net/LBWNB_Java/article/details/125988532