Created
January 21, 2017 13:21
-
-
Save t2y/1c181d664c23709a2d5f1bf8ffac4b33 to your computer and use it in GitHub Desktop.
producer consumer pattern sample
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
# -*- coding: utf-8 -*- | |
""" | |
implement Producer-Consumer pattern using asyncio | |
http://www.hyuki.com/dp/dpinfo.html#ProducerConsumer | |
""" | |
import asyncio | |
from random import choice | |
async def heavy_job(): | |
sleep_second = choice(range(3)) | |
await asyncio.sleep(sleep_second) | |
async def put(fruit, table): | |
counter = 0 | |
while True: | |
if table.empty(): | |
table.put_nowait(fruit) # might occur QueueFull if full | |
print('%d: put %s' % (counter, fruit)) | |
counter += 1 | |
await heavy_job() | |
async def get(consumer, table): | |
counter = 0 | |
while True: | |
if table.full(): | |
fruit = table.get_nowait() # might occur QueueEmpty if empty | |
print('%d: %s eats %s' % (counter, consumer, fruit)) | |
counter += 1 | |
await heavy_job() | |
def main(): | |
event_loop = asyncio.get_event_loop() | |
table = asyncio.Queue(maxsize=1, loop=event_loop) | |
try: | |
# producer | |
event_loop.create_task(put('apple', table)) | |
event_loop.create_task(put('banana', table)) | |
event_loop.create_task(put('candy', table)) | |
# consumer | |
event_loop.create_task(get('bob', table)) | |
event_loop.create_task(get('john', table)) | |
event_loop.create_task(get('mary', table)) | |
# start | |
event_loop.run_forever() | |
finally: | |
event_loop.close() | |
if __name__ == '__main__': | |
main() |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment