26

aiohttp 的入门文档提供了以下客户端示例:

import asyncio
import aiohttp

async def fetch_page(session, url):
    with aiohttp.Timeout(10):
        async with session.get(url) as response:
            assert response.status == 200
            return await response.read()

loop = asyncio.get_event_loop()
with aiohttp.ClientSession(loop=loop) as session:
    content = loop.run_until_complete(
        fetch_page(session, 'http://python.org'))
    print(content)

他们为 Python 3.4 用户提供了以下注释:

如果您使用的是 Python 3.4,请将 await 替换为 yield from 并将 async def 替换为 @coroutine 装饰器。

如果我遵循这些说明,我会得到:

import aiohttp
import asyncio

@asyncio.coroutine
def fetch(session, url):
    with aiohttp.Timeout(10):
        async with session.get(url) as response:
            return (yield from response.text())

if __name__ == '__main__':
    loop = asyncio.get_event_loop()
    with aiohttp.ClientSession(loop=loop) as session:
        html = loop.run_until_complete(
            fetch(session, 'http://python.org'))
        print(html)

但是,这不会运行,因为async withPython 3.4 不支持:

$ python3 client.py 
  File "client.py", line 7
    async with session.get(url) as response:
             ^
SyntaxError: invalid syntax

如何翻译该async with语句以使用 Python 3.4?

4

2 回答 2

19

只是不要将结果session.get()用作上下文管理器;直接将其用作协程。生成的请求上下文管理器session.get()通常会在退出时释放请求,但using 也是如此response.text(),因此您可以在这里忽略它:

@asyncio.coroutine
def fetch(session, url):
    with aiohttp.Timeout(10):
        response = yield from session.get(url)
        return (yield from response.text())

此处返回的请求包装器没有所需的异步方法(__aenter____aexit__),它们在不使用 Python 3.5 时完全省略(请参阅相关源代码)。

如果您在session.get()调用和访问等待对象之间有更多语句response.text(),您可能希望使用try:..finally:无论如何来释放连接;如果发生异常,Python 3.5 版本上下文管理器也会关闭响应。因为yield from response.release()这里需要 a ,所以在 Python 3.4 之前不能将它封装在上下文管理器中:

import sys

@asyncio.coroutine
def fetch(session, url):
    with aiohttp.Timeout(10):
        response = yield from session.get(url)
        try:
            # other statements
            return (yield from response.text())
        finally:
            if sys.exc_info()[0] is not None:
                # on exceptions, close the connection altogether
                response.close()
            else:
                yield from response.release()
于 2016-05-26T16:12:26.000 回答
5

aiohttp示例使用 3.4 语法实现。基于json 客户端示例,您的功能将是:

@asyncio.coroutine
def fetch(session, url):
    with aiohttp.Timeout(10):
        resp = yield from session.get(url)
        try:
            return (yield from resp.text())
        finally:
            yield from resp.release()

更新:

请注意,Martijn 的解决方案适用于简单的情况,但在特定情况下可能会导致不需要的行为:

@asyncio.coroutine
def fetch(session, url):
    with aiohttp.Timeout(5):
        response = yield from session.get(url)

        # Any actions that may lead to error:
        1/0

        return (yield from response.text())

# exception + warning "Unclosed response"

除了异常,您还会收到警告“未关闭的响应”。这可能会导致复杂应用程序中的连接泄漏。如果您手动调用resp.release()/ ,您将避免此问题resp.close()

@asyncio.coroutine
def fetch(session, url):
    with aiohttp.Timeout(5):
        resp = yield from session.get(url)
        try:

            # Any actions that may lead to error:
            1/0

            return (yield from resp.text())
        except Exception as e:
            # .close() on exception.
            resp.close()
            raise e
        finally:
            # .release() otherwise to return connection into free connection pool.
            # It's ok to release closed response:
            # https://github.com/KeepSafe/aiohttp/blob/master/aiohttp/client_reqrep.py#L664
            yield from resp.release()

# exception only

我认为最好遵循官方示例(和__aexit__ 实现)并明确调用resp.release()/ 。resp.close()

于 2016-05-26T17:23:10.847 回答