为什么 Python 中的@foo. setter 不适合我?

所以,我和 Python 2.6中的装饰者们一起玩,我在让他们工作上遇到了一些麻烦。这是我的课程档案:

class testDec:


@property
def x(self):
print 'called getter'
return self._x


@x.setter
def x(self, value):
print 'called setter'
self._x = value

我认为这意味着将 x视为一个属性,但是在 get 和 set 上调用这些函数。于是,我启动了 IDLE 并检查了它:

>>> from testDec import testDec
from testDec import testDec
>>> t = testDec()
t = testDec()
>>> t.x
t.x
called getter
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "testDec.py", line 18, in x
return self._x
AttributeError: testDec instance has no attribute '_x'
>>> t.x = 5
t.x = 5
>>> t.x
t.x
5

显然,第一个调用按预期工作,因为我调用了 getter,没有默认值,它失败了。好的,我明白了。但是,分配 t.x = 5的调用似乎创建了一个新的属性 x,现在 getter 不工作了!

我错过了什么?

85835 次浏览

你需要使用新样式的类,你可以从对象派生你的类:

class testDec(object):
....

那应该能行。

您似乎在 python2中使用了 经典的老式课程。为了使 物业正确工作,您需要改用 新式班级(在 python2中,您必须使用 object继承)。只要把你的班级声明为 MyClass(object):

class testDec(object):


@property
def x(self):
print 'called getter'
return self._x


@x.setter
def x(self, value):
print 'called setter'
self._x = value

它是有效的:

>>> k = testDec()
>>> k.x
called getter
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/devel/class_test.py", line 6, in x
return self._x
AttributeError: 'testDec' object has no attribute '_x'
>>> k.x = 5
called setter
>>> k.x
called getter
5
>>>

另一个可能导致问题的细节是,两个方法都需要相同的名称才能使属性工作:

@x.setter
def x_setter(self, value):
...

还有一件事一开始并不容易发现,那就是顺序: getter必须首先定义。如果先定义 setter,则会得到 name 'x' is not defined错误。

对于在这里寻找这个异常的其他人来说,需要注意的是: 这两个函数都需要有相同的名称。将这些方法命名为以下名称将导致异常:

@property
def x(self): pass


@x.setter
def x_setter(self, value): pass

而是给这两个方法同样的名称

@property
def x(self): pass


@x.setter
def x(self, value): pass

同样重要的是要注意声明的顺序很重要。必须在文件中的 setter 之前定义 getter,否则将得到 NameError: name 'x' is not defined

如果有人从谷歌来到这里,除了以上的答案,我想补充的是,这需要仔细注意,当从你的类的 __init__方法调用 setter 基于 < a href = “ https://stackoverflow.com/a/3942118/808734”> 这个答案 具体来说:

class testDec(object):


def __init__(self, value):
print 'We are in __init__'
self.x = value # Will call the setter. Note just x here
#self._x = value # Will not call the setter


@property
def x(self):
print 'called getter'
return self._x # Note the _x here


@x.setter
def x(self, value):
print 'called setter'
self._x = value # Note the _x here


t = testDec(17)
print t.x


Output:
We are in __init__
called setter
called getter
17