With example in rabbitmq, consumer get all messages from queue at one time. How to consume one message and exit?
QueueingConsumer consumer = new QueueingCons
You have to declare basicQos setting to get one message at a time from ACK to NACK status and disable auto ACK to give acknowledgement explicitly.
ConnectionFactory factory = new ConnectionFactory();
factory.setHost("localhost");
Connection connection = factory.newConnection();
Channel channel = connection.createChannel();
channel.basicQos(1);
channel.queueDeclare(QUEUE_NAME, true, false, false, null);
System.out.println("[*] waiting for messages. To exit press CTRL+C");
QueueingConsumer consumer = new QueueingConsumer(channel);
channel.basicConsume(QUEUE_NAME, consumer);
while(true) {
QueueingConsumer.Delivery delivery = consumer.nextDelivery();
int n = channel.queueDeclarePassive(QUEUE_NAME).getMessageCount();
System.out.println(n);
if(delivery != null) {
byte[] bs = delivery.getBody();
System.out.println(new String(bs));
//String message= new String(delivery.getBody());
channel.basicAck(delivery.getEnvelope().getDeliveryTag(), false);
//System.out.println("[x] Received '"+message);
}
}
Hope it helps!
Use AMQP 0.9.1 basic.get to synchronously get just one message.
ConnectionFactory factory = new ConnectionFactory();
factory.setUri(uri);
Connection connection = factory.newConnection();
Channel channel = connection.createChannel();
channel.queueDeclare(QUEUE_NAME, true, false, false, null);
GetResponse response = channel.basicGet(QUEUE_NAME, true);
if (response != null) {
String message = new String(response.getBody(), "UTF-8");
}
channel.close();
connection.close();
const consumeFromQueue = async (queueName) => {
try {
let data = await channel.get(queueName)// get one msg at a time
if (data) {
data.content ? eval("(" + data.content.toString() + ")()") : ""
channel.ack(data)
} else {
//console.log("Empty Queue")
}
}
catch (error) {
//console.log("Error while consuming from rabbitmq queue", error)
return Promise.reject(error)
}
}