9

Python 标准库是否有编写接受参数的装饰器的快捷方式?

例如,如果我想编写一个装饰器,例如with_timeout(timeout)

@with_timeout(10.0)
def cook_eggs(eggs):
    while not eggs.are_done():
        eggs.cook()

我必须写一些类似的东西:

def with_timeout(timeout):
    _func = [None]
    def with_timeout_helper(*args, **kwargs):
        with Timeout(timeout):
            return _func[0](*args, **kwargs)
    def with_timeout_return(f):
        return functools.wraps(f)(with_timeout_helper)
    return with_timeout_return

但这非常冗长。是否有一种捷径可以让接受参数的装饰器更容易编写?

注意:我意识到也可以使用三个嵌套函数来实现带参数的装饰器……但这也有点不太理想。

例如,可能类似于@decorator_with_arguments函数:

@decorator_with_arguments
def timeout(f, timeout):
    @functools.wraps(f)
    def timeout_helper(*args, **kwargs):
        with Timeout(timeout):
            return f(*args, **kwargs)
    return timeout_helper
4

5 回答 5

7

老实说,我倾向于把我的装饰器写成类

class TestWithArgs(object):
    def __init__(self, *deco_args, **deco_kwargs):
        self.deco_args = deco_args
        self.deco_kwargs = deco_kwargs
    def __call__(self, func):
        def _wrap(self, *args, **kwargs):
            print "Blah blah blah"
            return func(*args, **kwargs)
        return _wrap

如果不是稍微清楚一点,它什么都没有

于 2012-05-16T01:17:20.130 回答
4

我知道你说它感觉不太理想,但我仍然觉得使用三个嵌套模型是最干净的解决方案。内部的两个函数只是为接受参数的函数定义装饰器的“正常”方式(参见python 文档中的@wraps 示例)外层实际上只是一个接受和参数并返回装饰器的函数。

def with_timeout(timeout):
    def decorator(f):
        @wraps(f)
        def wrapper(*args, **kwargs):
            with Timeout(timeout):
                return f(*args, **kwargs)
        return wrapper
    return decorator
于 2012-05-16T02:12:33.137 回答
4

根据 Jakob 的建议,我实现了一个Decorator小班,我觉得它做得相当不错:

class Decorator(object):
    def __call__(self, f):
        self.f = f
        return functools.wraps(f)(lambda *a, **kw: self.wrap(*a, **kw))

    def wrap(self, *args, **kwrags):
        raise NotImplemented("Subclasses of Decorator must implement 'wrap'")

class with_timeout(Decorator):
    def __init__(self, timeout):
        self.timeout = timeout

    def wrap(self, *args, **kwargs):
        with Timeout(timeout):
            return self.f(*args, **kwargs)
于 2012-05-16T03:34:44.520 回答
0

另一种方法,不使用 lambda:

def decorator_with_arguments(f):
    @functools.wraps(f)
    def with_arguments_helper(*args, **kwargs):
        def decorator(g):
            return f(g, *args, **kwargs)
        return decorator
    return with_arguments_helper
于 2012-05-20T15:51:45.410 回答
0

首先,我们可以定义一个小的元装饰器:

def decorator_with_arguments(wrapper):
    return lambda *args, **kwargs: lambda func: wrapper(func, *args, **kwargs)

这允许我们创建接受如下参数的装饰器:

@decorator_with_arguments
def my_wrapper(func, *decorator_args, **decorator_kwargs):
    def wrapped(*call_args, **call_kwargs):
        print "from decorator:", decorator_args, decorator_kwargs
        func(*call_args, **call_kwargs)
    return wrapped

然后可以正常使用:

@my_wrapper(1, 2, 3)
def test(*args, **kwargs):
    print "passed directly:", args, kwargs

test(4, 5, 6)

添加functools.wraps装饰留作练习:)

于 2012-05-16T03:43:06.540 回答