如何将其他参数传递给handle_client协程?
问题内容:
将异步用于套接字服务器的推荐方法是:
import asyncio
async def handle_client(reader, writer):
request = (await reader.read(100)).decode()
response = "Data received."
writer.write(response.encode())
async def main():
loop.create_task(asyncio.start_server(handle_client, 'localhost', 15555))
loop = asyncio.get_event_loop()
loop.create_task(main())
loop.run_forever()
这可以正常工作,但是现在我需要接收适当的客户端请求,然后使用aiohttp库从第三方的Restful API获取数据。
这需要创建一个会话变量,如下所示:
from aiohttp import ClientSession
session = ClientSession()
但这也应该在协程本身内部,因此我将其放入main中:
async def main():
session = ClientSession()
loop.create_task(asyncio.start_server(handle_client, '', 55555))
现在,我需要将会话变量传递给aiohttp get coroutine来获取其余的API数据:
async with session.get(url, params=params) as r:
try:
return await r.json(content_type='application/json')
except aiohttp.client_exceptions.ClientResponseError:
....
我的问题是,如果坚持只具有读取器,写入器参数,而全局变量对协程内部必须存在会话却没有帮助,那么如何将会话变量传递给handle_client协程?
问题答案:
您可以使用临时函数或lambda:
async def main():
session = aiohttp.ClientSession()
await asyncio.start_server(lambda r, w: handle_client(r, w, session),
'', 55555)
之所以lambda
可行,是因为尽管从技术上讲,它不是协程,但它的行为就像一个协程-调用时返回协程对象。
对于较大的程序,您可能更喜欢基于类的方法,其中类封装了多个客户端共享的状态,而不必显式传递它。例如:
class ClientContext:
def __init__(self):
self.session = aiohttp.ClientSession()
# ... add anything else you will need "globally"
async def handle_client(self, reader, writer):
# ... here you get reader and writer, but also have
# session etc as self.session ...
async def main():
ctx = ClientContext()
await asyncio.start_server(ctx.handle_client), '', 55555)