为什么decorator
不能装饰静态方法或类方法?
from decorator import decorator
@decorator
def print_function_name(function, *args):
print '%s was called.' % function.func_name
return function(*args)
class My_class(object):
@print_function_name
@classmethod
def get_dir(cls):
return dir(cls)
@print_function_name
@staticmethod
def get_a():
return 'a'
get_dir
和get_a
都会产生AttributeError: <'classmethod' or 'staticmethod'>, object has no attribute '__name__'
。
为什么decorator
依赖属性__name__
而不是属性func_name
? (Afaik所有函数,包括classmethods和staticmethods,都有func_name
属性。)
编辑:我正在使用Python 2.6。
答案 0 :(得分:52)
classmethod
和staticmethod
返回descriptor objects,而不是函数。大多数装饰器不是为接受描述符而设计的。
通常情况下,您必须在使用多个装饰器时最后应用classmethod
和staticmethod
。由于装饰器以“自下而上”的顺序应用,classmethod
和staticmethod
通常应该是您的来源中的最顶层。
像这样:
class My_class(object):
@classmethod
@print_function_name
def get_dir(cls):
return dir(cls)
@staticmethod
@print_function_name
def get_a():
return 'a'
答案 1 :(得分:25)
当@classmathod
和@staticmethod
是最顶层的装饰器时,它会起作用:
from decorator import decorator
@decorator
def print_function_name(function, *args):
print '%s was called.' % function.func_name
return function(*args)
class My_class(object):
@classmethod
@print_function_name
def get_dir(cls):
return dir(cls)
@staticmethod
@print_function_name
def get_a():
return 'a'
答案 2 :(得分:2)
这是你想要的吗?
def print_function_name(function):
def wrapper(*args):
print('%s was called.' % function.__name__)
return function(*args)
return wrapper
class My_class(object):
@classmethod
@print_function_name
def get_dir(cls):
return dir(cls)
@staticmethod
@print_function_name
def get_a():
return 'a'