More asyncio queues

This post is based on a previous blog post.

Hello, and welcome back to asyncio experiments in Python. Today, I’m extending a previous script. The ‘push/pull’ script used an asyncio Queue with one push coroutine and two pull coroutines to gradually fill up the queue. Push would gradually outweigh pull’s ability to clear out the queue and they couldn’t keep up.

OK, so what’s changed? This version puts a finite number of items into the queue then waits for it to empty.

What does this mean architecturally?

  • A signal object is instantiated to serve as a marker that the queue is “closed for business”.
  • The main function has to gather all three tasks (one push, two pull). Previously, the program would infinite-loop, so it didn’t matter if I only waited on the infinite push.

It’s a pretty minor change in code, but I had to figure out how to gracefully stop the pullers, and I think it’s a much cleaner demo for it.

Here’s the code.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
import asyncio
import random


async def pusher(queue: asyncio.Queue):
    """ Pushes an item to the queue every second. """
    counter = 0
    while counter < 20:
        await queue.put(counter)
        counter += 1
        await asyncio.sleep(0.5)
    await queue.put(DONE_SIGNAL)


async def puller(queue: asyncio.Queue, name: str):
    """ Fetches an item from the queue and takes a random timespan to "process" it. """
    while True:
        item = await queue.get()
        print(f"[{name:^6}] Got item: {item} (size {queue.qsize()})")
        if item is DONE_SIGNAL:
            queue.put_nowait(DONE_SIGNAL)
            print(f"[{name:^6}] Done")
            return
        await asyncio.sleep(random.random()*3)
        queue.task_done()


async def main():
    queue = asyncio.Queue()
    tasks = [asyncio.create_task(t) for t in (pusher(queue),
                                              puller(queue, name='Fred'),
                                              puller(queue, name='George'))]
    await asyncio.gather(*tasks)
    print(f"Queue size is now {queue.qsize()}")


class DoneSignal:
    def __repr__(self):
        return 'DONE_SIGNAL'  # make it debug-print nicely


DONE_SIGNAL = DoneSignal()


if __name__ == '__main__':
    main_loop = asyncio.get_event_loop()
    main_loop.run_until_complete(main())

As of Python 3.7, running Python with the -X dev option enables asyncio’s debug mode, which is valuable for spotting tasks you’ve forgotten to clean up.