RabbitMQ-萬用字元模式

Anbang713發表於2018-09-29

一、簡介

上一篇,我們說到《RabbitMQ-路由模式》實現了一條訊息被多個消費者消費。在路由模式中我們通過指定routingKey,消費者只有訂閱了該key的佇列才能消費訊息。今天我們學習萬用字元模式,它可以說是路由模式的升級版,反過來說路由模式就是萬用字元模式的特殊情況。

萬用字元模式:將路由鍵和某模式進行匹配,此時佇列需要繫結一個模式上。符號“#”匹配一個或多個詞,符號“*”匹配一個詞。比如“hello.#”能夠匹配到“hello.123.456”,但是“hello.*”只能匹配到“hello.123”。

二、 編碼實現

2.1、生產者

public class Producer {

  public static void main(String[] argv) throws Exception {
    // 獲取到連線以及mq通道
    Connection connection = ConnectionUtil.getConnection();
    Channel channel = connection.createChannel();
    // 宣告exchange
    channel.exchangeDeclare(QueueUtil.EXCHANGE_NAME_TOPIC, "topic");
    // 訊息內容
    String message = "Hello World!";
    channel.basicPublish(QueueUtil.EXCHANGE_NAME_TOPIC, "hello.123.456", null, message.getBytes());
    channel.close();
    connection.close();
  }
}

2.2、消費者1

public class Receiver1 {

  public static void main(String[] argv) throws Exception {
    // 獲取到連線以及mq通道
    Connection connection = ConnectionUtil.getConnection();
    Channel channel = connection.createChannel();
    // 宣告佇列
    channel.queueDeclare(QueueUtil.QUEUE_NAME_TOPIC1, false, false, false, null);
    // 繫結佇列到交換機
    channel.queueBind(QueueUtil.QUEUE_NAME_TOPIC1, QueueUtil.EXCHANGE_NAME_TOPIC, "hello.*");
    // 同一時刻伺服器只會發一條訊息給消費者
    channel.basicQos(1);
    // 定義佇列的消費者
    QueueingConsumer consumer = new QueueingConsumer(channel);
    // 監聽佇列,手動返回完成
    channel.basicConsume(QueueUtil.QUEUE_NAME_TOPIC1, false, consumer);
    // 獲取訊息
    while (true) {
      QueueingConsumer.Delivery delivery = consumer.nextDelivery();
      String message = new String(delivery.getBody());
      System.out.println("Receiver1 Received:" + message);
      Thread.sleep(10);

      channel.basicAck(delivery.getEnvelope().getDeliveryTag(), false);
    }
  }
}

2.3、消費者2

public class Receiver2 {

  public static void main(String[] argv) throws Exception {
    // 獲取到連線以及mq通道
    Connection connection = ConnectionUtil.getConnection();
    Channel channel = connection.createChannel();
    // 宣告佇列
    channel.queueDeclare(QueueUtil.QUEUE_NAME_TOPIC2, false, false, false, null);
    // 繫結佇列到交換機
    channel.queueBind(QueueUtil.QUEUE_NAME_TOPIC2, QueueUtil.EXCHANGE_NAME_TOPIC, "hello.#");
    // 同一時刻伺服器只會發一條訊息給消費者
    channel.basicQos(1);
    // 定義佇列的消費者
    QueueingConsumer consumer = new QueueingConsumer(channel);
    // 監聽佇列,手動返回完成
    channel.basicConsume(QueueUtil.QUEUE_NAME_TOPIC2, false, consumer);
    // 獲取訊息
    while (true) {
      QueueingConsumer.Delivery delivery = consumer.nextDelivery();
      String message = new String(delivery.getBody());
      System.out.println("Receiver2 Received:" + message);
      Thread.sleep(10);
      channel.basicAck(delivery.getEnvelope().getDeliveryTag(), false);
    }
  }
}

三、測試

(1)通過管理介面可以看到topic_exchange有兩個佇列。

(2)生產者傳送一條hello.123.456的訊息,只有消費者2消費。 

(3)生產者傳送一條hello.123的訊息,消費者1和消費者2都能消費。

 

原始碼地址:https://gitee.com/chengab/RabbitMQ  

相關文章