我正在尝试使用asyncio / aioamqp编写异步使用者。我的问题是,回调协程(下面)是阻塞的。我将通道设置为执行basic_consume(),并将回调分配为callback()。回调有一个“来自asyncio.sleep的产生”语句(模拟“工作”),它从发布者获取一个整数,并在打印消息之前休眠一段时间。
如果我发布了两条消息,一条时间为“10”,紧接着一条时间为“1”,我预计第二条消息将首先打印,因为它的睡眠时间较短。相反,回调阻止10秒,打印第一条消息,然后打印第二条消息。
看来,basic_consume或回调在某处阻塞。还有另一种方法可以处理吗?
@asyncio.coroutine
def callback(body, envelope, properties):
yield from asyncio.sleep(int(body))
print("consumer {} recved {} ({})".format(envelope.consumer_tag, body, envelope.delivery_tag))
@asyncio.coroutine
def receive_log():
try:
transport, protocol = yield from aioamqp.connect('localhost', 5672, login="login", password="password")
except:
print("closed connections")
return
channel = yield from protocol.channel()
exchange_name = 'cloudstack-events'
exchange_name = 'test-async-exchange'
queue_name = 'async-queue-%s' % random.randint(0, 10000)
yield from channel.exchange(exchange_name, 'topic', auto_delete=True, passive=False, durable=False)
yield from asyncio.wait_for(channel.queue(queue_name, durable=False, auto_delete=True), timeout=10)
binding_keys = ['mykey']
for binding_key in binding_keys:
print("binding", binding_key)
yield from asyncio.wait_for(channel.queue_bind(exchange_name=exchange_name,
queue_name=queue_name,
routing_key=binding_key), timeout=10)
print(' [*] Waiting for logs. To exit press CTRL+C')
yield from channel.basic_consume(queue_name, callback=callback)
loop = asyncio.get_event_loop()
loop.create_task(receive_log())
loop.run_forever()
答案 0 :(得分:5)
对于那些感兴趣的人,我想出了一种方法。我不确定这是否是最好的做法,但它正在实现我的需要。
我没有在回调中执行“工作”(在本例中为async.sleep),而是在循环中创建一个新任务,并安排一个单独的协同例程来运行do_work()。据推测这是有效的,因为它可以释放callback()立即返回。
我在Rabbit中使用不同的睡眠定时器加载了几百个事件,并且在使用下面的代码打印时它们是交错的。所以它似乎有效。希望这有助于某人!
@asyncio.coroutine
def do_work(envelope, body):
yield from asyncio.sleep(int(body))
print("consumer {} recved {} ({})".format(envelope.consumer_tag, body, envelope.delivery_tag))
@asyncio.coroutine
def callback(body, envelope, properties):
loop = asyncio.get_event_loop()
loop.create_task(do_work(envelope, body))
@asyncio.coroutine
def receive_log():
try:
transport, protocol = yield from aioamqp.connect('localhost', 5672, login="login", password="password")
except:
print("closed connections")
return
channel = yield from protocol.channel()
exchange_name = 'cloudstack-events'
exchange_name = 'test-async-exchange'
queue_name = 'async-queue-%s' % random.randint(0, 10000)
yield from channel.exchange(exchange_name, 'topic', auto_delete=True, passive=False, durable=False)
yield from asyncio.wait_for(channel.queue(queue_name, durable=False, auto_delete=True), timeout=10)
binding_keys = ['mykey']
for binding_key in binding_keys:
print("binding", binding_key)
yield from asyncio.wait_for(channel.queue_bind(exchange_name=exchange_name,
queue_name=queue_name,
routing_key=binding_key), timeout=10)
print(' [*] Waiting for logs. To exit press CTRL+C')
yield from channel.basic_consume(queue_name, callback=callback)
loop = asyncio.get_event_loop()
loop.create_task(receive_log())
loop.run_forever()