實現高併發秒殺的 7 種方式,寫的太好了,建議收藏!!

来源:https://www.cnblogs.com/javastack/archive/2023/05/11/17391645.html
-Advertisement-
Play Games

1.引言 高併發場景在現場的日常工作中很常見,特別是在互聯網公司中,這篇文章就來通過秒殺商品來模擬高併發的場景。文章末尾會附上文章的所有代碼、腳本和測試用例。 本文環境: SpringBoot 2.5.7 + MySQL 8.0 X + MybatisPlus + Swagger2.9.2 模擬工具 ...


1.引言

高併發場景在現場的日常工作中很常見,特別是在互聯網公司中,這篇文章就來通過秒殺商品來模擬高併發的場景。文章末尾會附上文章的所有代碼、腳本和測試用例。

  • 本文環境: SpringBoot 2.5.7 + MySQL 8.0 X + MybatisPlus + Swagger2.9.2
  • 模擬工具: Jmeter
  • 模擬場景: 減庫存->創建訂單->模擬支付

2.商品秒殺-超賣

在開發中,對於下麵的代碼,可能很熟悉:在Service裡面加上@Transactional事務註解和Lock鎖。

Spring Boot 基礎就不介紹了,推薦看這個免費教程:

https://github.com/javastacks/spring-boot-best-practice

控制層:Controller

@ApiOperation(value="秒殺實現方式——Lock加鎖")
@PostMapping("/start/lock")
public Result startLock(long skgId){
    try {
        log.info("開始秒殺方式一...");
        final long userId = (int) (new Random().nextDouble() * (99999 - 10000 + 1)) + 10000;
        Result result = secondKillService.startSecondKillByLock(skgId, userId);
        if(result != null){
            log.info("用戶:{}--{}", userId, result.get("msg"));
        }else{
            log.info("用戶:{}--{}", userId, "哎呦喂,人也太多了,請稍後!");
        }
    } catch (Exception e) {
        e.printStackTrace();
    } finally {

    }
    return Result.ok();
}

業務層:Service

@Override
@Transactional(rollbackFor = Exception.class)
public Result startSecondKillByLock(long skgId, long userId) {
    lock.lock();
    try {
        // 校驗庫存
        SecondKill secondKill = secondKillMapper.selectById(skgId);
        Integer number = secondKill.getNumber();
        if (number > 0) {
            // 扣庫存
            secondKill.setNumber(number - 1);
            secondKillMapper.updateById(secondKill);
            // 創建訂單
            SuccessKilled killed = new SuccessKilled();
            killed.setSeckillId(skgId);
            killed.setUserId(userId);
            killed.setState((short) 0);
            killed.setCreateTime(new Timestamp(System.currentTimeMillis()));
            successKilledMapper.insert(killed);

            // 模擬支付
            Payment payment = new Payment();
            payment.setSeckillId(skgId);
            payment.setSeckillId(skgId);
            payment.setUserId(userId);
            payment.setMoney(40);
            payment.setState((short) 1);
            payment.setCreateTime(new Timestamp(System.currentTimeMillis()));
            paymentMapper.insert(payment);
        } else {
            return Result.error(SecondKillStateEnum.END);
        }
    } catch (Exception e) {
        throw new ScorpiosException("異常了個乖乖");
    } finally {
        lock.unlock();
    }
    return Result.ok(SecondKillStateEnum.SUCCESS);
}

對於上面的代碼應該沒啥問題吧,業務方法上加事務,在處理業務的時候加鎖。

但上面這樣寫法是有問題的,會出現超賣的情況,看下測試結果:模擬1000個併發,搶100商品。

這裡在業務方法開始加了鎖,在業務方法結束後釋放了鎖。但這裡的事務提交卻不是這樣的,有可能在事務提交之前,就已經把鎖釋放了,這樣會導致商品超賣現象。所以加鎖的時機很重要!

3. 解決商品超賣

對於上面超賣現象,主要問題出現在事務中鎖釋放的時機,事務未提交之前,鎖已經釋放。(事務提交是在整個方法執行完)。如何解決這個問題呢,就是把加鎖步驟提前

  • 可以在controller層進行加鎖
  • 可以使用Aop在業務方法執行之前進行加鎖

3.1 方式一(改進版加鎖)

@ApiOperation(value="秒殺實現方式——Lock加鎖")
@PostMapping("/start/lock")
public Result startLock(long skgId){
    // 在此處加鎖
    lock.lock();
    try {
        log.info("開始秒殺方式一...");
        final long userId = (int) (new Random().nextDouble() * (99999 - 10000 + 1)) + 10000;
        Result result = secondKillService.startSecondKillByLock(skgId, userId);
        if(result != null){
            log.info("用戶:{}--{}", userId, result.get("msg"));
        }else{
            log.info("用戶:{}--{}", userId, "哎呦喂,人也太多了,請稍後!");
        }
    } catch (Exception e) {
        e.printStackTrace();
    } finally {
        // 在此處釋放鎖
        lock.unlock();
    }
    return Result.ok();
}

上面這樣的加鎖就可以解決事務未提交之前,鎖釋放的問題,可以分三種情況進行壓力測試:

  • 併發數1000,商品100
  • 併發數1000,商品1000
  • 併發數2000,商品1000

對於併發量大於商品數的情況,商品秒殺一般不會出現少賣的請況,但對於併發數小於等於商品數的時候可能會出現商品少賣情況,這也很好理解。

對於沒有問題的情況就不貼圖了,因為有很多種方式,貼圖會太多

3.2 方式二(AOP版加鎖)

對於上面在控制層進行加鎖的方式,可能顯得不優雅,那就還有另一種方式進行在事務之前加鎖,那就是AOP。

推薦一個開源免費的 Spring Boot 最全教程:

https://github.com/javastacks/spring-boot-best-practice

自定義AOP註解

@Target({ElementType.PARAMETER, ElementType.METHOD})
@Retention(RetentionPolicy.RUNTIME)
@Documented
public  @interface ServiceLock {
    String description()  default "";
}

定義切麵類

@Slf4j
@Component
@Scope
@Aspect
@Order(1) //order越小越是最先執行,但更重要的是最先執行的最後結束
public class LockAspect {
    /**
     * 思考:為什麼不用synchronized
     * service 預設是單例的,併發下lock只有一個實例
     */
    private static  Lock lock = new ReentrantLock(true); // 互斥鎖 參數預設false,不公平鎖

    // Service層切點     用於記錄錯誤日誌
    @Pointcut("@annotation(com.scorpios.secondkill.aop.ServiceLock)")
    public void lockAspect() {

    }

    @Around("lockAspect()")
    public  Object around(ProceedingJoinPoint joinPoint) {
        lock.lock();
        Object obj = null;
        try {
            obj = joinPoint.proceed();
        } catch (Throwable e) {
            e.printStackTrace();
   throw new RuntimeException();
        } finally{
            lock.unlock();
        }
        return obj;
    }
}

在業務方法上添加AOP註解

@Override
@ServiceLock // 使用Aop進行加鎖
@Transactional(rollbackFor = Exception.class)
public Result startSecondKillByAop(long skgId, long userId) {

    try {
        // 校驗庫存
        SecondKill secondKill = secondKillMapper.selectById(skgId);
        Integer number = secondKill.getNumber();
        if (number > 0) {
            //扣庫存
            secondKill.setNumber(number - 1);
            secondKillMapper.updateById(secondKill);
            //創建訂單
            SuccessKilled killed = new SuccessKilled();
            killed.setSeckillId(skgId);
            killed.setUserId(userId);
            killed.setState((short) 0);
            killed.setCreateTime(new Timestamp(System.currentTimeMillis()));
            successKilledMapper.insert(killed);

            //支付
            Payment payment = new Payment();
            payment.setSeckillId(skgId);
            payment.setSeckillId(skgId);
            payment.setUserId(userId);
            payment.setMoney(40);
            payment.setState((short) 1);
            payment.setCreateTime(new Timestamp(System.currentTimeMillis()));
            paymentMapper.insert(payment);
        } else {
            return Result.error(SecondKillStateEnum.END);
        }
    } catch (Exception e) {
        throw new ScorpiosException("異常了個乖乖");
    }
    return Result.ok(SecondKillStateEnum.SUCCESS);
}

控制層:

@ApiOperation(value="秒殺實現方式二——Aop加鎖")
@PostMapping("/start/aop")
public Result startAop(long skgId){
    try {
        log.info("開始秒殺方式二...");
        final long userId = (int) (new Random().nextDouble() * (99999 - 10000 + 1)) + 10000;
        Result result = secondKillService.startSecondKillByAop(skgId, userId);
        if(result != null){
            log.info("用戶:{}--{}", userId, result.get("msg"));
        }else{
            log.info("用戶:{}--{}", userId, "哎呦喂,人也太多了,請稍後!");
        }
    } catch (Exception e) {
        e.printStackTrace();
    }
    return Result.ok();
}

這種方式在對鎖的使用上,更高階、更美觀!

3.3 方式三(悲觀鎖一)

除了上面在業務代碼層面加鎖外,還可以使用資料庫自帶的鎖進行併發控制。

悲觀鎖,什麼是悲觀鎖呢?通俗的說,在做任何事情之前,都要進行加鎖確認。這種資料庫級加鎖操作效率較低。

使用for update一定要加上事務,當事務處理完後,for update才會將行級鎖解除

如果請求數和秒殺商品數量一致,會出現少賣

@ApiOperation(value="秒殺實現方式三——悲觀鎖")
@PostMapping("/start/pes/lock/one")
public Result startPesLockOne(long skgId){
    try {
        log.info("開始秒殺方式三...");
        final long userId = (int) (new Random().nextDouble() * (99999 - 10000 + 1)) + 10000;
        Result result = secondKillService.startSecondKillByUpdate(skgId, userId);
        if(result != null){
            log.info("用戶:{}--{}", userId, result.get("msg"));
        }else{
            log.info("用戶:{}--{}", userId, "哎呦喂,人也太多了,請稍後!");
        }
    } catch (Exception e) {
        e.printStackTrace();
    }
    return Result.ok();
}

業務邏輯

@Override
@Transactional(rollbackFor = Exception.class)
public Result startSecondKillByUpdate(long skgId, long userId) {
    try {
        // 校驗庫存-悲觀鎖
        SecondKill secondKill = secondKillMapper.querySecondKillForUpdate(skgId);
        Integer number = secondKill.getNumber();
        if (number > 0) {
            //扣庫存
            secondKill.setNumber(number - 1);
            secondKillMapper.updateById(secondKill);
            //創建訂單
            SuccessKilled killed = new SuccessKilled();
            killed.setSeckillId(skgId);
            killed.setUserId(userId);
            killed.setState((short) 0);
            killed.setCreateTime(new Timestamp(System.currentTimeMillis()));
            successKilledMapper.insert(killed);

            //支付
            Payment payment = new Payment();
            payment.setSeckillId(skgId);
            payment.setSeckillId(skgId);
            payment.setUserId(userId);
            payment.setMoney(40);
            payment.setState((short) 1);
            payment.setCreateTime(new Timestamp(System.currentTimeMillis()));
            paymentMapper.insert(payment);
        } else {
            return Result.error(SecondKillStateEnum.END);
        }
    } catch (Exception e) {
        throw new ScorpiosException("異常了個乖乖");
    } finally {
    }
    return Result.ok(SecondKillStateEnum.SUCCESS);
}

Dao層

@Repository
public interface SecondKillMapper extends BaseMapper<SecondKill> {

    /**
     * 將此行數據進行加鎖,當整個方法將事務提交後,才會解鎖
     * @param skgId
     * @return
     */
    @Select(value = "SELECT * FROM seckill WHERE seckill_id=#{skgId} FOR UPDATE")
    SecondKill querySecondKillForUpdate(@Param("skgId") Long skgId);

}

上面是利用for update進行對查詢數據加鎖,加的是行鎖

3.4 方式四(悲觀鎖二)

悲觀鎖的第二種方式就是利用update更新命令來加表鎖

/**
 * UPDATE鎖表
 * @param skgId  商品id
 * @param userId    用戶id
 * @return
 */
@Override
@Transactional(rollbackFor = Exception.class)
public Result startSecondKillByUpdateTwo(long skgId, long userId) {
    try {

        // 不校驗,直接扣庫存更新
        int result = secondKillMapper.updateSecondKillById(skgId);
        if (result > 0) {
            //創建訂單
            SuccessKilled killed = new SuccessKilled();
            killed.setSeckillId(skgId);
            killed.setUserId(userId);
            killed.setState((short) 0);
            killed.setCreateTime(new Timestamp(System.currentTimeMillis()));
            successKilledMapper.insert(killed);

            //支付
            Payment payment = new Payment();
            payment.setSeckillId(skgId);
            payment.setSeckillId(skgId);
            payment.setUserId(userId);
            payment.setMoney(40);
            payment.setState((short) 1);
            payment.setCreateTime(new Timestamp(System.currentTimeMillis()));
            paymentMapper.insert(payment);
        } else {
            return Result.error(SecondKillStateEnum.END);
        }
    } catch (Exception e) {
        throw new ScorpiosException("異常了個乖乖");
    } finally {
    }
    return Result.ok(SecondKillStateEnum.SUCCESS);
}

Dao層

@Repository
public interface SecondKillMapper extends BaseMapper<SecondKill> {

    /**
     * 將此行數據進行加鎖,當整個方法將事務提交後,才會解鎖
     * @param skgId
     * @return
     */
    @Select(value = "SELECT * FROM seckill WHERE seckill_id=#{skgId} FOR UPDATE")
    SecondKill querySecondKillForUpdate(@Param("skgId") Long skgId);

    @Update(value = "UPDATE seckill SET number=number-1 WHERE seckill_id=#{skgId} AND number > 0")
    int updateSecondKillById(@Param("skgId") long skgId);
}

3.5 方式五(樂觀鎖)

樂觀鎖,顧名思義,就是對操作結果很樂觀,通過利用version欄位來判斷數據是否被修改

樂觀鎖,不進行庫存數量的校驗,直接做庫存扣減

這裡使用的樂觀鎖會出現大量的數據更新異常(拋異常就會導致購買失敗)、如果配置的搶購人數比較少、比如120:100(人數:商品) 會出現少買的情況,不推薦使用樂觀鎖。

@ApiOperation(value="秒殺實現方式五——樂觀鎖")
@PostMapping("/start/opt/lock")
public Result startOptLock(long skgId){
    try {
        log.info("開始秒殺方式五...");
        final long userId = (int) (new Random().nextDouble() * (99999 - 10000 + 1)) + 10000;
        // 參數添加了購買數量
        Result result = secondKillService.startSecondKillByPesLock(skgId, userId,1);
        if(result != null){
            log.info("用戶:{}--{}", userId, result.get("msg"));
        }else{
            log.info("用戶:{}--{}", userId, "哎呦喂,人也太多了,請稍後!");
        }
    } catch (Exception e) {
        e.printStackTrace();
    }
    return Result.ok();
}
@Override
@Transactional(rollbackFor = Exception.class)
public Result startSecondKillByPesLock(long skgId, long userId, int number) {

    // 樂觀鎖,不進行庫存數量的校驗,直接
    try {
        SecondKill kill = secondKillMapper.selectById(skgId);
        // 剩餘的數量應該要大於等於秒殺的數量
        if(kill.getNumber() >= number) {
            int result = secondKillMapper.updateSecondKillByVersion(number,skgId,kill.getVersion());
            if (result > 0) {
                //創建訂單
                SuccessKilled killed = new SuccessKilled();
                killed.setSeckillId(skgId);
                killed.setUserId(userId);
                killed.setState((short) 0);
                killed.setCreateTime(new Timestamp(System.currentTimeMillis()));
                successKilledMapper.insert(killed);

                //支付
                Payment payment = new Payment();
                payment.setSeckillId(skgId);
                payment.setSeckillId(skgId);
                payment.setUserId(userId);
                payment.setMoney(40);
                payment.setState((short) 1);
                payment.setCreateTime(new Timestamp(System.currentTimeMillis()));
                paymentMapper.insert(payment);
            } else {
                return Result.error(SecondKillStateEnum.END);
            }
        }
    } catch (Exception e) {
        throw new ScorpiosException("異常了個乖乖");
    } finally {
    }
    return Result.ok(SecondKillStateEnum.SUCCESS);
}
@Repository
public interface SecondKillMapper extends BaseMapper<SecondKill> {

    /**
     * 將此行數據進行加鎖,當整個方法將事務提交後,才會解鎖
     * @param skgId
     * @return
     */
    @Select(value = "SELECT * FROM seckill WHERE seckill_id=#{skgId} FOR UPDATE")
    SecondKill querySecondKillForUpdate(@Param("skgId") Long skgId);

    @Update(value = "UPDATE seckill SET number=number-1 WHERE seckill_id=#{skgId} AND number > 0")
    int updateSecondKillById(@Param("skgId") long skgId);

    @Update(value = "UPDATE seckill  SET number=number-#{number},version=version+1 WHERE seckill_id=#{skgId} AND version = #{version}")
    int updateSecondKillByVersion(@Param("number") int number, @Param("skgId") long skgId, @Param("version")int version);
}

樂觀鎖會出現大量的數據更新異常(拋異常就會導致購買失敗),會出現少買的情況,不推薦使用樂觀鎖

3.6 方式六(阻塞隊列)

利用阻塞隊類,也可以解決高併發問題。其思想就是把接收到的請求按順序存放到隊列中,消費者線程逐一從隊列里取數據進行處理,看下具體代碼。

阻塞隊列:這裡使用靜態內部類的方式來實現單例模式,在併發條件下不會出現問題。

// 秒殺隊列(固定長度為100)
public class SecondKillQueue {

    // 隊列大小
    static final int QUEUE_MAX_SIZE = 100;

    // 用於多線程間下單的隊列
    static BlockingQueue<SuccessKilled> blockingQueue = new LinkedBlockingQueue<SuccessKilled>(QUEUE_MAX_SIZE);

    // 使用靜態內部類,實現單例模式
    private SecondKillQueue(){};

    private static class SingletonHolder{
        // 靜態初始化器,由JVM來保證線程安全
        private  static SecondKillQueue queue = new SecondKillQueue();
    }

    /**
     * 單例隊列
     * @return
     */
    public static SecondKillQueue getSkillQueue(){
        return SingletonHolder.queue;
    }

    /**
     * 生產入隊
     * @param kill
     * @throws InterruptedException
     * add(e) 隊列未滿時,返回true;隊列滿則拋出IllegalStateException(“Queue full”)異常——AbstractQueue
     * put(e) 隊列未滿時,直接插入沒有返回值;隊列滿時會阻塞等待,一直等到隊列未滿時再插入。
     * offer(e) 隊列未滿時,返回true;隊列滿時返回false。非阻塞立即返回。
     * offer(e, time, unit) 設定等待的時間,如果在指定時間內還不能往隊列中插入數據則返回false,插入成功返回true。
     */
    public  Boolean  produce(SuccessKilled kill) {
        return blockingQueue.offer(kill);
    }
    /**
     * 消費出隊
     * poll() 獲取並移除隊首元素,在指定的時間內去輪詢隊列看有沒有首元素有則返回,否者超時後返回null
     * take() 與帶超時時間的poll類似不同在於take時候如果當前隊列空了它會一直等待其他線程調用notEmpty.signal()才會被喚醒
     */
    public  SuccessKilled consume() throws InterruptedException {
        return blockingQueue.take();
    }

    /**
     * 獲取隊列大小
     * @return
     */
    public int size() {
        return blockingQueue.size();
    }
}

消費秒殺隊列:實現ApplicationRunner介面

// 消費秒殺隊列
@Slf4j
@Component
public class TaskRunner implements ApplicationRunner{

    @Autowired
    private SecondKillService seckillService;

    @Override
    public void run(ApplicationArguments var){
        new Thread(() -> {
            log.info("隊列啟動成功");
            while(true){
                try {
                    // 進程內隊列
                    SuccessKilled kill = SecondKillQueue.getSkillQueue().consume();
                    if(kill != null){
                        Result result = seckillService.startSecondKillByAop(kill.getSeckillId(), kill.getUserId());
                        if(result != null && result.equals(Result.ok(SecondKillStateEnum.SUCCESS))){
                            log.info("TaskRunner,result:{}",result);
                            log.info("TaskRunner從消息隊列取出用戶,用戶:{}{}",kill.getUserId(),"秒殺成功");
                        }
                    }
                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            }
        }).start();
    }
}
@ApiOperation(value="秒殺實現方式六——消息隊列")
@PostMapping("/start/queue")
public Result startQueue(long skgId){
    try {
        log.info("開始秒殺方式六...");
        final long userId = (int) (new Random().nextDouble() * (99999 - 10000 + 1)) + 10000;
        SuccessKilled kill = new SuccessKilled();
        kill.setSeckillId(skgId);
        kill.setUserId(userId);
        Boolean flag = SecondKillQueue.getSkillQueue().produce(kill);
        // 雖然進入了隊列,但是不一定能秒殺成功 進隊出隊有時間間隙
        if(flag){
            log.info("用戶:{}{}",kill.getUserId(),"秒殺成功");
        }else{
            log.info("用戶:{}{}",userId,"秒殺失敗");
        }
    } catch (Exception e) {
        e.printStackTrace();
    }
    return Result.ok();
}

註意:在業務層和AOP方法中,不能拋出任何異常, throw new RuntimeException()這些拋異常代碼要註釋掉。因為一旦程式拋出異常就會停止,導致消費秒殺隊列進程終止!

使用阻塞隊列來實現秒殺,有幾點要註意:

  • 消費秒殺隊列中調用業務方法加鎖與不加鎖情況一樣,也就是seckillService.startSecondKillByAop()seckillService.startSecondKillByLock()方法結果一樣,這也很好理解
  • 當隊列長度與商品數量一致時,會出現少賣的現象,可以調大數值
  • 下麵是隊列長度1000,商品數量1000,併發數2000情況下出現的少賣

3.7.方式七(Disruptor隊列)

Disruptor是個高性能隊列,研發的初衷是解決記憶體隊列的延遲問題,在性能測試中發現竟然與I/O操作處於同樣的數量級,基於Disruptor開發的系統單線程能支撐每秒600萬訂單。

// 事件生成工廠(用來初始化預分配事件對象)
public class SecondKillEventFactory implements EventFactory<SecondKillEvent> {

    @Override
    public SecondKillEvent newInstance() {
        return new SecondKillEvent();
    }
}
// 事件對象(秒殺事件)
public class SecondKillEvent implements Serializable {
    private static final long serialVersionUID = 1L;
    private long seckillId;
    private long userId;

 // set/get方法略

}
// 使用translator方式生產者
public class SecondKillEventProducer {

    private final static EventTranslatorVararg<SecondKillEvent> translator = (seckillEvent, seq, objs) -> {
        seckillEvent.setSeckillId((Long) objs[0]);
        seckillEvent.setUserId((Long) objs[1]);
    };

    private final RingBuffer<SecondKillEvent> ringBuffer;

    public SecondKillEventProducer(RingBuffer<SecondKillEvent> ringBuffer){
        this.ringBuffer = ringBuffer;
    }

    public void secondKill(long seckillId, long userId){
        this.ringBuffer.publishEvent(translator, seckillId, userId);
    }
}
// 消費者(秒殺處理器)
@Slf4j
public class SecondKillEventConsumer implements EventHandler<SecondKillEvent> {

    private SecondKillService secondKillService = (SecondKillService) SpringUtil.getBean("secondKillService");

    @Override
    public void onEvent(SecondKillEvent seckillEvent, long seq, boolean bool) {
        Result result = secondKillService.startSecondKillByAop(seckillEvent.getSeckillId(), seckillEvent.getUserId());
        if(result.equals(Result.ok(SecondKillStateEnum.SUCCESS))){
            log.info("用戶:{}{}",seckillEvent.getUserId(),"秒殺成功");
        }
    }
}
public class DisruptorUtil {

    static Disruptor<SecondKillEvent> disruptor;

    static{
        SecondKillEventFactory factory = new SecondKillEventFactory();
        int ringBufferSize = 1024;
        ThreadFactory threadFactory = runnable -> new Thread(runnable);
        disruptor = new Disruptor<>(factory, ringBufferSize, threadFactory);
        disruptor.handleEventsWith(new SecondKillEventConsumer());
        disruptor.start();
    }

    public static void producer(SecondKillEvent kill){
        RingBuffer<SecondKillEvent> ringBuffer = disruptor.getRingBuffer();
        SecondKillEventProducer producer = new SecondKillEventProducer(ringBuffer);
        producer.secondKill(kill.getSeckillId(),kill.getUserId());
    }
}
@ApiOperation(value="秒殺實現方式七——Disruptor隊列")
@PostMapping("/start/disruptor")
public Result startDisruptor(long skgId){
    try {
        log.info("開始秒殺方式七...");
        final long userId = (int) (new Random().nextDouble() * (99999 - 10000 + 1)) + 10000;
        SecondKillEvent kill = new SecondKillEvent();
        kill.setSeckillId(skgId);
        kill.setUserId(userId);
        DisruptorUtil.producer(kill);
    } catch (Exception e) {
        e.printStackTrace();
    }
    return Result.ok();
}

經過測試,發現使用Disruptor隊列隊列,與自定義隊列有著同樣的問題,也會出現超賣的情況,但效率有所提高。

4. 小結

對於上面七種實現併發的方式,做一下總結:

  • 一、二方式是在代碼中利用鎖和事務的方式解決了併發問題,主要解決的是鎖要載入事務之前
  • 三、四、五方式主要是資料庫的鎖來解決併發問題,方式三是利用for upate對錶加行鎖,方式四是利用update來對錶加鎖,方式五是通過增加version欄位來控制資料庫的更新操作,方式五的效果最差
  • 六、七方式是通過隊列來解決併發問題,這裡需要特別註意的是,在代碼中不能通過throw拋異常,否則消費線程會終止,而且由於進隊和出隊存在時間間隙,會導致商品少賣

上面所有的情況都經過代碼測試,測試分一下三種情況:

  • 併發數1000,商品數100
  • 併發數1000,商品數1000
  • 併發數2000,商品數1000

思考:分散式情況下如何解決併發問題呢?下次繼續試驗。

版權聲明:本文為CSDN博主「止步前行」的原創文章,遵循CC 4.0 BY-SA版權協議,轉載請附上原文出處鏈接及本聲明。原文鏈接:https://blog.csdn.net/zxd1435513775/article/details/122643285

近期熱文推薦:

1.1,000+ 道 Java面試題及答案整理(2022最新版)

2.勁爆!Java 協程要來了。。。

3.Spring Boot 2.x 教程,太全了!

4.別再寫滿屏的爆爆爆炸類了,試試裝飾器模式,這才是優雅的方式!!

5.《Java開發手冊(嵩山版)》最新發佈,速速下載!

覺得不錯,別忘了隨手點贊+轉發哦!


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 大家好,我是風箏 其實很早之前就想學學 VSCode 插件開發了,但是又不知道做什麼,加上我這半吊子前端水平,遲遲沒有動手。 最近 ChatGPT 火的一塌糊塗,我也一直在用,真的非常好用,有些問題之前需要 Google 搜索,現在用 ChatGPT 基本上都能直接解決,效率提升了不少。 但是吧,瀏 ...
  • 封裝函數 // 傳入 id、樹形結構數據 export function getParentTree(id, tree) { let arr = [] //要返回的數組 for (let i = 0; i < tree.length; i++) { let item = tree[i] arr = ...
  • 模式介紹 結構型模式(Structural Pattern)的主要目的就是將不同的類和對象組合在一起,形成更大或者更複雜的結構體。該模式並不是簡單地將這些類或對象擺放在一起,而是要提供它們之間的關聯方式。不同的結構型模式從不同的角度來組合類或對象,它們儘可能滿足各種面向對象設計原則的同時為類或對象的 ...
  • 學習DDD的意義 作為技術人,都有一個成為大牛的夢。 有些人可以通過自己掌握了比較底層、有深度、有難度的技術來證明自己的能力。 但對於絕大多數的應用研發工程師來說,其大部分的時間精力,會被消耗在讀不懂、講不清的屎山代碼中,以及複雜多變的業務迭代中。很少會有需要去接觸高深技術的機會,即便是接觸了,也很 ...
  • ​ 去年年底的因為業務需要需要在使用tk.mybaits框架的系統中實現指定欄位的更新,可是tk.mybaits框架本身並不支持這個功能,我翻遍了CSDN和其他相關的技術相關的網站都沒有找到相關的解決方法。於是我通過幾天的翻閱相關資料和摸索後終於實現了這個功能。最近事情不是很多,想到又想到了去年解決 ...
  • 原文地址: JavaFx實現倒計時按鈕組件(類似發送激活碼) - Stars-One的雜貨小窩 本文基於TornadoFx框架進行編寫,封裝工具代碼是kotlin版本 然後也是順便把這個封裝成了stars-one/common-controls 里的xCountDownBtn 效果 思路 點擊按鈕的 ...
  • Spring是什麼? Spring是一個輕量級的控制反轉(IoC)和麵向切麵(AOP)的容器框架。 Spring的優點 通過控制反轉和依賴註入實現松耦合。 支持面向切麵的編程,並且把應用業務邏輯和系統服務分開。 通過切麵和模板減少樣板式代碼。 聲明式事務的支持。可以從單調繁冗的事務管理代碼中解脫出來 ...
  • Docker 是一個開源的應用容器引擎,可以讓開發者將應用程式打包成一個容器,並通過容器來部署、運行和管理應用程式。Docker 的核心概念包括容器和鏡像。容器是鏡像的可運行實例,可以通過 Docker API 或 CLI 來創建、啟動、停止、移動或刪除容器。鏡像是一個只讀模板,包含了創建 Dock... ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...