Python的property属性的功能是:property属性内部进行一系列的逻辑计算,最终将计算结果返回。
使用property修饰的实例方法被调用时,可以把它当做实例属性一样
在类的实例方法上应用@property装饰器
class Test:
def __init__(self):
self.__num = 100
@property
def num(self):
print("--get--")
return self.__num
@num.setter
def num(self, num):
print("--set--")
self.__num = num
t = Test()
print(t.num)
t.num = 1
"""
--get--
100
--set--
"""
property属性的定义和调用要注意一下几点:
Python中的类有经典类和新式类,新式类的属性比经典类的属性丰富。( 如果类继object,那么该类是新式类 ),python3中的类都是新式类。
class Test:
def __init__(self):
self.__num = 100
def setNum(self, num):
print("--set--")
self.__num = num
def getNum(self):
print("--get--")
return self.__num
# 注意:要先写get方法,再写set方法
aa = property(getNum, setNum)
t = Test()
print(t.aa)
t.aa = 1
原文:https://www.cnblogs.com/lxy0/p/11424213.html