RabbitMQ是一種消息中間件,它接收和轉發消息,可以了解為郵局。隻是RabbitMQ接收,處理,轉發的是二進制的資料,郵局處理的一般為紙。
基本概念
- Producer(生産者): 發送消息的程式
- Consumer(消費者):接收消息的程式
- Queue(隊列):像郵局的信箱,在RabbitMQ内部,同一個消息流隻能存在一個Queue中,隊列隻受主機記憶體,磁盤的大小限制。 生産者像Queue中發送消息,消費者從Queue中取出消息
安裝
- Mac OS
brew install rabbitmq
- CentOS7
cat << EOF > /etc/yum.repos.d/rabbit.repo
[rabbitmq-erlang]
name=rabbitmq-erlang
baseurl=https://dl.bintray.com/rabbitmq/rpm/erlang/21/el/7
gpgcheck=1
gpgkey=https://dl.bintray.com/rabbitmq/Keys/rabbitmq-release-signing-key.asc
repo_gpgcheck=0
enabled=1
EOF
yum install rabbitmq-server
Hello World
- 啟動RabbitMQ
rabbitmq-server
- 添加Java依賴庫
<dependency>
<groupId>ch.qos.logback</groupId>
<artifactId>logback-classic</artifactId>
<version>1.2.3</version>
</dependency>
<dependency>
<groupId>com.rabbitmq</groupId>
<artifactId>amqp-client</artifactId>
<version>4.2.0</version>
</dependency>
- 編寫生産者
/**
* @author aihe 2018/9/6
*/
public class Producer {
private final static String QUEUE_NAME = "hello1";
public static void main(String[] args) throws IOException, TimeoutException {
ConnectionFactory connectionFactory = new ConnectionFactory();
connectionFactory.setHost("127.0.0.1");
Connection connection = connectionFactory.newConnection();
Channel channel = connection.createChannel();
channel.queueDeclare(QUEUE_NAME, false, false, false, null);
String message = "Hello World";
channel.basicPublish("", QUEUE_NAME, null, message.getBytes());
System.out.println("發送消息:" + message);
try {
channel.close();
connection.close();
} catch (TimeoutException e) {
e.printStackTrace();
}
}
}
channel.queueDeclare(String queue, boolean durable, boolean exclusive, boolean autoDelete, Map<String, Object> arguments)
- queue 要聲明的隊列名稱
- durable 是否長久儲存,true的話,伺服器重新開機的時候,queue仍然存在
- exclusive 是否聲明一個排他的隊列, 也就是隻有目前的channel才能監聽這個queue
- autoDelete 當伺服器不在使用這個queue的時候,自動删除它
- arguments 其它的屬性
生産和消費消息都是通過channel的。channel指定具體為那個queue
- 編寫消費者
/**
* @author aihe 2018/9/6
*/
public class Consumer {
private final static String QUEUE_NAME = "hello1";
public static void main(String[] args) throws IOException, TimeoutException {
ConnectionFactory factory = new ConnectionFactory();
factory.setHost("127.0.0.1");
Connection connection = factory.newConnection();
Channel channel = connection.createChannel();
channel.queueDeclare(QUEUE_NAME, false, false, false, null);
System.out.println(" [*] 正在等待消息. 退出按 CTRL+C");
com.rabbitmq.client.Consumer consumer = new DefaultConsumer(channel){
@Override
public void handleDelivery(String consumerTag, Envelope envelope, AMQP.BasicProperties properties, byte[] body) throws IOException {
String message = new String(body, "UTF-8");
System.out.println(" 接收消息:'" + message + "'");
}
};
channel.basicConsume(QUEUE_NAME, true, consumer);
}
}
- 運作
生産者

image.png
消費者
額外
- 我們可以安裝rabbitMQ的圖形管理界面
// 檢視有哪些插件
rabbitmq-plugins list
// 啟用管理界面
rabbitmq-plugins enable rabbitmq_management
-
進入管理界面
進入位址:http://127.0.0.1:15672/
賬号和密碼:guest guest
RabbitMQ快速入門
這些參數大部分都是可以從rabbitmqctl指令獲得的。
最後
學習下消息中間件