朋也的博客 » 首页 » 文章
作者:朋也
日期:2018-11-09
类别:ActiveMQ学习笔记
版权声明:自由转载-非商用-非衍生-保持署名(创意共享3.0许可证)
在spring-boot中使用ActiveMQ相当的简单
引入依赖
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-activemq</artifactId>
</dependency>
spring:
activemq:
broker-url: tcp://localhost:61616
packages:
trust-all: true # 如果要传输对象消息, 这个必须要打开, 否则会报错
spring-boot里也可以进行数据连接池的配置,这个之前几篇博客已经都配置好了,这里就不做配置了
@Service("producer")
public class Producer {
@Autowired
private JmsMessagingTemplate jmsTemplate;
// 发送消息,destination是发送到的队列,message是待发送的消息
public void sendMessage(Destination destination, String message) {
jmsTemplate.convertAndSend(destination, message);
}
// 发送对象消息, 传输的对象一定要序列化
public void sendMessage(Destination destination, Serializable obj) {
jmsTemplate.convertAndSend(destination, obj);
}
}
消息消费者1
@Component
public class Consumer1 {
// 使用JmsListener配置消费者监听的队列,其中text是接收到的消息
@JmsListener(destination = "amq-demo")
public void receiveQueue(String text) {
System.out.println("Consumer1: " + text);
}
}
消息消费者2
@Component
public class Consumer2 {
// 使用JmsListener配置消费者监听的队列,其中text是接收到的消息
@JmsListener(destination = "amq-demo")
public void receiveQueue(String text) {
System.out.println("Consumer2: " + text);
}
}
消息消费者3
@Component
public class Consumer3 {
// 消费对象消息
@JmsListener(destination = "amq-demo2")
public void consumerMessage(Item item) {
System.out.println("Consumer2: " + item.toString();
}
}
public class Item implements Serializable {
private static final long serialVersionUID = -2805516975103385225L;
private Integer id;
private String title;
// setter getter
}
test方法
@RunWith(SpringRunner.class)
@SpringBootTest
public class DemoApplicationTests {
@Autowired
private Producer producer;
@Test
public void contextLoads() {
Destination destination = new ActiveMQQueue("amq-demo");
for (int i = 1; i <= 5; i++) {
// 发送字符串消息
producer.sendMessage(destination, "Producer消息" + i);
// 发送对象消息
// Item item = new Item();
// item.setId(i);
// item.setTitle("商品 " + i);
// producer.sendMessage(destination, item);
}
}
}
运行结果
activemq里消费消息默认是自动签收的,但业务中有时候会要求有手动签收的,在springboot项目中的配置文件中可以添加下面这个配置
spring:
jms:
listener:
acknowledge-mode: client
很可惜,经我测试,这个配置一点用都没有,也可能是我理解错了
所以只能想其它办法
假如现在有个需求,有很多订单在队列中放着等着去处理,但客服就那么多,项目中设置了阈值每个客服的任务池中最多只有10个订单,处理完了再给他分配,这时候就要控制队列的消费签收方式了
经过测试发现,在springboot项目中如果一个消费者在消费的时候,中间抛异常了,那么这个消息就不会自动签收了
但这也会有个问题,如果当前只有一个消费者,它来负责消费订单消息,给客服下发任务,这时候如果项目中查询到所有的客服的任务池都满了,那就不应该再消费了,这时候手动的在消费者业务中抛一个异常,然后这条消费就不会被自动签收,但现在就一个消费者,这次没有签收成功,下一条消息又进来了,再查询又没有空闲的客服,又抛一个异常,这就会造成一个死循环,只有在有空闲客服的时候,它才会进行下去,这种现象虽然不会出问题,但作为程序员是不能接受的
我现在能想到的就是在查询到没有空闲客服的时候,手动让这个消费者睡
上一段时间,然后再抛异常,这样感觉就好多了
当然amq里也有一个延迟消费的设置,也可以将当前消费消费了,然后再往队列中插入一条消费,给它设置上延迟,这样也能解决问题,不过这条消息就会被排到最后再被消费了,这时候就涉及到另一个问题了 如何在程序有异常情况的时候还把消息给消费掉
处理也很简单,在消费者中处理的业务代码外包一层try catch
,在 catch
里处理异常情况就可以了,当前消息也是会被消费掉的
注意,运行test方法进行测试前要先启动 ActiveMQ