赞
踩
静态方法:静态方法是定义在类内部的方法,只能借助于该类访问
静态方法需要用 @staticmethod装饰器定义
静态方法写普通函数的定义相同,不需要传入self和cls 参数
通常是在类中使用静态方法,要求在类成员函数前面加上@staticmethod标记符,以表示下面的成员函数是静态函数。使用静态方法的好处是,不需要定义实例即可使用这个方法。另外,多个实例共享此静态方法。
类方法:一个类方法就可以通过类或它的实例来调用的方法, 不管你是用类来调用这个方法还是类实例调用这个方法,该方法的第一个参数总是定义该方法的类对象。
区别:
虽然静态方法和类方法调用方式都一样,都可以通过[类.方法名]来使用,但是类方法中有默认属性cls,指向自身的类,所以一般如果是单一的工具函数定义成静态方法,如果还需要调用类中其他的静态方法,或者类方法的函数定义成类方法
主要区别在于参数传递上的区别,实例方法悄悄传递的是self引用作为参数,而类方法悄悄传递的是cls引用作为参数。
静态方法只是名义上归类管理,实际上在静态方法里访问不了类或实例中的任何属性。
类方法只能访问类变量,不能访问实例变量
class A(object):
def fun_a(self):#实例方法
pass
@staticmethod
def fun_b():#静态方法
pass
@classmethod
def fun_c(cls):#类方法
pass
**下面复制一段代码:原文:**https://blog.csdn.net/sunt2018/article/details/86571961
类变量和实例变量
class A:
aa = 1
def init(self,x,y):
self.x = x
self.y = y
a = A(2,3)
“”"
a 是实例
aa 是类变量
####################
如果用
A.aa =100 修改的是类的变量
a.aa =101 会在a实例中创建一个名叫aa的属性,并赋值,如果本身就有aa属性,才修改。
####################
“”"
类方法,静态方法,实例方法
class Date:
# 构造函数
def init(self,year,month,day):
self.year = year
self.month = month
self.day = day
# 实例方法 def tomorrow(self): self.day += 1 # 如果要修改类变量 # Date.day += 1 # 如不用self,会赋给实例变量 # 静态方法 @staticmethod def parse_from_string(date_str): """ 静态方法, 前面是不需要加self的 return 采取硬编码的方式,如果类名改了,这里也需要改,不友好 所以出现了 @classmethod 类方法 """ year, mouth, day = tuple(date_str.split("-")) return Date(int(year),int(mouth),int(day)) @classmethod def form_string(cls,date_str): """ 类方法,cls就是类本身 这样就避免了硬编码 """ year, mouth, day = tuple(date_str.split("-")) return cls(int(year),int(mouth),int(day)) def __str__(self): # 大于 python 3.6 f"" return f"{self.year}/{self.month}/{self.day}"
if name == “main”:
new_day = Date(2018,12,31)
new_day.tomorrow()
print(new_day)
#2018-12-31 date_str = "2018-12-31" year,mouth,day = tuple(date_str.split("-")) print(year,mouth,day) new_day = Date(int(year),int(mouth),int(day)) # 把上面的逻辑拿到类里面,写一个静态方法 date_str = "2018-12-31" new_day = Date.parse_from_string(date_str) print(new_day) # 使用@classmethod date_str = "2018-12-31" new_day = Date.form_string(date_str) print(new_day) # 判断一个字符串是否是合法的时间字符串 # 使用 @staticmethod 比 @classmethod 更合理 # 因为不需要返回cls
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。