Necessary , with the main loop run coroutine that something will be done. And from it ,start another coroutine, which will not block. Use Python 3.5
import asyncio,time
async def cor1():
for i in range(10):
await asyncio.sleep(0)
print("cor1",i)
async def cor2():
for i in range(10):
await asyncio.sleep(0)
time.sleep(1)
print("cor2",i)
async def main():
asyncio.ensure_future(cor1())
asyncio.ensure_future(cor2())
print("cor3")
loop = asyncio.get_event_loop()
asyncio.ensure_future(main())
loop.run_forever()
Now the main loop creates two coroutines.But they do not run parallel,one after another. Until someone one complete, the other will not start its work.Of course you can run them on different threads and to establish communication using queues. But is it possible to do this with the help of asyncio in python 3.5
this is a way how you can run them in parallel:
note that
time.sleep(1)
(unlikeasyncio.sleep(1)
) is a blocking call and will not run concurrently.Luciano Ramalho's book Fluent Python has an excellent chapter about coroutines and
asyncio
... just in case.