Python 协程:暂停时释放上下文管理器

问题描述 投票:0回答:1

背景:我是一位非常有经验的Python程序员,但对新的协程/异步/等待功能完全一无所知。我无法编写异步“hello world”来拯救我的生命。

我的问题是:我得到了一个任意的协程函数

f
。我想编写一个协程函数
g
来包装
f
,即我会将
g
提供给用户,就好像它是
f
一样,用户会调用它,但不会更明智,因为
g 
将在后台使用
f
。就像你装饰一个普通的 Python 函数来添加功能一样。

我想添加的功能:每当程序流进入我的协程时,它都会获取我提供的上下文管理器,并且一旦程序流离开协程,它就会释放该上下文管理器。流量回来了?重新获取上下文管理器。又出去了?重新释放它。直到协程完全完成。

为了演示,这里是使用普通生成器描述的功能:

def generator_wrapper(_, *args, **kwargs):
    gen = function(*args, **kwargs)
    method, incoming = gen.send, None
    while True:
        with self:
            outgoing = method(incoming)
        try:
            method, incoming = gen.send, (yield outgoing)
        except Exception as e:
            method, incoming = gen.throw, e

可以用协程来做吗?

python async-await coroutine
1个回答
11
投票

协程构建在迭代器上 -

__await__
特殊方法是常规迭代器。这允许您将底层迭代器包装在另一个迭代器中。诀窍是,您必须使用目标的 __await__
unwrap
目标的迭代器,然后使用您自己的 __await__
re-wrap
您自己的迭代器。

适用于实例化协程的核心功能如下所示:

class CoroWrapper:
    """Wrap ``target`` to have every send issued in a ``context``"""
    def __init__(self, target: 'Coroutine', context: 'ContextManager'):
        self.target = target
        self.context = context

    # wrap an iterator for use with 'await'
    def __await__(self):
        # unwrap the underlying iterator
        target_iter = self.target.__await__()
        # emulate 'yield from'
        iter_send, iter_throw = target_iter.send, target_iter.throw
        send, message = iter_send, None
        while True:
            # communicate with the target coroutine
            try:
                with self.context:
                    signal = send(message)
            except StopIteration as err:
                return err.value
            # communicate with the ambient event loop
            # depending on the signal, we need a different send method
            try:
                message = yield signal
            except BaseException as err:
                send, message = iter_throw, err
            else:
                send = iter_send

请注意,这明确适用于

Coroutine
,而不是
Awaitable
-
Coroutine.__await__
实现了生成器接口。理论上,
Awaitable
不一定提供
__await__().send
__await__().throw

这足以传入和传出消息:

import asyncio


class PrintContext:
    def __enter__(self):
        print('enter')

    def __exit__(self, exc_type, exc_val, exc_tb):
        print('exit via', exc_type)
        return False


async def main_coro():
    print(
        'wrapper returned',
        await CoroWrapper(test_coro(), PrintContext())
    )


async def test_coro(delay=0.5):
    await asyncio.sleep(delay)
    return 2

asyncio.run(main_coro())
# enter
# exit via None
# enter
# exit <class 'StopIteration'>
# wrapper returned 2

您可以将包装部分委托给单独的装饰器。这也确保您拥有一个实际的协程,而不是自定义类 - 一些异步库需要这个。

from functools import wraps


def send_context(context: 'ContextManager'):
    """Wrap a coroutine to issue every send in a context"""
    def coro_wrapper(target: 'Callable[..., Coroutine]') -> 'Callable[..., Coroutine]':
        @wraps(target)
        async def context_coroutine(*args, **kwargs):
            return await CoroWrapper(target(*args, **kwargs), context)
        return context_coroutine
    return coro_wrapper

这允许您直接装饰协程函数:

@send_context(PrintContext())
async def test_coro(delay=0.5):
    await asyncio.sleep(delay)
    return 2

print('async run returned:', asyncio.run(test_coro()))
# enter
# exit via None
# enter
# exit via <class 'StopIteration'>
# async run returned: 2
© www.soinside.com 2019 - 2024. All rights reserved.