Issue
So I need to call an async
function for all items in a list. This could be a list of URLs and an async function using aiohttp
that gets a response back from every URL. Now obviously I cannot do the following:
async for url in ['www.google.com', 'www.youtube.com', 'www.aol.com']:
I can use a normal for loop but then my code will act synchronously and I lose the benefits and speed of having an async
response fetching function.
Is there any way I can convert a list such that the above works? I just need to change the list's __iter__()
to a __aiter__()
method right? Can this be achieved by subclassing a list? Maybe encapsulating it in a class?
Solution
Use asyncio.as_completed:
for future in asyncio.as_completed(map(fetch, urls)):
result = await future
Or asyncio.gather:
results = await asyncio.gather(map(fetch, urls))
EDIT: If you don't mind having an external dependency, you can use aiostream.stream.map:
from aiostream import stream, pipe
async def fetch_many(urls):
xs = stream.iterate(urls) | pipe.map(fetch, ordered=True, task_limit=10)
async for result in xs:
print(result)
You can control the amount of fetch
coroutine running concurrently using the task_limit
argument, and choose whether to get the results in order, or as soon as possible.
See more examples in this demonstration and the documentation.
Disclaimer: I am the project maintainer.
Answered By - Vincent
0 comments:
Post a Comment
Note: Only a member of this blog may post a comment.