静态方法和类方法
1. 类方法
是类对象所拥有的方法,需要用修饰器@classmethod
来标识其为类方法,对于类方法,第一个参数必须是类对象,一般以cls
作为第一个参数(当然可以用其他名称的变量作为其第一个参数,但是大部分人都习惯以'cls'作为第一个参数的名字,就最好用'cls'了),能够通过实例对象和类对象去访问。
class People(object): country = 'china' #类方法,用classmethod来进行修饰 @classmethod def get_country(cls): return cls.country p = People() print(p.get_country()) #可以用过实例对象引用 print(People.get_country()) #可以通过类对象引用
类方法还有一个用途就是可以对类属性进行修改:
class People(object): country = 'china' #类方法,用classmethod来进行修饰 @classmethod def get_country(cls): return cls.country @classmethod def set_country(cls,country): cls.country = country p = People() print(p.get_country()) #可以用过实例对象访问 print(People.get_country()) #可以通过类访问 p.set_country('japan') print(p.get_country()) print(People.get_country())
结果显示在用类方法对类属性修改之后,通过类对象和实例对象访问都发生了改变
2. 静态方法
需要通过修饰器@staticmethod
来进行修饰,静态方法不需要多定义参数,可以通过对象和类来访问。
class People(object): country = 'china' @staticmethod #静态方法 def get_country(): return People.country p = People() # 通过对象访问静态方法 p.get_contry() # 通过类访问静态方法 print(People.get_country())
总结
- 从类方法和实例方法以及静态方法的定义形式就可以看出来,类方法的第一个参数是类对象cls,那么通过cls引用的必定是类对象的属性和方法;
- 实例方法的第一个参数是实例对象self,那么通过self引用的可能是类属性、也有可能是实例属性(这个需要具体分析),不过在存在相同名称的类属性和实例属性的情况下,实例属性优先级更高。
- 静态方法中不需要额外定义参数,因此在静态方法中引用类属性的话,必须通过类实例对象来引用
类方法:
# # 自定义一个人类 # class Person(object): # # # 国籍 # country = "中国" # # def __init__(self, name, age): # self.name = name # self.age = age # # xm = Person("小明", 10) # # # # 自定义一个人类 # class Person(object): # # def __init__(self, name, age, country="中国"): # self.name = name # self.age = age # # # xm = Person("小明", 10) # 自定义一个人类 class Person(object): # 获取私有私有属性的值 # 调用类方法的方式 # 01: 类名.类方法名() # 私有 # 国籍 __country = "中国" # 定义修饰器 # cls -> class -> Person # 取值 @classmethod def get_country(cls): return cls.__country # 赋值 @classmethod def set_country(cls, new_country): cls.__country = new_country # print(Person.get_country()) # 02: 对象名.类方法名() # p = Person() # print(p.get_country()) # 修改私有属性的值 Person.set_country("中华") print(Person.get_country()) p = Person() print(p.get_country())
静态方法:
# 自定义一个人类 class Person(object): # 类属性 __country = "中国" def __init__(self): # 实例属性 self.__money = 100 # 公有实例方法 def get_money(self): return self.__money # 公有类方法 @classmethod def get_country(cls): return cls.__country # 静态方法 @staticmethod def test(): print("你好") # 静态方法的调用 # 01: 对象名.静态方法名() # p = Person() # p.test() # 02: 类名.静态方法名() # Person.test()