我在视图函数中使用装饰器(@render_to
来自包)。django_annoying
但问题是我想获取视图函数返回的原始 dict 用于测试目的,而不是HttpResponse
装饰器返回的对象。
装饰器使用@wraps
(from functools
)。
如果无法访问它,那么您是否知道如何测试它?
我在视图函数中使用装饰器(@render_to
来自包)。django_annoying
但问题是我想获取视图函数返回的原始 dict 用于测试目的,而不是HttpResponse
装饰器返回的对象。
装饰器使用@wraps
(from functools
)。
如果无法访问它,那么您是否知道如何测试它?
包装的函数将作为函数闭包单元使用。哪个单元格完全取决于有多少闭包变量。
对于一个简单的包装器,其中唯一的闭包变量是要包装的函数,它将是第一个:
wrapped = decorated.func_closure[0].cell_contents
但您可能必须检查所有func_closure
值。
>>> from functools import wraps
>>> def my_decorator(f):
... @wraps(f)
... def wrapper(*args, **kwds):
... print 'Calling decorated function'
... return f(*args, **kwds)
... return wrapper
...
>>> @my_decorator
... def example():
... """Docstring"""
... print 'Called example function'
...
>>> example
<function example at 0x107ddfaa0>
>>> example.func_closure
(<cell at 0x107de3d70: function object at 0x107dc3b18>,)
>>> example.func_closure[0].cell_contents
<function example at 0x107dc3b18>
>>> example()
Calling decorated function
Called example function
>>> example.func_closure[0].cell_contents()
Called example function
不过,查看源代码@render_to
不必担心这一点;被包装的函数将被存储在第一个闭包槽中,保证。
如果这是 Python 3,则可以使用__wrapped__
属性访问包装的函数:
>>> example.__wrapped__
<function example at 0x103329050>
如果您可以访问装饰器代码本身,您也可以轻松地在 Python 2 代码中添加相同的引用:
def my_decorator(f):
@wraps(f)
def wrapper(*args, **kwds):
# implementation
wrapper.__wrapped__ = f
return wrapper
让内省变得容易一点。
这是一个递归搜索在多个级别装饰的原始函数的代码。这背后的逻辑与@Martin提到的答案相同
def get_original_decorated_function(deco_func, org_func_name= None):
if not deco_func.func_closure:
if deco_func.__name__ == org_func_name:
return deco_func
else:
return None
for closure in deco_func.func_closure:
func = closure.cell_contents
if func.__name__ == org_func_name:
# This is the original function name
return func
else:
# Recursively call the intermediate function
return get_original_decorated_function(func, org_func_name)