本文实例讲述了Python类方法和实例方法(@classmethod),静态方法(@staticmethod)。分享给大家供大
本文实例讲述了Python 类方法和实例方法(@classmethod),静态方法(@staticmethod)。分享给大家供大家参考,具体如下:
demo.py(类方法,@classmethod):
class Tool(object):
# 使用赋值语句定义类属性,记录所有实例化工具对象的数量
count = 0
# @classmethod 定义类方法. 第一个参数是cls (cls用于访问类属性和类方法,不能访问实例属性/方法)
@classmethod
def show_tool_count(cls):
# 不能访问实例属性
print("工具对象的数量 %d" % cls.count) # cls.类属性名 访问类属性(类方法中)
def __init__(self, name):
self.name = name # 实例属性
# 类名.类属性名 访问类属性(实例方法中)
Tool.count += 1
# 实例化工具对象
tool1 = Tool("斧头") # tool1.__class__属性指向类对象。 tool1.__class__.count实例对象访问类属性
tool2 = Tool("榔头")
# 类名.类方法 调用类方法
Tool.show_tool_count()
运行结果:
工具对象的数量 2
demo.py(静态方法,@staticmethod):
class Dog(object):
# @staticmethod 定义静态方法;静态方法内部不能访问类属性/方法和实例属性/方法。不需要传默认参数。
# Python中的静态方法与在类外部定义的普通函数作用相同,只是表明该函数仅供该类使用。
@staticmethod
def run():
# 不能访问实例属性/类属性
print("小狗要跑...")
# 类名.静态方法名 调用静态方法,不需要创建对象 (也可以通过实例对象调用)
Dog.run()
运行结果:
小狗要跑...
Python 类方法 实例方法 @classmethod 静态方法 @staticmethod