Redis high concurrent distributed lock (learning summary)

0. Why design distributed locks?

Normal business operations cannot achieve atomicity in the case of multi-threading, either all of them are not executed, or all of them are executed. In a distributed scenario, there will be such a situation where multiple threads operate on the same piece of data.

1. Redis distributed lock implementation

Officially recommended Portal! ! !

The following are the three clients officially recommended by redis: 

 1.1 Introducing dependencies

<dependency>
			<groupId>org.redisson</groupId>
			<artifactId>redisson</artifactId>
			<version>3.6.5</version>
		</dependency>

 1.2 Code implementation reddison

package com.redisson;

import org.redisson.Redisson;
import org.redisson.RedissonRedLock;
import org.redisson.api.RLock;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.redis.core.StringRedisTemplate;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

import java.util.concurrent.TimeUnit;

@RestController
public class IndexController {

    @Autowired
    private Redisson redisson;
    @Autowired
    private StringRedisTemplate stringRedisTemplate;

    @RequestMapping("/deduct_stock")
    public String deductStock() {
        String lockKey = "product_101";

        RLock redissonLock = redisson.getLock(lockKey);
        try {
            redissonLock.lock();  //setIfAbsent(lockKey, clientId, 30, TimeUnit.SECONDS);
            int stock = Integer.parseInt(stringRedisTemplate.opsForValue().get("stock")); // jedis.get("stock")
            if (stock > 0) {
                int realStock = stock - 1;
                stringRedisTemplate.opsForValue().set("stock", realStock + ""); // jedis.set(key,value)
                System.out.println("扣减成功,剩余库存:" + realStock);
            } else {
                System.out.println("扣减失败,库存不足");
            }
        } finally {
            redissonLock.unlock();
        }

        return "end";
    }

}

1.3 Internal source code implementation of redisson

1.3.1 reddsion distributed lock architecture diagram

Guess you like

Origin blog.csdn.net/qq_21575929/article/details/121196789