我正在使用带有rabbitmq的spring-boot。我已经创建了一些修复的队列/交换/绑定/监听器。
监听器创建如下:
@RabbitListener
public void foo(String msg) {...}
现在我想在每次用户登录时为每个用户创建队列,每次用户登录时都会使用Exchange / binding / listener并在用户注销时销毁这些队列。我怎么能在spring-boot中做到这一点。
答案 0 :(得分:2)
您无法使用@RabbitListener
轻松完成此操作(您可以,但必须为每个创建一个新的子应用程序上下文)。
您可以使用RabbitAdmin
动态创建队列和绑定,并为每个新队列创建一个消息侦听器容器。
修改强>
这是使用@RabbitListener
和子语境进行此操作的一种方法;使用Spring Boot时,ListenerConfig
类不能与引导应用程序本身位于同一个包(或子包)中。
@SpringBootApplication
public class So48617898Application {
public static void main(String[] args) {
SpringApplication.run(So48617898Application.class, args).close();
}
private final Map<String, ConfigurableApplicationContext> children = new HashMap<>();
@Bean
public ApplicationRunner runner(RabbitTemplate template, ApplicationContext context) {
return args -> {
Scanner scanner = new Scanner(System.in);
String line = null;
while (true) {
System.out.println("Enter a new queue");
line = scanner.next();
if ("quit".equals(line)) {
break;
}
children.put(line, addNewListener(line, context));
template.convertAndSend(line, "test to " + line);
}
scanner.close();
for (ConfigurableApplicationContext ctx : this.children.values()) {
ctx.stop();
}
};
}
private ConfigurableApplicationContext addNewListener(String queue, ApplicationContext context) {
AnnotationConfigApplicationContext child = new AnnotationConfigApplicationContext();
child.setParent(context);
ConfigurableEnvironment environment = child.getEnvironment();
Properties properties = new Properties();
properties.setProperty("queue.name", queue);
PropertiesPropertySource pps = new PropertiesPropertySource("props", properties);
environment.getPropertySources().addLast(pps);
child.register(ListenerConfig.class);
child.refresh();
return child;
}
}
和
@Configuration
@EnableRabbit
public class ListenerConfig {
@RabbitListener(queues = "${queue.name}")
public void listen(String in, @Header(AmqpHeaders.CONSUMER_QUEUE) String queue) {
System.out.println("Received " + in + " from queue " + queue);
}
@Bean
public Queue queue(@Value("${queue.name}") String name) {
return new Queue(name);
}
@Bean
public RabbitAdmin admin(ConnectionFactory cf) {
return new RabbitAdmin(cf);
}
}