在别的语言中,例如Java和C++,在实现类时都会实现get和set方法来控制私有属性的改变,防止我们直接在代码中使用.操作符来改变属性值,以至于导致不可预料的错误和后果。
在python中有另外的实现思路,这就是property装饰器。
例如下面的代码:
class Plane(object):
""""
模拟飞机大战
"""
def __init__(self):
self._alive = True
self._score = 0
# 将alive方法设置为属性,然后当p.alive作为右值时,就会执行这个方法
@property
def alive(self):
print("调用了alive方法")
# 使用property后,我们要把原本的属性名改一下,例如在前面加一个下划线,否则会无限循环调用
if not self._alive:
self.cancel_schedule()
return self._alive
# 要注意一定要把property方法写在setter方法的前面,否则python解释器会无法识别
@alive.setter
def alive(self, value):
print("调用了alive.setter方法")
self._alive = value
if value == False:
self.die_action()
def cancel_schedule(self):
print('取消事件调度')
@property
def score(self):
return self._score
@score.setter
def score(self, value):
if value < 0:
print("积分不可以为负数")
else:
self._score = value
self._update_score_brand(value)
def _update_score_brand(self, value):
print('积分榜的值为:%d' % value)
def die_action(self):
print('飞机被撞已销毁')
p = Plane()
hit = True
if hit:
tmp = p.alive
p.score = -10
print(p.score)
p.alive = False
上面代码的输出结果如下:
调用了alive方法
积分不可以为负数
0
调用了alive.setter方法
飞机被撞已销毁
可见上面的代码虽然我们没有用类似于调用C++或者Java的函数的方式来修改类对象的属性,但是实际起到的效果就跟我们写了set和get方法是一样的。