Python面向对象之静态属性、类方法与静态方法分析
本文实例讲述了Python面向对象之静态属性、类方法与静态方法。分享给大家供大家参考,具体如下:
1.静态属性:在函数前加@property,将函数逻辑”封装“成数据属性,外部直接调用函数名,如同调用属性一样。这个函数是可以调用对象和类的属性的。
#-*-coding:utf-8-*- classRoom: def__init__(self,name,owner,width,length): self.name=name self.owner=owner self.width=width self.length=length @property defcal_area(self): returnself.length*self.width r1=Room('卧室','alex',100,1000) print(r1.cal_area) #r1.cal_area=10并不是真实的数据属性,所以不可以在外部直接赋值。
运行结果:
100000
2.类方法:在类的方法前添加@classmethod,不需要实例化,直接调用类的该方法。可以访问类的数据属性,但是不可以访问对象的数据属性。
#-*-coding:utf-8-*- classRoom: style='别墅' def__init__(self,name,owner,width,length): self.name=name self.owner=owner self.width=width self.length=length @property defcal_area(self): returnself.length*self.width @classmethod deftell_style(cls): #这么写会报错,因为name是对象的数据属性,而类方法是不可以访问实例的属性的 #print('%s的房间风格是%s'%(cls.name,cls.style)) print('房间的风格是%s'%(cls.style)) #类方法的定义只是为了类去调用 Room.tell_style()
运行结果:
房间的风格是别墅
3.静态方法:在类的方法前加@staticmethod,该方法只是名义上的归属类管理,实例和类的属性均不可以访问,仅仅是类的工具包。
#-*-coding:utf-8-*- classRoom: style='别墅' def__init__(self,name,owner,width,length): self.name=name self.owner=owner self.width=width self.length=length @property defcal_area(self): returnself.length*self.width @classmethod deftell_style(cls): #这么写会报错,因为name是对象的数据属性,而类方法是不可以访问实例的属性的 #print('%s的房间风格是%s'%(cls.name,cls.style)) print('房间的风格是%s'%(cls.style)) @staticmethod defshower(): print("洗澡") deftest(self): print("这不是静态方法,而且自动生成参数,必须要有实例") Room.shower() r1=Room('别墅','alex',10,10) r1.shower()#这么调用也没有问题 #报错,因为不是静态方法,必须要实例化 Room.test()
运行结果:
洗澡
洗澡
Traceback(mostrecentcalllast):
File"C:\py\jb51PyDemo\src\Demo\test.py",line26,in
Room.test()
TypeError:unboundmethodtest()mustbecalledwithRoominstanceasfirstargument(gotnothinginstead)
更多关于Python相关内容感兴趣的读者可查看本站专题:《Python面向对象程序设计入门与进阶教程》、《Python数据结构与算法教程》、《Python函数使用技巧总结》、《Python字符串操作技巧汇总》、《Python编码操作技巧总结》及《Python入门与进阶经典教程》
希望本文所述对大家Python程序设计有所帮助。