使用类定义装饰器时,如何自动传输 __name__
、 __module__
和 __doc__
?通常,我会使用 functools 中的 @wraps 装饰器。这是我为课程所做的(这不完全是我的代码):
class memoized:
"""Decorator that caches a function's return value each time it is called.
If called later with the same arguments, the cached value is returned, and
not re-evaluated.
"""
def __init__(self, func):
super().__init__()
self.func = func
self.cache = {}
def __call__(self, *args):
try:
return self.cache[args]
except KeyError:
value = self.func(*args)
self.cache[args] = value
return value
except TypeError:
# uncacheable -- for instance, passing a list as an argument.
# Better to not cache than to blow up entirely.
return self.func(*args)
def __repr__(self):
return self.func.__repr__()
def __get__(self, obj, objtype):
return functools.partial(self.__call__, obj)
__doc__ = property(lambda self:self.func.__doc__)
__module__ = property(lambda self:self.func.__module__)
__name__ = property(lambda self:self.func.__name__)
是否有标准的装饰器来自动创建名称模块和文档?另外,要使 get 方法自动化(我假设这是为了创建绑定方法?)是否缺少任何方法?
原文由 Neil G 发布,翻译遵循 CC BY-SA 4.0 许可协议
每个人似乎都错过了明显的解决方案。使用
functools.update_wrapper
: