class A:
@property
def p(self): return 2
def q(self): return 2
a = A()
A.p(a) #>> TypeError: 'property' object is not callable
A.q(a) #>> no error, returns 2
这是为什么?我理解是否在实例上引用了该属性:a.p只返回方法返回值,但我试图从类的属性开始。我原本预计上面没有错误,两者都评估为2。
答案 0 :(得分:12)
你正在挖掘descriptors
的世界。 A.p
是property
,属性是 describeors 。它是一个具有魔术方法(__get__
,__set__
...)的类,当在实例上访问描述符时,它会被调用。访问的特定方法取决于当然如何访问它。访问类上的描述符只会返回描述符本身并且不会执行任何魔术 - 在这种情况下,property
描述符不可调用,因此您会收到错误。
请注意,如果您致电__get__
会发生什么:
class A(object):
@property
def p(self):
return 2
a = A()
print (A.p.__get__(a)) #2
foo = A.p.__get__(a)
是您foo = a.p
时实际发生的事情。我觉得这很漂亮......
答案 1 :(得分:7)
因为属性不可调用:
In [3]: class A(object):
...: @property
...: def p(self): return 2
...:
In [4]: A.p
Out[4]: <property at 0x2d919a8>
In [5]: dir(A.p)
Out[5]:
['__class__',
'__delattr__',
'__delete__',
'__doc__',
'__format__',
'__get__',
'__getattribute__',
'__hash__',
'__init__',
'__new__',
'__reduce__',
'__reduce_ex__',
'__repr__',
'__set__',
'__setattr__',
'__sizeof__',
'__str__',
'__subclasshook__',
'deleter',
'fdel',
'fget',
'fset',
'getter',
'setter']
请注意缺少__call__
方法。这是因为属性可以包含多个函数。
如果您尝试将该属性作为实例上的方法调用,会发生以下情况:
In [6]: a = A()
In [7]: a.p()
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
C:\Users\Marcin\<ipython-input-7-16c8de382321> in <module>()
----> 1 a.p()
TypeError: 'int' object is not callable
答案 2 :(得分:1)
属性修饰器将您的方法转换为属性,它不再是函数对象,而是property
,因此不可调用