当我尝试从类的主体中使用静态方法,并使用内置staticmethod
函数作为装饰器来定义静态方法时,如下所示:
class Klass(object):
@staticmethod # use as decorator
def _stat_func():
return 42
_ANS = _stat_func() # call the staticmethod
def method(self):
ret = Klass._stat_func() + Klass._ANS
return ret
我收到以下错误:
Traceback (most recent call last):<br>
File "call_staticmethod.py", line 1, in <module>
class Klass(object):
File "call_staticmethod.py", line 7, in Klass
_ANS = _stat_func()
TypeError: 'staticmethod' object is not callable
我了解为什么会发生这种情况(描述符绑定),并且可以通过_stat_func()
在上次使用后手动将其转换为静态方法来解决此问题,如下所示:
class Klass(object):
def _stat_func():
return 42
_ANS = _stat_func() # use the non-staticmethod version
_stat_func = staticmethod(_stat_func) # convert function to a static method
def method(self):
ret = Klass._stat_func() + Klass._ANS
return ret
所以我的问题是:
是否有更好的方法(如更清洁或更“ Pythonic”的)来完成此任务?
staticmethod
。它们通常作为模块级功能更有用,在这种情况下,您的问题就不成问题了。classmethod