如何在aiohttp中从处理程序运行异步进程

Val*_*tin 6 python asynchronous aiohttp

我试图了解如何在aioweb框架内从coroutine处理程序运行异步进程.这是一个代码示例:

def process(request):
    # this function can do some calc based on given request
    # e.g. fetch/process some data and store it in DB
    # but http handler don't need to wait for its completion

async def handle(request):
    # process request
    process(request) ### THIS SHOULD RUN ASYNCHRONOUSLY

    # create response
    response_data = {'status': 'ok'}

    # Build JSON response
    body = json.dumps(response_data).encode('utf-8')
    return web.Response(body=body, content_type="application/json")

def main():
    loop = asyncio.get_event_loop()
    app = web.Application(loop=loop)
    app.router.add_route('GET', '/', handle)

    server = loop.create_server(app.make_handler(), '127.0.0.1', 8000)
    print("Server started at http://127.0.0.1:8000")
    loop.run_until_complete(server)
    try:
       loop.run_forever()
    except KeyboardInterrupt:
       pass

if __name__ == '__main__':
   main()
Run Code Online (Sandbox Code Playgroud)

我想process从处理程序异步运行函数.有人可以举例说明我是如何实现这一目标的.我很难理解如何在处理程序中传递/使用主事件循环并将其传递给另一个函数,该函数本身可以在其中运行异步进程.

mgc*_*mgc 6

我想你应该将你现有的process函数定义为一个协程(async def应该把你的函数包装成一个协程)并asyncio.ensure_future在你的main handle函数中使用.

async def process(request):
    # Do your stuff without having anything to return

async def handle(request):
    asyncio.ensure_future(process(request))
    body = json.dumps({'status': 'ok'}).encode('utf-8')
    return web.Response(body=body, content_type="application/json")
Run Code Online (Sandbox Code Playgroud)

根据asyncio文档,ensure_future方法应该安排执行协程(process在您的情况下的函数)而不阻塞/等待结果.

我想你要找的东西可能与一些现有的帖子有关,比如这个:"火与忘记"python async/await