前面我们已经了解了RabbitMQ客户端的一些基本操作,包括普通的消息模式,接着我们来了解一下其他的模式,首先是发布订阅模式,它支持多种方式:
比如我们在阿里云买了云服务器,但是最近快到期了,那么就会给你的手机、邮箱发送消息,告诉你需要去续费了,但是手机短信和邮件发送并不一定是同一个业务提供的,但是现在我们又希望能够都去执行,所以就可以用到发布订阅模式,简而言之就是,发布一次,消费多个。
实现这种模式其实也非常简单,但是如果使用我们之前的直连交换机,肯定是不行的,我们这里需要用到另一种类型的交换机,叫做fanout
(扇出)类型,这时一种广播类型,消息会被广播到所有与此交换机绑定的消息队列中。
这里我们使用默认的交换机:
这个交换机是一个fanout
类型的交换机,我们就是要它就行了:
- @Configuration
- public class RabbitConfiguration {
-
- @Bean("fanoutExchange")
- public Exchange exchange(){
- //注意这里是fanoutExchange
- return ExchangeBuilder.fanoutExchange("amq.fanout").build();
- }
-
- @Bean("yydsQueue1")
- public Queue queue(){
- return QueueBuilder.nonDurable("yyds1").build();
- }
-
- @Bean("binding")
- public Binding binding(@Qualifier("fanoutExchange") Exchange exchange,
- @Qualifier("yydsQueue1") Queue queue){
- return BindingBuilder
- .bind(queue)
- .to(exchange)
- .with("yyds1")
- .noargs();
- }
-
- @Bean("yydsQueue2")
- public Queue queue2(){
- return QueueBuilder.nonDurable("yyds2").build();
- }
-
- @Bean("binding2")
- public Binding binding2(@Qualifier("fanoutExchange") Exchange exchange,
- @Qualifier("yydsQueue2") Queue queue){
- return BindingBuilder
- .bind(queue)
- .to(exchange)
- .with("yyds2")
- .noargs();
- }
- }
这里我们将两个队列都绑定到此交换机上,我们先启动看看效果:
绑定没有什么问题,接着我们搞两个监听器,监听一下这两个队列:
- @Component
- public class TestListener {
- @RabbitListener(queues = "yyds1")
- public void receiver(String data){
- System.out.println("一号消息队列监听器 "+data);
- }
-
- @RabbitListener(queues = "yyds2")
- public void receiver2(String data){
- System.out.println("二号消息队列监听器 "+data);
- }
- }
现在我们通过交换机发送消息,看看是不是两个监听器都会接收到消息:
可以看到确实是两个消息队列都能够接受到此消息:
这样我们就实现了发布订阅模式。
路由模式实际上我们一开始就已经实现了,我们可以在绑定时指定想要的routingKey
只有生产者发送时指定了对应的routingKey
才能到达对应的队列。
当然除了我们之前的一次绑定之外,同一个消息队列可以多次绑定到交换机,并且使用不同的routingKey
,这样只要满足其中一个都可以被发送到此消息队列中:
- @Configuration
- public class RabbitConfiguration {
-
- @Bean("directExchange")
- public Exchange exchange(){
- return ExchangeBuilder.directExchange("amq.direct").build();
- }
-
- @Bean("yydsQueue")
- public Queue queue(){
- return QueueBuilder.nonDurable("yyds").build();
- }
-
- @Bean("binding") //使用yyds1绑定
- public Binding binding(@Qualifier("directExchange") Exchange exchange,
- @Qualifier("yydsQueue") Queue queue){
- return BindingBuilder
- .bind(queue)
- .to(exchange)
- .with("yyds1")
- .noargs();
- }
-
- @Bean("binding2") //使用yyds2绑定
- public Binding binding2(@Qualifier("directExchange") Exchange exchange,
- @Qualifier("yydsQueue") Queue queue){
- return BindingBuilder
- .bind(queue)
- .to(exchange)
- .with("yyds2")
- .noargs();
- }
- }
启动后我们可以看到管理面板中出现了两个绑定关系:
这里可以测试一下,随便使用哪个routingKey
都可以。