Python的类方法和静态方法是什么

python

类方法

类方法:是类对象所拥有的方法,需要用修饰器@classmethod来标识其为类方法,对于类方法,第一个参数必须是类对象,一般以cls作为第一个参数(当然可以用其他名称的变量作为其第一个参数,但是大部分人都习惯以’cls’作为第一个参数的名字,就最好用’cls’了),能够通过实例对象和类对象去访问。

class Person(object):

    country = "china"

    @classmethod

    def getCountry(cls):

        return cls.country

p = Person()

print(p.getCountry()) #正确,实例对象可以调用类方法

print(Person.getCountry())

运行结果为:

china

china

类方法还有一个用途就是可以对类属性进行修改:

class Person(object):

    country = "china"

    @classmethod

    def getCountry(cls):

        return cls.country

    @classmethod

    def setCountry(cls,newCountry):

        cls.country = newCountry

p = Person()

print(p.getCountry()) #正确,实例对象可以调用类方法

print(Person.getCountry())

     

p.setCountry("CHINA")

print(p.getCountry())

Person.setCountry("中国")

print(Person.getCountry())

运行结果为:

china

china

CHINA

中国

结果显示在用类方法对类属性修改之后,通过类对象和实例对象访问都发生了改变。

相关推荐:《Python相关教程》

静态方法

静态方法:需要通过修饰器@staticmethod来进行修饰,静态方法不需要多定义参数。

class Person(object):

    country = "china"

    @staticmethod

    def getCountry():

        return Person.country

p = Person()

print(p.getCountry())

print(Person.getCountry())

运行结果为:

china

china

总结:

实例方法:

定义:第一个参数必须是实例对象,该参数名一般约定为“self”,通过它来传递实例的属性和方法(也可以传类的属性和方法);

调用:只能由实例对象调用。

类方法:

定义:使用装饰器@classmethod。

第一个参数必须是当前类对象,该参数名一般约定为“cls”,通过它来传递类的属性和方法(不能传实例的属性和方法);

调用:实例对象和类对象都可以调用。

静态方法:

定义:使用装饰器@staticmethod。参数随意,没有“self”和“cls”参数,但是方法体中不能使用类或实例的任何属性和方法;

调用:实例对象和类对象都可以调用。

相关推荐:

python中重写与调用方法是什么

以上是 Python的类方法和静态方法是什么 的全部内容, 来源链接: utcz.com/z/523489.html

回到顶部