包装函数会隐藏其属性吗?

时间:2015-01-14 10:14:26

标签: python python-3.x decorator wrapper python-decorators

这是我之前的问题Change an attribute of a function inside its own body的延续。

如果我已经包装了一个函数,以便它使用以下装饰器来计算它被调用的次数:

def keep_count(f):
    @wraps(f)
    def wrapped_f(*args, **kwargs):
        f(*args, **kwargs)
        wrapped_f.count += 1
    wrapped_f.count = 0
    return wrapped_f

然后我想再用其他东西包装它:

def decorator2(fn):
    @wraps(fn)
    def fn_wrapper(*args, **kwargs):
        if my_condition(fn):
            fn(*args, **kwargs)
    return fn_wrapper

test_f = decorator2(test_f)

我无法再像我希望的那样访问函数的count属性。 count属性的当前值通过@wraps(fn)复制,但如果我再次调用该函数,则计数将在原始函数内增加,但新值将不会复制到新装饰功能

>>> test_f()
() {}
>>> test_f.count
1
>>> test_f = decorator2(test_f)
>>> test_f.count  # The 1 gets copied here
1
>>> test_f()  # Only the inner function's count increments...
() {}
>>> test_f.count  # Still one, tho it should be two
1

这有什么解决方案吗? 喜欢“不断”重写,还是更好的东西?

1 个答案:

答案 0 :(得分:4)

functools.wraps()复制属性。然后,当您在包装函数上递增计数器时,您将为该属性分配 new 整数值,并且包装器仍将引用旧值。

不要跨属性进行wraps复制,而是将其复制到函数的整个__dict__属性中:

from functools import wraps, WRAPPER_ASSIGNMENTS

def decorator2(fn):
    @wraps(fn, assigned=WRAPPER_ASSIGNMENTS + ('__dict__',), updated=())
    def fn_wrapper(*args, **kwargs):
        if my_condition(fn):
            fn(*args, **kwargs)
    return fn_wrapper

现在,包装函数fnfn_wrapper对象共享可变__dict__命名空间字典,并且对该字典所做的任何更改都在两个函数中都可见。

assigned是要复制的属性序列(它通常复制文档字符串,函数名称和模块名称等内容),updated是应该被视为属性的属性序列字典,这些字典从包装函数更新。后者通常设置为__dict__,但现在我们复制整个对象,我们不再需要从原始对象更新它。