一、死信交换机(延迟队列)的概念 image.pngimage.png

死信,在官网中对应的单词为“Dead Letter”,它是 RabbitMQ 的一种消息机制。

般来说,生产者将消息投递到 broker 或者直接到 queue 里了,consumer 从 queue 取出消息进行消费,如果它一直无法消费某条数据,那么可以把这条消息放入死信队列里面。等待
条件满足了再从死信队列中取出来再次消费,从而避免消息丢失。
死信消息来源:

  • 消息 TTL 过期
  • 队列满了,无法再次添加数据
  • 消息被拒绝(reject 或 nack),并且 requeue =false

二、死信交换机(代码)

①生产者,创建交换机

  1. package com.xhy.provider.mq;
  2. import org.springframework.amqp.core.Binding;
  3. import org.springframework.amqp.core.BindingBuilder;
  4. import org.springframework.amqp.core.DirectExchange;
  5. import org.springframework.amqp.core.Queue;
  6. import org.springframework.context.annotation.Bean;
  7. import org.springframework.context.annotation.Configuration;
  8. import java.util.HashMap;
  9. import java.util.Map;
  10. @Configuration
  11. @SuppressWarnings("all")
  12. public class DeadConfig {
  13. /**
  14. * 死信交换机需要:
  15. * 1.需要正常的交换机
  16. * 2.正常的队列
  17. * 3.具备死信交换机和队列
  18. *
  19. */
  20. //新建队列
  21. //正常
  22. @Bean
  23. public Queue normalQueue(){
  24. Map<String,Object> config=new HashMap<>();
  25. //过期时间
  26. config.put("x-message-ttl", 10000);//message在该队列queue的存活时间最大为10秒
  27. //死信交换机
  28. config.put("x-dead-letter-exchange", "deadExchange"); //x-dead-letter-exchange参数是设置该队列的死信交换器(DLX)
  29. //死信routingkey
  30. config.put("x-dead-letter-routing-key", "deadQueue");//x-dead-letter-routing-key参数是给这个DLX指定路由键
  31. return new Queue("normalQueue",true,false,false,config);
  32. }
  33. //死信
  34. @Bean
  35. public Queue daadQueue(){
  36. return new Queue("daadQueue",true);
  37. }
  38. //创建交换机---正常(死信交换机就是直连交换机)
  39. @Bean
  40. public DirectExchange normalExchange(){
  41. return new DirectExchange("directExchange");
  42. }
  43. //死信
  44. @Bean
  45. public DirectExchange deadExchange(){
  46. return new DirectExchange("deadExchange");
  47. }
  48. //进行交换机和队列的绑定
  49. //设置绑定key
  50. //正常
  51. @Bean
  52. public Binding normalBinding(){
  53. return BindingBuilder.bind(normalQueue()).to(normalExchange()).with("CC");
  54. }
  55. //死信
  56. @Bean
  57. public Binding deadBinding(){
  58. return BindingBuilder.bind(normalQueue()).to(deadExchange()).with("DD");
  59. }
  60. }