我有两个在本地运行的简单服务。 (下面的代码)。为什么当我同时发送100个请求时,响应会在很长的300秒内返回。它在幕后做什么?
服务#1,方法是致电http://localhost:8080
import os
os.environ['PYTHONASYNCIODEBUG'] = '1'
import json
from aiohttp import web
import aiohttp
import asyncio
import importlib
import time
#tasks = []
n = 0
m = 0
def mcowA(m):
print (m, " : A")
return
async def fetch(session, url):
try:
async with session.get(url) as response:
#async with getattr(session,"get")(url,proxy=proxy) as response:
return await response.text()
except Exception:
import traceback
traceback.format_exc()
def mcowB(n):
print (n, " : B")
return
async def runMcows(request):
start = time.time()
global n,m
mcowA(m)
m=m+1
async with aiohttp.ClientSession() as session:
html = await fetch(session, 'http://localhost:8081')
#html = await fetch(session, 'http://www.cpan.org/SITES.htm
print(n,html)
mcowB(n)
end = time.time()
print ( end - start)
n=n+1
return web.Response(text=html)
async def init():
app = web.Application()
app.add_routes([web.get('/', runMcows)])
return await loop.create_server(
app.make_handler(), '127.0.0.1', 8080)
loop = asyncio.get_event_loop()
loop.run_until_complete(init())
loop.run_forever()
服务2:
from aiohttp import web
import asyncio
import time
async def hello(request):
time.sleep(5)
#await asyncio.sleep(5)
return web.Response(text='dummy done5')
app = web.Application()
app.add_routes([web.get('/', hello)])
web.run_app(app,host='127.0.0.1', port=8081)
我了解time.sleep(5)正在阻塞,但是为什么它阻塞了300秒?哪一部分要花费300秒? 如果更改为等待asyncio.sleep(5),它将起作用。
答案 0 :(得分:2)
这阻止了。
time.sleep(5)
Asyncio不是线程。正在运行一个事件循环,该循环调用您的hello函数,该函数将阻塞5秒钟,然后返回。然后,事件循环将重新获得控制并调用下一个事件,该事件将再次成为您的hello函数,在将控制权返回到循环之前,该事件将再次阻塞5秒钟。
这将异步等待5秒钟。
await asyncio.sleep(5)
因此,您的hello函数立即返回,并简单地告诉循环在5秒内返回给我。