类方法:
是类对象所拥有的方法需要用classmethod
来标识,对于类方法,第一个参数必须是类对象,一般以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('British') # 修改类属性
print(p.get_country())
print(People.get_country())
静态方法:
需要通过修饰器@staticmethod
来进行修饰,静态方法不需要多定义参数('self'或'cls'),可以通过对象和类来访问。
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引用的可能是类属性、也有可能是实例属性(这个需要具体分析),不过在存在相同名称的类属性和实例属性的情况下,实例属性优先级更高。
- 静态方法中不需要额外定义参数,因此在静态方法中引用类属性的话,必须通过类实例对象来引用。
为什么使用静态方法:
静态方法主要是用来存放逻辑性的代码,主要是一些逻辑属于类,但是和类本身没有交互,即在静态方法中,不会涉及到类中的方法和属性的操作。可以理解为将静态方法存在此类的名称空间中。事实上,在python引入静态方法之前,通常是在全局名称空间中创建函数,但这样会导致代码难以维护。
举个例子,我们来定义一个类来获取当前时间:
import time
class TimeTest(object):
def __init__(self, hour, minute, second):
self.hour = hour
self.minute = minute
self.second = second
@staticmethod
def showTime():
return time.strftime("%H:%M:%S", time.time())
print(TimeTest.showTime())
t = TimeTest(2,10,10)
nowTime = t.showTime()
print(nowTime)