訂單超時自動取消的技術方案解析及代碼實現

来源:https://www.cnblogs.com/star95/archive/2023/07/18/17561868.html
-Advertisement-
Play Games

# 前言 訂單超時自動取消是電商平臺中常見的功能之一,例如在淘寶、京東、拼多多等商城下單後,如果在一定的時間內沒有付款,那麼訂單會自動被取消,是怎麼做到的呢?作為技術人員我們應該瞭解自動取消的原理和實現邏輯,本文將介紹幾種常用的技術方案,幫助開發者實現訂單超時自動取消的功能。 ![](https:/ ...


前言

訂單超時自動取消是電商平臺中常見的功能之一,例如在淘寶、京東、拼多多等商城下單後,如果在一定的時間內沒有付款,那麼訂單會自動被取消,是怎麼做到的呢?作為技術人員我們應該瞭解自動取消的原理和實現邏輯,本文將介紹幾種常用的技術方案,幫助開發者實現訂單超時自動取消的功能。

通過以上圖我們可以看到其實超時自動取消的方案有很多,雖然方案多(大多數都是結合延遲隊列來實現的),但每個方案都有自己的優缺點,具體場景需要選用合適的方案。
本文我們主要講解以下幾種常用取消方案,其他方案可自行搜索研究。

  • 方案1:定時輪詢(quartz實現)
  • 方案2:JDK延遲隊列DelayQueue
  • 方案3:時間輪演算法(netty的HashedWheelTimer)
  • 方案4:Redis
  • 方案5:RabbitMQ消息隊列

方案 1:定時輪詢(quartz實現)

方案描述

通過定時任務的方式去輪詢掃描資料庫表,根據訂單有效期來判斷訂單是否到期,到期則更新訂單狀態。
這裡我們使用quartz作業調度框架來實現定時輪詢。

代碼

需要添加maven依賴

<dependency>
    <groupId>org.quartz-scheduler</groupId>
    <artifactId>quartz</artifactId>
    <version>2.3.1</version>
</dependency>

代碼如下:

public class CancelOrderJob implements Job {
    @Override
    public void execute(JobExecutionContext jobExecutionContext) throws JobExecutionException {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        System.out.println(time + ":掃描訂單表超時未付款訂單...");
    }
}

public class QuartzJobTest {
    public static void main(String[] args) throws Exception {
        JobDetail jobDetail = JobBuilder.newJob(CancelOrderJob.class).build();
        Trigger trigger = TriggerBuilder.newTrigger()
                .withSchedule(SimpleScheduleBuilder.simpleSchedule().withIntervalInSeconds(1).repeatForever())
                .build();
        Scheduler scheduler = new StdSchedulerFactory().getScheduler();
        scheduler.scheduleJob(jobDetail, trigger);
        System.out.println("定時任務開啟,每隔1秒執行一次");
        scheduler.start();
    }
}

運行結果:

定時任務開啟,每隔1秒執行一次
2023-06-27 11:53:43:掃描訂單表超時未付款訂單...
2023-06-27 11:53:43:掃描訂單表超時未付款訂單...
2023-06-27 11:53:44:掃描訂單表超時未付款訂單...
2023-06-27 11:53:45:掃描訂單表超時未付款訂單...
2023-06-27 11:53:46:掃描訂單表超時未付款訂單...
2023-06-27 11:53:47:掃描訂單表超時未付款訂單...
...

優點

這種方案優點是實現簡單,通過quartz框架進行任務調度,無其他依賴,支持集群部署。

缺點

簡單粗暴的全表掃描方式對資料庫性能影響特別大,可能影響其他正常的業務操作響應時效,另外配置掃描時間間隔也是個問題,配置大了,掃描延遲,影響取消訂單的精準時間,在數據量較大的情況下,配置小了影響資料庫性能,所以需要根據實際情況進行評估。

方案 2:JDK延遲隊列DelayQueue

方案描述

JDK中的DelayQueue可以實現延遲,是一個無界阻塞隊列,其實底層使用的是優先順序隊列PriorityQueue,可以對放入的對象進行排序,對象需要實現Delayed介面,採用阻塞的方式獲取數據,也就是相當於延遲時間到了就會獲取到數據。

代碼

public class CancelOrder implements Delayed {

    private String orderNo;

    private long timeout;

    CancelOrder(String orderNo, long timeout) {
        this.orderNo = orderNo;
        this.timeout = timeout + System.nanoTime();
    }

    public int compareTo(Delayed other) {
        if (other == this) {
            return 0;
        }
        CancelOrder t = (CancelOrder) other;
        long d = (getDelay(TimeUnit.NANOSECONDS) - t.getDelay(TimeUnit.NANOSECONDS));
        return (d == 0) ? 0 : ((d < 0) ? -1 : 1);
    }

    @Override
    public long getDelay(TimeUnit unit) {
        return unit.convert(timeout - System.nanoTime(), TimeUnit.NANOSECONDS);
    }

    @Override
    public String toString() {
        return "CancelOrder{" +
                "orderNo='" + orderNo + '\'' +
                ", timeout=" + timeout +
                '}';
    }
}
public class DelayQueueTest {
    public static void main(String[] args) throws Exception {
        DelayQueue<CancelOrder> queue = new DelayQueue<>();
        for (int i = 0; i < 5; i++) {
            // 生成訂單,10秒超時
            CancelOrder cancelOrder = new CancelOrder("orderNo100" + i, TimeUnit.NANOSECONDS.convert(10, TimeUnit.SECONDS));
            String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
            System.out.println(time + ":生成了訂單,10秒有效期,order:" + cancelOrder);
            queue.put(cancelOrder);
            // 每1秒生成一個訂單
            Thread.sleep(1000);
        }
        try {
            while (!queue.isEmpty()) {
                CancelOrder order = queue.take();
                String timeout = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
                System.out.println(timeout + ":訂單超時,order:" + order);
            }
        } catch (InterruptedException e) {
            throw new RuntimeException(e);
        }
    }
}

運行結果:

2023-06-27 18:43:25:生成了訂單,10秒有效期,order:CancelOrder{orderNo='orderNo1000', timeout=1030377584852000}
2023-06-27 18:43:26:生成了訂單,10秒有效期,order:CancelOrder{orderNo='orderNo1001', timeout=1030378653717600}
2023-06-27 18:43:27:生成了訂單,10秒有效期,order:CancelOrder{orderNo='orderNo1002', timeout=1030379654276300}
2023-06-27 18:43:28:生成了訂單,10秒有效期,order:CancelOrder{orderNo='orderNo1003', timeout=1030380655228900}
2023-06-27 18:43:29:生成了訂單,10秒有效期,order:CancelOrder{orderNo='orderNo1004', timeout=1030381656177500}
2023-06-27 18:43:35:訂單超時,order:CancelOrder{orderNo='orderNo1000', timeout=1030377584852000}
2023-06-27 18:43:36:訂單超時,order:CancelOrder{orderNo='orderNo1001', timeout=1030378653717600}
2023-06-27 18:43:37:訂單超時,order:CancelOrder{orderNo='orderNo1002', timeout=1030379654276300}
2023-06-27 18:43:38:訂單超時,order:CancelOrder{orderNo='orderNo1003', timeout=1030380655228900}
2023-06-27 18:43:39:訂單超時,order:CancelOrder{orderNo='orderNo1004', timeout=1030381656177500}

例子中設置的訂單有效期是10秒中,每隔1秒生成一個訂單,目的是為了便於觀察不同的訂單到期時間,可以看到10s後各訂單相繼超時。

優點

不需要任何第三方依賴,實現非常簡單

缺點

數據全部保存在JVM記憶體中,占用記憶體,可能會引發記憶體溢出,另外宕機或重啟數據會全部丟失,無法做集群。

方案 3:時間輪演算法(netty的HashedWheelTimer)

方案描述

時間輪演算法用的是一個環形的數據結構(使用數組實現),每一輪相當於沿著環形走一圈,類似於鐘錶,可以分成很多格子(秒針一圈分成60格,演算法中叫bucket,這個bucket里可以存放任務),然後每個格子有持續的時間間隔(比如秒針一個格子是1秒,也就是走過這一格持續1秒的時間,演算法中對應的是tickDuration)。
時間輪演算法有多種實現,單輪演算法,多輪演算法(相當於在單輪上做了迴圈),分層時間輪演算法(類似於水錶,有多個表盤共同計算出總水量)
時間輪演算法使用一個worker線程,將任務放到計算獲得的bucket里,並按指定的時間間隔tickDuration去執行bucket的時間到期任務。
netty4版本中的時間輪結構如下:

圖中HashedWheelTimer內部存儲使用的是HashedWheelBucket數組,形成一個環形結構,每一個HashedWheelBucket中存儲的是HashedWheelTimeout雙向鏈表,在HashedWheelTimeout中存的是TimerTask,就是具體要執行的任務。
假設當前指針指在3上,如有有一個任務2秒後執行,那麼會存在5的格子上,如果有一個任務8秒後執行,則會放到3上,轉了一圈,這是任務的輪數就加了1。

代碼

需要添加maven依賴

<dependency>
    <groupId>io.netty</groupId>
    <artifactId>netty-all</artifactId>
    <version>4.1.24.Final</version>
</dependency>

public class CancelOrderTimerTask implements TimerTask {

    private String orderNo;

    public CancelOrderTimerTask(String orderNo) {
        this.orderNo = orderNo;
    }

    @Override
    public void run(Timeout timeout) throws Exception {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        System.out.println(time + ":處理訂單超時,orderNo:" + orderNo);
    }
}

public class HashedWheelTimerTest {
    public static void main(String[] argv) {
        /*
        此處使用的HashedWheelTimer構造方法參數解釋如下:
        threadFactory:創建線程的工廠
        tickDuration:時間間隔,這裡的1,結合後面的TimeUnit.SECONDS,就是走完一格需要1秒時間。
        unit:時間單位,這是里秒
        ticksPerWheel:表示數組的大小,也就是格子的多少
         */
        HashedWheelTimer hashedWheelTimer = new HashedWheelTimer(new DefaultThreadFactory("test-thread"), 1, TimeUnit.SECONDS, 60);
        hashedWheelTimer.start();
        CancelOrderTimerTask timerTask0 = new CancelOrderTimerTask("orderNo1000");
        CancelOrderTimerTask timerTask1 = new CancelOrderTimerTask("orderNo1001");
        CancelOrderTimerTask timerTask2 = new CancelOrderTimerTask("orderNo1002");
        CancelOrderTimerTask timerTask3 = new CancelOrderTimerTask("orderNo1003");
        hashedWheelTimer.newTimeout(timerTask0, 0, TimeUnit.SECONDS);
        hashedWheelTimer.newTimeout(timerTask1, 5, TimeUnit.SECONDS);
        hashedWheelTimer.newTimeout(timerTask2, 30, TimeUnit.SECONDS);
        hashedWheelTimer.newTimeout(timerTask3, 70, TimeUnit.SECONDS);
    }
}

運行結果:

2023-06-28 11:43:42:處理訂單超時,orderNo:orderNo1000
2023-06-28 11:43:47:處理訂單超時,orderNo:orderNo1001
2023-06-28 11:44:12:處理訂單超時,orderNo:orderNo1002
2023-06-28 11:44:52:處理訂單超時,orderNo:orderNo1003

任務均是按指定時間間隔執行的。

優點

精度靈活可控制,執行效率高,延遲時間比DelayQueue隊列低。

缺點

同DelayQueue一樣,數據全部保存在JVM記憶體中,占用記憶體,可能會引發記憶體溢出,另外宕機或重啟數據會全部丟失,大數據量的情況下也會影響延遲精度。

方案 4:Redis

redis有兩種方案可以實現延遲,一種是採用輪詢有序集合zset,一種是採用key過期監聽

方案4.1:定時任務輪詢有序集合zset

方案描述

zset是一個有序集合,存儲的每個元素都有個score分值,可以把score當做過期時間,按照score排序(預設按照score從小到大排序,降序可使用zrerange命令),再結合使用一個線程輪詢該集合即可實現延遲功能。

代碼

需要添加maven依賴

<dependency>
    <groupId>redis.clients</groupId>
    <artifactId>jedis</artifactId>
    <version>3.2.0</version>
</dependency>
public class CancelOrderRedisTest {
    private static JedisPool jedisPool = new JedisPool("127.0.0.1", 6379);

    public static void main(String[] args) throws Exception {
        // 放入幾個元素到zset有序集合里
        new Thread(() -> {
            try {
                for (int i = 0; i < 5; i++) {
                    String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
                    redisClient().zadd("cancel:order:list", System.currentTimeMillis() + (i + 1) * 1000, "orderNo100" + i);
                    System.out.println(time + ":生成訂單,訂單號:orderNo100" + i + ",有效期:" + (i + 1) + "秒");
                    Thread.sleep(1000);
                }
            } catch (Exception e) {
                e.printStackTrace();
            }
        }).start();
        // 開一個線程輪詢這個有序集合
        new Thread(() -> {
            Jedis jedis = redisClient();
            while (true) {
                Set<Tuple> items = jedis.zrangeWithScores("cancel:order:list", 0, 1);
                if (items == null || items.isEmpty()) {
                    try {
                        Thread.sleep(100);
                    } catch (InterruptedException e) {
                        e.printStackTrace();
                    }
                } else {
                    Tuple tuple = (Tuple) items.toArray()[0];
                    long score = (long) tuple.getScore();
                    if (System.currentTimeMillis() >= score) {
                        Long num = jedis.zrem("cancel:order:list", tuple.getElement());
                        if (num != null && num > 0) {
                            String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
                            System.out.println(time + ":訂單號:" + tuple.getElement() + "已到期");
                        }
                    }
                }
            }
        }).start();

    }

    /**
     * 獲取redis連接
     *
     * @return
     */
    public static Jedis redisClient() {
        return jedisPool.getResource();
    }
}

運行結果:

2023-06-28 12:41:31:生成訂單,訂單號:orderNo1000,有效期:1秒
2023-06-28 12:41:32:訂單號:orderNo1000已到期
2023-06-28 12:41:32:生成訂單,訂單號:orderNo1001,有效期:2秒
2023-06-28 12:41:33:生成訂單,訂單號:orderNo1002,有效期:3秒
2023-06-28 12:41:34:訂單號:orderNo1001已到期
2023-06-28 12:41:34:生成訂單,訂單號:orderNo1003,有效期:4秒
2023-06-28 12:41:35:生成訂單,訂單號:orderNo1004,有效期:5秒
2023-06-28 12:41:36:訂單號:orderNo1002已到期
2023-06-28 12:41:38:訂單號:orderNo1003已到期
2023-06-28 12:41:40:訂單號:orderNo1004已到期

優點

實現簡單,redis記憶體操作,速度快,性能高,集群擴展方便,可存儲大量訂單數據,持久化機制使得故障時通過AOF或RDB方式恢復,適合對延遲精度要求不高的業務場景

缺點

輪詢線程如果不帶休眠或休眠時間短,可能導致空輪詢,CPU飆高,帶休眠時間,休眠多久不好評估,休眠時間過長可能導致延遲不准確。另外處理消息異常時可能要實現重試機制,還有一個就是可靠性問題,比如是先刪數據在處理訂單還是先處理訂單再刪除數據,處理異常時可能會導致數據丟失。

方案4.2:Redis key過期監聽

方案描述

過期監聽機制是redis在2.8版本以上提供的功能,如果key失效後,redis會給客戶端發送消息即pub/sub機制,從而實現延遲方案。
以windows系統的redis為例。
在redis安裝目錄的redis.windows.conf文件中找到“notify-keyspace-events”如果被註釋則放開,將這行配成如下所示:

notify-keyspace-events Ex

然後再啟動(或重啟)redis。

註意:windows系統下,直接使用redis-server.exe,不會載入redis.windows.conf這個配置文件,需要用命令行啟動。命令行進入redis安裝目錄,執行命令:redis-server.exe redis.windows.conf

代碼

public class RedisKeyExpireTest {
    private static JedisPool jedisPool = new JedisPool("127.0.0.1", 6379);

    public static void main(String[] args) throws InterruptedException {
        // subscribe方法會阻塞等待,用非同步去初始化訂閱監聽事件
        new Thread(() -> {
            jedisPool.getResource().subscribe(new RedisSub(), "__keyevent@0__:expired");
        }).start();
        // 添加幾個帶過期時間的key
        new Thread(() -> {
            try {
                for (int i = 0; i < 5; i++) {
                    String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
                    jedisPool.getResource().setex("orderNo100" + i, i + 1, "orderNo100" + i);
                    System.out.println(time + ":生成訂單,訂單號:orderNo100" + i + ",有效期:" + (i + 1) + "秒");
                    Thread.sleep(1000);
                }
            } catch (Exception e) {
                e.printStackTrace();
            }
        }).start();
    }
}

class RedisSub extends JedisPubSub {
    @Override
    public void onMessage(String channel, String message) {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        System.out.println(time + ":訂單號:" + message + "已到期");

    }
}

運行結果:

2023-06-28 12:56:17:生成訂單,訂單號:orderNo1000,有效期:1秒
2023-06-28 12:56:18:生成訂單,訂單號:orderNo1001,有效期:2秒
2023-06-28 12:56:18:訂單號:orderNo1000已到期
2023-06-28 12:56:19:生成訂單,訂單號:orderNo1002,有效期:3秒
2023-06-28 12:56:20:生成訂單,訂單號:orderNo1003,有效期:4秒
2023-06-28 12:56:20:訂單號:orderNo1001已到期
2023-06-28 12:56:21:生成訂單,訂單號:orderNo1004,有效期:5秒
2023-06-28 12:56:22:訂單號:orderNo1002已到期
2023-06-28 12:56:24:訂單號:orderNo1003已到期
2023-06-28 12:56:26:訂單號:orderNo1004已到期

通過redis的key過期監聽實現了延遲功能,需要開啟redis伺服器的key過期監聽配置。

優點

實現簡單,redis記憶體操作,速度快,性能高,集群擴展方便,可存儲大量訂單數據,持久化機制使得故障時通過AOF或RDB方式恢復,適合對延遲精度要求不高的業務場景

缺點

redis的key過期有惰性清除和定時清除兩種策略,可能會存在延遲時間不精確的問題,另外redis的pub/sub 機制是不可靠的,如果客戶端故障或重啟期間有key過期則過期通知事件的數據就丟失了,從而訂單無法過期,可以通過補償機制配合使用,定時任務去做輪詢補償。

方案 5:RabbitMQ消息隊列

方案5.1:消息TTL+死信隊列

RabbitMQ 可以針對 Queue 和 Message 設置 x-message-tt,來控制消息的生存時間,如果超時,則消息變為 dead letter
RabbitMQ 的 Queue 可以配置 x-dead-letter-exchange 和 x-dead-letter-routing-key(可選)兩個參數,用來控制隊列內出現了 deadletter,則按照這兩個參數重新路由。結合以上兩個特性,就可以模擬出延遲消息的功能。

方案5.2:RabbitMQ延遲隊列插件

在這裡下載RabbitMQ對應的插件:https://github.com/rabbitmq/rabbitmq-delayed-message-exchange/releases,本文使用的RabbitMQ版本是3.8.17,所以找到對應的版本下載的是ez結尾的文件,直接放到RabbitMQ的插件目錄plugins即可,位置:/usr/lib/rabbitmq/lib/rabbitmq_server-3.8.17/plugins,然後執行下麵的命令使插件生效(若不生效,需要重啟RabbitMQ)。

rabbitmq-plugins enable rabbitmq_delayed_message_exchange

查看是否生效(rabbitmq-plugins list命令是查看所有的插件):

rabbitmq-plugins list | grep delayed

顯示如下表示已啟動。

代碼

採用springboot集成rabbitMQ實現,代碼如下:

  • 配置類
import org.springframework.amqp.core.*;
import org.springframework.beans.factory.annotation.Qualifier;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;

import java.util.HashMap;
import java.util.Map;

@Configuration
public class RabbitMQConfig {

    /**
     * 正常交換機名稱
     */
    public static final String EXCHANGE_NAME_NORMAL_DIRECT = "exchange.normal.direct";

    /**
     * 消息不帶ttl隊列名稱
     */
    public static final String QUEUE_NAME_WITHOUT_TTL = "queue.without.ttl";

    /**
     * 消息帶ttl隊列名稱
     */
    public static final String QUEUE_NAME_WITH_TTL = "queue.with.ttl";

    /**
     * 消息不帶ttl消息路由
     */
    public static final String ROUTING_KEY_WITHOUT_TTL = "routing.without.ttl.*";

    /**
     * 消息帶ttl消息路由
     */
    public static final String ROUTING_KEY_WITH_TTL = "routing.with.ttl.*";

    /**
     * 死信交換機名稱
     */
    public static final String EXCHANGE_NAME_DEADLETTER_DIRECT = "exchange.deadLetter.direct";

    /**
     * 死信隊列名稱
     */
    public static final String QUEUE_NAME_DEAD_LETTER = "queue.deadLetter";
    /**
     * 死信隊列消息路由
     */
    public static final String ROUTING_KEY_DEAD_LETTER = "routing.deadletter.*";

    /**
     * rabbitMQ插件實現的延遲隊列-隊列名稱
     */
    public static final String QUEUE_NAME_PLUGIN = "queue.plugin";
    /**
     * rabbitMQ插件實現的延遲隊列-交換機名稱
     */
    public static final String EXCHANGE_NAME_PLUGIN = "exchange.customexchange.plugin";
    /**
     * rabbitMQ插件實現的延遲隊列-路由名稱
     */
    public static final String ROUTING_KEY_PLUGIN = "routing.plugin.*";

    /**
     * 正常交換機
     *
     * @return
     */
    @Bean("normalExchange")
    public DirectExchange normalExchange() {
        return new DirectExchange(EXCHANGE_NAME_NORMAL_DIRECT);
    }

    /**
     * 死信交換機
     *
     * @return
     */
    @Bean("deadLetterExchange")
    public DirectExchange deadLetterExchange() {
        return new DirectExchange(EXCHANGE_NAME_DEADLETTER_DIRECT);
    }

    /**
     * rabbitMQ插件實現的延遲隊列-自定義的交換機
     *
     * @return
     */
    @Bean
    public CustomExchange customExchange() {
        Map<String, Object> args = new HashMap<>();
        args.put("x-delayed-type", "direct");
        return new CustomExchange(EXCHANGE_NAME_PLUGIN, "x-delayed-message", true, false, args);
    }

    /**
     * 消息不帶ttl隊列並設置死信交換機
     *
     * @return
     */
    @Bean("withOutttlQueue")
    public Queue withOutttlQueue() {
        Map<String, Object> args = new HashMap<>(3);
        args.put("x-dead-letter-exchange", EXCHANGE_NAME_DEADLETTER_DIRECT);
        args.put("x-dead-letter-routing-key", ROUTING_KEY_DEAD_LETTER);
        args.put("x-message-ttl", 10000);
        return QueueBuilder.durable(QUEUE_NAME_WITHOUT_TTL).withArguments(args).build();
    }

    /**
     * 消息帶ttl隊列並設置死信交換機
     *
     * @return
     */
    @Bean("withttlQueue")
    public Queue withttlQueue() {
        Map<String, Object> args = new HashMap<>(3);
        args.put("x-dead-letter-exchange", EXCHANGE_NAME_DEADLETTER_DIRECT);
        args.put("x-dead-letter-routing-key", ROUTING_KEY_DEAD_LETTER);
        return QueueBuilder.durable(QUEUE_NAME_WITH_TTL).withArguments(args).build();
    }

    /**
     * 死信隊列
     *
     * @return
     */
    @Bean("deadLetterQueue")
    public Queue deadLetterQueue() {
        return new Queue(QUEUE_NAME_DEAD_LETTER);
    }

    /**
     * rabbitMQ插件實現的延遲隊列-隊列
     *
     * @return
     */
    @Bean
    public Queue pluginQueue() {
        return new Queue(QUEUE_NAME_PLUGIN);
    }

    /**
     * 消息不帶ttl隊列與正常交換機綁定
     *
     * @param queue
     * @param exchange
     * @return
     */
    @Bean
    public Binding withoutttlQueueBinding(@Qualifier("withOutttlQueue") Queue queue,
                                          @Qualifier("normalExchange") DirectExchange exchange) {
        return BindingBuilder.bind(queue).to(exchange).with(ROUTING_KEY_WITHOUT_TTL);
    }

    /**
     * 消息帶ttl隊列與正常交換機綁定
     *
     * @param queue
     * @param exchange
     * @return
     */
    @Bean
    public Binding withttlQueueBinding(@Qualifier("withttlQueue") Queue queue,
                                       @Qualifier("normalExchange") DirectExchange exchange) {
        return BindingBuilder.bind(queue).to(exchange).with(ROUTING_KEY_WITH_TTL);
    }


    /**
     * 死信隊列與死信交換機綁定
     *
     * @param queue
     * @param exchange
     * @return
     */
    @Bean
    public Binding deadLetterBinding(@Qualifier("deadLetterQueue") Queue queue,
                                     @Qualifier("deadLetterExchange") DirectExchange exchange) {
        return BindingBuilder.bind(queue).to(exchange).with(ROUTING_KEY_DEAD_LETTER);
    }

    /**
     * rabbitMQ插件實現的延遲隊列-隊列綁定交換機
     *
     * @param queue
     * @param customExchange
     * @return
     */
    @Bean
    public Binding pluginBinding(@Qualifier("pluginQueue") Queue queue,
                                 @Qualifier("customExchange") CustomExchange customExchange) {
        return BindingBuilder.bind(queue).to(customExchange).with(ROUTING_KEY_PLUGIN).noargs();
    }
}
  • 消息生產者
import org.springframework.amqp.core.MessagePostProcessor;
import org.springframework.amqp.rabbit.core.RabbitTemplate;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;

import static com.star95.springcloud.rabbitmq.cancelorder.RabbitMQConfig.*;

@Component
public class MessageSender {

    @Autowired
    private RabbitTemplate rabbitTemplate;

    /**
     * 發送帶自定義ttl的消息
     *
     * @param msg
     * @param ttl
     */
    public void sendMsgWithTtl(String msg, String ttl) {
        MessagePostProcessor messagePostProcessor = message -> {
            message.getMessageProperties().setExpiration(ttl);//設置消息過期時間
            return message;
        };
        rabbitTemplate.convertAndSend(EXCHANGE_NAME_NORMAL_DIRECT, ROUTING_KEY_WITH_TTL, msg, messagePostProcessor);
    }

    /**
     * 發送公共ttl的消息
     *
     * @param msg
     */
    public void sendMsgWithOutTtl(String msg) {
        rabbitTemplate.convertAndSend(EXCHANGE_NAME_NORMAL_DIRECT, ROUTING_KEY_WITHOUT_TTL, msg);
    }

    /**
     * 使用rabbitmq插件實現的延遲隊列,發送帶自定義ttl的消息
     * @param msg
     * @param ttl
     */
    public void sendMsgWithPlugin(String msg, Integer ttl) {
        rabbitTemplate.convertAndSend(EXCHANGE_NAME_PLUGIN, ROUTING_KEY_PLUGIN, msg, a -> {
            a.getMessageProperties().setDelay(ttl);
            return a;
        });
    }

}
  • 消息消費者
import com.rabbitmq.client.Channel;
import lombok.extern.slf4j.Slf4j;
import org.springframework.amqp.core.Message;
import org.springframework.amqp.rabbit.annotation.RabbitListener;
import org.springframework.stereotype.Component;

import java.io.IOException;
import java.time.LocalDateTime;
import java.time.format.DateTimeFormatter;

import static com.star95.springcloud.rabbitmq.cancelorder.RabbitMQConfig.QUEUE_NAME_DEAD_LETTER;
import static com.star95.springcloud.rabbitmq.cancelorder.RabbitMQConfig.QUEUE_NAME_PLUGIN;

@Slf4j
@Component
public class QueueConsumer {


    /**
     * 不帶ttl隊列消費消息
     *
     * @param message
     * @param channel
     * @throws IOException
     */
    // @RabbitListener(queues = QUEUE_NAME_WITHOUT_TTL)
    public void withoutttlQueueReceive(Message message, Channel channel) throws IOException {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        String msg = new String(message.getBody());
        log.info("當前時間:{},公共ttl隊列消費的消息內容:{}", time, msg);
        channel.basicAck(message.getMessageProperties().getDeliveryTag(), true);
    }

    /**
     * 帶ttl隊列消費消息
     *
     * @param message
     * @param channel
     * @throws IOException
     */
    // @RabbitListener(queues = QUEUE_NAME_WITH_TTL)
    public void withttlQueueReceive(Message message, Channel channel) throws IOException {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        String msg = new String(message.getBody());
        log.info("當前時間:{},自定義ttl隊列消費的消息內容:{}", time, msg);
        channel.basicAck(message.getMessageProperties().getDeliveryTag(), true);
    }

    /**
     * 死信隊列消費消息
     *
     * @param message
     * @param channel
     * @throws IOException
     */
    @RabbitListener(queues = QUEUE_NAME_DEAD_LETTER)
    public void deadQueueReceive(Message message, Channel channel) throws IOException {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        String msg = new String(message.getBody());
        log.info("當前時間:{},死信隊列消費的消息內容:{}", time, msg);
        channel.basicAck(message.getMessageProperties().getDeliveryTag(), false);
    }

    /**
     * 使用rabbitmq插件實現延遲隊列消費消息
     *
     * @param message
     * @param channel
     * @throws IOException
     */
    @RabbitListener(queues = QUEUE_NAME_PLUGIN)
    public void pluginQueueReceive(Message message, Channel channel) throws IOException {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        String msg = new String(message.getBody());
        log.info("當前時間:{},使用rabbitmq插件實現延遲隊列,消費的消息內容:{}", time, msg);
        channel.basicAck(message.getMessageProperties().getDeliveryTag(), false);
    }
}
  • controller發送消息入口
import lombok.extern.slf4j.Slf4j;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

import java.time.LocalDateTime;
import java.time.format.DateTimeFormatter;

@Slf4j
@RequestMapping("cancelorder")
@RestController
public class RabbitMQMsgController {

    @Autowired
    private MessageSender sender;

    @RequestMapping("/msgwithttl")
    public void msgWithttl(String msg, String ttl) {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        log.info("當前時間:{},創建帶自定義ttl消息,msg:{},ttl:{}", time, msg, ttl);
        sender.sendMsgWithTtl(msg, ttl);
    }

    @RequestMapping("/msgwithoutttl")
    public void msgWithoutttl(String msg) {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        log.info("當前時間:{},創建公共ttl消息,msg:{}", time, msg);
        sender.sendMsgWithOutTtl(msg);
    }

    @RequestMapping("msgwithplugin")
    public void msgWithPlugin(String msg, Integer ttl) {
        String time = LocalDateTime.now().format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"));
        log.info("當前時間:{},使用rabbitmq插件實現延遲隊列,發送的消息,msg:{},ttl:{}", time, msg, ttl);
        sender.sendMsgWithPlugin(msg, ttl);
    }

}

註意:@RabbitListener(queues = QUEUE_NAME_WITHOUT_TTL),@RabbitListener(queues = QUEUE_NAME_WITH_TTL),這兩個是註釋掉的,如果不註釋消息就被正常消費了,註釋掉就可以測試消息到期會進入死信隊列實現延遲隊列的功能。

  • 使用公共ttl的介面發送兩條消息

http://127.0.0.1:8080/cancelorder/msgwithoutttl?msg=order123
http://127.0.0.1:8080/cancelorder/msgwithoutttl?msg=order321
結果:

當前時間:2023-06-27 14:45:58,創建公共ttl消息,msg:order123
當前時間:2023-06-27 14:45:00,創建公共ttl消息,msg:order321
當前時間:2023-06-27 14:45:08,死信隊列消費的消息內容:order123
當前時間:2023-06-27 14:45:10,死信隊列消費的消息內容:order321

不管是兩條請求誰先執行,結果均是在預設的10秒後過期,結果正常,這種適用於消息具有同一過期時間的場景。

  • 使用自定義ttl的介面發送兩條消息

http://127.0.0.1:8080/cancelorder/msgwithttl?msg=order321&ttl=5000(先執行)
http://127.0.0.1:8080/cancelorder/msgwithttl?msg=order123&ttl=20000(後執行)
結果:

當前時間:2023-06-27 14:51:40,創建帶自定義ttl消息,msg:order321,ttl:5000
當前時間:2023-06-27 14:51:45,死信隊列消費的消息內容:order321
當前時間:2023-06-27 14:51:52,創建帶自定義ttl消息,msg:order123,ttl:20000
當前時間:2023-06-27 14:52:12,死信隊列消費的消息內容:order123

這裡可以看到先執行延遲5秒的請求,再執行延遲20秒的請求,結果是正常按指定時間消費的消息。
如果我們按下麵這個順序執行(先執行延遲20秒的請求,再執行延遲5秒的請求)
http://127.0.0.1:8080/cancelorder/msgwithttl?msg=order123&ttl=20000(先執行)
http://127.0.0.1:8080/cancelorder/msgwithttl?msg=order321&ttl=5000(後執行)
結果:

當前時間:2023-06-27 14:53:27,創建帶自定義ttl消息,msg:order123,ttl:20000
當前時間:2023-06-27 14:53:31,創建帶自定義ttl消息,msg:order321,ttl:5000
當前時間:2023-06-27 14:53:47,死信隊列消費的消息內容:order123
當前時間:2023-06-27 14:53:47,死信隊列消費的消息內容:order321

這裡兩條請求執行完後,結果卻是同一時間消費的消息,這是因為RabbitMQ只會檢查第一個消息是否過期,如果過期則丟到死信隊列,如果第一個消息的延時時長很長,而第二個消息的延時時長很短,則第二個消息並不會優先得到執行,這個問題可以通過rabbMQ的延遲插件來解決。

  • 使用rabbitMQ插件實現的延遲隊列介面發送兩條消息

http://127.0.0.1:8080/cancelorder/msgwithplugin?msg=order123&ttl=20000(先執行)
http://127.0.0.1:8080/cancelorder/msgwithplugin?msg=order321&ttl=5000(後執行)
結果:

當前時間:2023-06-27 15:08:04,使用rabbitmq插件實現延遲隊列,發送的消息,msg:order123,ttl:20000
當前時間:2023-06-27 15:08:06,使用rabbitmq插件實現延遲隊列,發送的消息,msg:order321,ttl:5000
當前時間:2023-06-27 15:08:11,使用rabbitmq插件實現延遲隊列,消費的消息內容:order321
當前時間:2023-06-27 15:08:24,使用rabbitmq插件實現延遲隊列,消費的消息內容:order123

這裡消息過期正常被消費,解決了由於消息過期時長不一致導致的不能及時消費的問題。

優點

RabbitMQ消息服務可靠性高,消息處理速度快,支持大數據量,並且支持分散式橫向擴展方便。

缺點

引入RabbitMQ中間件系統複雜度增高,運維成本增加,使用起來配置較複雜。

總結

訂單超時自動取消是電商平臺中非常重要的功能之一,通過合適的技術方案,可以實現自動化處理訂單超時的邏輯,提升用戶體驗和系統效率。本文介紹了幾種常用的技術方案,開發者可以根據具體的業務需求和技術棧選擇合適的方案,並結合相應的文檔和示例進行實現和配置。


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

-Advertisement-
Play Games
更多相關文章
  • 知道要轉型,要建設數據中台,卻不知咋做,咋辦? 現在有很多講“如何建設數據中台”文章,觀點各不相同: - 數據中台是數據建設方法論,按照數據中台設計方法和規範實施就可建成數據中台 - 數據中台背後是數據部門組織架構變更,把原先分散的組織架構形成一個統一中台部門,就建成數據中台 - 一些大數據公司說, ...
  • 本文介紹了網路IO模型,引入了epoll作為Linux系統中高性能網路編程的核心工具。通過分析epoll的特點與優勢,並給出使用epoll的註意事項和實踐技巧,該文章為讀者提供了寶貴的指導。 ...
  • 去年看到位元組跳動給golang提了issue建議把map的底層實現改成SwissTable的時候,我就有想寫這篇博客了,不過因為種種原因一直拖著。 直到最近遇golang官方開始討論為了是否要接受SwissTable作為map的預設實現,以及實際遇到了一個hashtable有關的問題,促使我重新思考 ...
  • **在這篇文章中,我們會深入探討Python單元測試的各個方面,包括它的基本概念、基礎知識、實踐方法、高級話題,如何在實際項目中進行單元測試,單元測試的最佳實踐,以及一些有用的工具和資源** ## 一、單元測試重要性 測試是軟體開發中不可或缺的一部分,它能夠幫助我們保證代碼的質量,減少bug,提高系 ...
  • ## **一、前言** emm,又又又踩坑啦。這次的需求主要是對逾期計算的需求任務進行優化,現有的計算任務運行時間太長了。簡單描述下此次的問題:**在項目中進行多個資料庫執行操作時,我們期望的是將其整個封裝成一個事務,要麼全部成功,或者全部失敗,然而在自測異常場景時發現,裡面涉及的第一個數據狀態更新 ...
  • ### [布隆過濾器](https://so.csdn.net/so/search?q=布隆過濾器&spm=1001.2101.3001.7020) - [1、布隆過濾器原理](https://codeleader.blog.csdn.net/article/details/130256000#1_ ...
  • ## 教程簡介 CoffeeScript 是一種相對較新的語言,為開發人員提供了不再有 JavaScript 缺陷的令人期待的方案。利用 CoffeeScript,開發人員即可使用一種輕量級、直觀的語言完成編碼工作,這種語言就像是 Ruby 和 Python 的混合體。對於相容瀏覽器的 Web 應用 ...
  • ## 教程簡介 Excel數據透視表(Excel Pivot Table)是一種互動式的表,可以自由選擇多個欄位的不同組合,用於快速彙總、分析大量數據中欄位與欄位之間的關聯關係。使用數據透視表可以按照數據表格的不同欄位從多個角度進行透視,並建立交叉表格,用以查看數據表格不同層面的彙總信息、分析結果以 ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...