考虑以下基本的Python类:
class Foo(object):
def __init__(self, a1):
self._att1 = a1
@property
def att1(self):
return self._att1
@att1.setter
def att1(self, a):
try:
self._att1 = a
except TypeError:
# handle exception
print("Not allowed")
class Bar(Foo):
def __init__(self):
Foo.__init__(self, 100)
@Foo.att1.setter
def att1(self, a):
# self.att1 = a * 0.5 # RecursionError: maximum recursion depth exceeded
# Foo.att1 = a * 0.5 # attribute is not changed (base instances are though (?))
# Foo.att1(self,a) # TypeError: 'property' object is not callable
super().att1.__set__(a * 0.5) # AttributeError: 'int' object has no attribute '__set__'
# ... some other additional code ...
a = Foo(5)
b = Bar()
b.att1 = 700
print(a.att1)
print(b.att1)
从子类的覆盖范围内调用基本属性设置器的语法是什么?我知道我可以直接设置self._att1
,但是我想避免这种情况,因为那样我就需要重复异常处理代码。这只是一个简单的示例,在更为复杂的情况下,基类对属性执行一些附加操作,并且我想避免在派生类属性设置器上重复相同的代码。
答案 0 :(得分:3)
代码:
class Foo:
def __init__(self, a1):
self._att1 = a1
@property
def att1(self):
return self._att1
@att1.setter
def att1(self, a):
if not isinstance(a, int):
print("Not allowed")
else:
self._att1 = a
class Bar(Foo):
def __init__(self):
Foo.__init__(self, 100)
@Foo.att1.setter
def att1(self, a):
Foo.att1.fset(self, a * 2)
c = Bar()
print(c.att1)
c.att1 = 10
print(c.att1)
c.att1 = "some string"
输出:
100
20
Not allowed
UPD。
根据@chepner的建议,我决定添加一些解释。
在使用装饰器@Foo.att1.setter
时,它无法正常工作。
在docs中,您可以看到2个声明属性的示例:使用property()
函数分配类变量和使用@property
装饰器。这两种方法是等效的,但是在演示提供的代码如何工作的情况下,我首先发现它更为明显。
让我们使用property()
函数代替装饰器重写类声明:
class Foo:
def __init__(self, a1):
self._att1 = a1
def getatt1(self):
return self._att1
def setatt1(self, a):
if not isinstance(a, int):
print("Not allowed")
else:
self._att1 = a
att1 = property(getatt1, setatt1)
class Bar(Foo):
def __init__(self):
super().__init__(100)
def setatt1(self, a):
Foo.att1.fset(self, a * 2)
att1 = property(Foo.getatt1, setatt1)
如您所见,您没有覆盖属性,而是创建了具有相同名称的new,即阴影基类属性。您可以使用以下代码证明这一点:
print(f"Foo.att1 is Bar.att1: {Foo.att1 is Bar.att1}")
在两个声明中,它将返回False
,这意味着此类的属性对象不相同。