首先是代码:
import random
import asyncio
from aiohttp import ClientSession
import csv
headers =[]
def extractsites(file):
sites = []
readfile = open(file, "r")
reader = csv.reader(readfile, delimiter=",")
raw = list(reader)
for a in raw:
sites.append((a[1]))
return sites
async def fetchheaders(url, session):
async with session.get(url) as response:
responseheader = await response.headers
print(responseheader)
return responseheader
async def bound_fetch(sem, url, session):
async with sem:
print("doing request for "+ url)
await fetchheaders(url, session)
async def run():
urls = extractsites("cisco-umbrella.csv")
tasks = []
# create instance of Semaphore
sem = asyncio.Semaphore(100)
async with ClientSession() as session:
for i in urls:
task = asyncio.ensure_future(bound_fetch(sem, "http://"+i, session))
tasks.append(task)
return tasks
def main():
loop = asyncio.get_event_loop()
future = asyncio.ensure_future(run())
loop.run_until_complete(future)
if __name__ == '__main__':
main()
此代码大部分来自此博客文章: https://pawelmhm.github.io/asyncio/python/aiohttp/2016/04/22/asyncio-aiohttp.html
我面临的问题是:我正在尝试从文件中读取一百万个网址,然后为每个网址发出异步请求。 但是当我尝试执行上面的代码时,我得到了Session过期的错误。
这是我的思路:
我对异步编程比较新,所以请耐心等待。
我的过程是创建一个长任务列表(只允许100个并行请求),我在run
函数中构建,然后作为future
传递给事件循环来执行。
我在bound_fetch(我从博客文章中复制过)中包含了一个打印调试,它看起来像是循环遍历我拥有的所有网址,并且一旦它应该开始在fetchheaders
函数中发出请求我得到了运行时错误。
如何修复代码?
答案 0 :(得分:2)
这里有几件事。
首先,在您的运行功能中,您实际上想要在那里收集任务并等待他们修复会话问题,如下所示:
async def run():
urls = ['google.com','amazon.com']
tasks = []
# create instance of Semaphore
sem = asyncio.Semaphore(100)
async with ClientSession() as session:
for i in urls:
task = asyncio.ensure_future(bound_fetch(sem, "http://"+i, session))
tasks.append(task)
await asyncio.gather(*tasks)
其次,aiohttp API在处理标题方面有点奇怪,因为你无法等待它们。我通过等待正文来解决这个问题,以便填充标题然后返回标题:
async def fetchheaders(url, session):
async with session.get(url) as response:
data = await response.read()
responseheader = response.headers
print(responseheader)
return responseheader
然而,拉动身体还有一些额外的开销。我没有找到另一种方法来加载标题而不进行正文阅读。