首页 > 代码库 > python @classmethod 和 @staticmethod区别

python @classmethod 和 @staticmethod区别

首先来看@staticmethod,这个装饰器很好理解,就是让类中的方法变成静态方法,不需要对象实例化就可以直接调用。在此静态方法中无法使用"self"参数;

再看@classmethod。其实和@staticmethod功能类似, 可以简单理解为@staticmethod功能上增加了一个"cls"参数代表本类obj(在类继承中,cls代表子类),可以通过调用cls()对象调用本类中的其他对象(python中所有皆是对象)。

如果你对以上两句话还不能理解,请看下面的代码,就理解了。

 1 class Test(object): 2     tag=1 3  4     def normal_method(self): 5         print normal method 6  7     @classmethod 8     def class_method(cls): 9         print class method, tag is %s % cls().tag10         cls().normal_method()11 12     @staticmethod13     def static_method():14         print static method, tag is %s % Test.tag15         # print ‘static method,tag is %s‘% Test.class_method()

运行结果>>>

>>> Test.static_method()static method, tag is 1>>> Test.class_method()class method, tag is 1normal method

 

python @classmethod 和 @staticmethod区别