如何从AMQP(RabbitMQ)队列中删除消息?
这是事情。
我正在使用PHP AMQP从Rabbitmq读取结果队列,以便处理发送的每封电子邮件的重要信息。 完成后,我需要删除或标记为已写入的消息,以便下次读队列时我不会收到已处理的消息。
由于Rabbitmq服务器每小时发送超过10,000封电子邮件,每当我读取队列以处理结果发送时,脚本可以运行至少5分钟,以便处理队列中的所有邮件,因此完成后,多个邮件在这5分钟内,有数百条新消息被放置。 这使得我无法在脚本完成后清除队列,因为它会在脚本运行期间删除未处理的脚本。
这让我只有一个选择。 在AMQP脚本处理或读取之后立即标记或删除消息。
有没有办法做到这一点? (这里是脚本)
<?php
/**
* result.php
* Script that connects to RabbitMQ, and takes the result message from
* the result message queue.
*/
// include the settings
require_once('settings.php');
// try to set up a connection to the RabbitMQ server
try
{
// construct the connection to the RabbitMQ server
$connection = new AMQPConnection(array(
'host' => $hostname,
'login' => $username,
'password' => $password,
'vhost' => $vhost
));
// connect to the RabbitMQ server
$connection->connect();
}
catch (AMQPException $exception)
{
echo "Could not establish a connection to the RabbitMQ server.n";
}
// try to create the channel
try
{
// open the channel
$channel = new AMQPChannel($connection);
}
catch (AMQPConnectionException $exception)
{
echo "Connection to the broker was lost (creating channel).n";
}
// try to create the queue
try
{
// create the queue and bind the exchange
$queue = new AMQPQueue($channel);
$queue->setName($resultbox);
$queue->setFlags(AMQP_DURABLE);
$queue->bind('exchange1', 'key1');
$queue->declare();
}
catch (AMQPQueueException $exception)
{
echo "Channel is not connected to a broker (creating queue).n";
}
catch (AMQPConnectionException $exception)
{
echo "Connection to the broker was lost. (creating queue)/n";
}
// Get the message from the queue.
while ($envelope = $queue->get()) {
//Function that processes the message
process_message($envelope->getBody());
}
$queue->purge();
// done, close the connection to RabbitMQ
$connection->disconnect();
?>
在成功处理后确认消息$queue->ack()
,甚至通过AMQP_AUTOACK
标志消耗/获取它们。
UPD:
根据你的代码:
1.确认消息while ($envelope = $queue->get()) {
//Function that processes the message
process_message($envelope->getBody());
$queue->ack($envelope->getDeliveryTag());
}
2.通过AMQP_AUTOACK
标志获取它: while ($envelope = $queue->get(AMQP_AUTOACK)) {
//Function that processes the message
process_message($envelope->getBody());
}
PS:
检查AMQPQueue :: consume文档,看起来在这里更适合。
3.处理完毕后,您可以使用并查看消息:$queue->consume(function ($envelope, $queue) {
process_message($envelope->getBody());
$queue->ack($envelope->getDeliveryTag());
});
4.或使用AMQP_AUTOACK
标志消耗,但是当处理失败时,将无法再处理消息: $queue->consume(function ($envelope, $queue) {
process_message($envelope->getBody());
$queue->ack($envelope->getDeliveryTag());
}, AMQP_AUTOACK);
结论:我会推荐使用#3解决方案,但这取决于你。
链接地址: http://www.djcxy.com/p/34071.html