绑定到对象上的方法,基本都是为对象服务
没有被任何装饰器装饰的方法
第一个参数时self
,实例本身
当对象调用实例方法时(对象.实例方法()
),自动将对象当作第一个参数传入
当类调用实例方法时(类.实例方法(类())
),需要手动传入一个实例
一个类的实例方法绑定到不同的对象就是不同的实例方法,内存地址各不相同。
# 绑定给对象,为对象服务
# 没有任何装饰器
class Plant:
plant_owner = "戴夫"
# 没有装饰器
# 这个也是实例方法
def __init__(self, name, health, attack_value):
self.name = name
self.health = health
self.attack_value = attack_value
# 没有装饰器
def introduce(self):
print(f"""
我是{self.name}
我的生命值为{self.health},
我的攻击力为{self.attack_value},
我的主人是{self.plant_owner}
""")
# 实例对象
pee_shooter = Plant(name="豌豆射手", health=80, attack_value=10)
# 为对象服务
pee_shooter.introduce()
# 我是豌豆射手
# 我的生命值为80,
# 我的攻击力为10,
# 我的主人是戴夫
# 当对象调用实例方法时,自动将对象当作第一个参数传入
# 当类调用实例方法时,需要手动传入一个实例
# 实例化对象
pee_shooter = Plant(name="豌豆射手", health=80, attack_value=10)
# 对象调用实例方法
pee_shooter.introduce_self()
# 实例方法self的内容为:<__main__.Plant object at 0x000001DBD811B970>
# 类调用实例方法,需要手动传入一个实例
Plant.introduce_self(pee_shooter)
# 一个类的实例方法绑定到不同的实例对象,他们就是不同的实例方法,因为他们地址不同
# 实例化对象
sunflower = Plant(name="向日葵", health=100, attack_value=0)
pee_shooter = Plant(name="豌豆射手", health=80, attack_value=10)
# 获取类的实例方法的地址
print(id(Plant.introduce))
# 查看绑定到不同对象的实例方法的地址
print(id(sunflower.introduce))
print(id(pee_shooter.introduce))
# 1847514406128 # 地址都不一样
# 1847514372160
# 1847514372096
绑定到类上的方法,基本都是为类服务
用classmethod
装饰器装饰的方法
第一个参数时cls
,类本身
当类调用类方法时(类.实例方法()
),自动将类当作第一个参数传入
当对象调用实例方法时(对象.实例方法()
),自动将对象的类当作第一个参数传入
# 绑定到类上,为类服务
# 用classmethod装饰器装饰
# 第一个参数是cls
class Plant:
plant_owner = "戴夫"
plant_rival = "僵尸博士"
def __init__(self, name, health, attack_value):
self.name = name
self.health = health
self.attack_value = attack_value
# 用classmethod装饰器装饰
# 第一个参数是cls
@classmethod
def introduce_rival(cls):
print(f"{cls.__name__}的对手是{cls.__dict__['plant_rival']}")
# 为类服务
Plant.introduce_rival()
# 无论是类还是实例调用实例方法,都会自动传入类给cls参数
# 一个类的实例方法绑定到不同的实例对象,他们就是不同的实例方法,因为他们地址不同
class Plant:
plant_owner = "戴夫"
plant_rival = "僵尸博士"
def __init__(self, name, health, attack_value):
self.name = name
self.health = health
self.attack_value = attack_value
@classmethod
def introduce_rival(cls):
print(f"{cls.__name__}的对手是{cls.__dict__['plant_rival']}")
# 类调用类方法
print(id(Plant.introduce_rival))
Plant.introduce_rival()
# 1693174119296
# Plant的对手是僵尸博士
# 实例化对象
pee_shooter = Plant("豌豆射手", 80,10)
# 实例对象调用类方法
print(id(pee_shooter.introduce_rival))
pee_shooter.introduce_rival()
# 1693174119296
# Plant的对手是僵尸博士
不和类也不和对象进行绑定
用staticmethod
装饰器装饰的方法
就是一个普普通通的方法(函数),没有特殊的参数
可以在类的外部直接调用(类.非绑定方法())(对象.非绑定方法())
class Plant:
plant_owner = "戴夫"
plant_rival = "僵尸博士"
def __init__(self, name, health, attack_value):
self.name = name
self.health = health
self.attack_value = attack_value
@staticmethod
def static_method():
print("这是植物类的静态方法")
# 实例化对象
pee_shooter = Plant(name="豌豆射手", health=80, attack_value=10)
# 实例访问
print(id(pee_shooter.static_method))
pee_shooter.static_method()
# 2055404428960
# 这是植物类的静态方法
# 类访问
print(id(Plant.static_method))
Plant.static_method()
# 2055404428960 # 地址相同
# 这是植物类的静态方法