由于Python不提供其比较运算符的左/右版本,因此如何决定要调用哪种功能?
class A(object):
def __eq__(self, other):
print "A __eq__ called"
return self.value == other
class B(object):
def __eq__(self, other):
print "B __eq__ called"
return self.value == other
>>> a = A()
>>> a.value = 3
>>> b = B()
>>> b.value = 4
>>> a == b
"A __eq__ called"
"B __eq__ called"
False
这似乎都在打电话__eq__
功能。
我正在寻找官方的决策树。
答案
这a == b
表达式调用A.__eq__
,因为它存在。它的代码包括self.value == other
。由于INT不知道如何将自己与B进行比较,因此Python尝试调用B.__eq__
看看它是否知道如何将自己与int进行比较。
如果您修改代码以显示正在比较的值:
class A(object):
def __eq__(self, other):
print("A __eq__ called: %r == %r ?" % (self, other))
return self.value == other
class B(object):
def __eq__(self, other):
print("B __eq__ called: %r == %r ?" % (self, other))
return self.value == other
a = A()
a.value = 3
b = B()
b.value = 4
a == b
它将打印:
A __eq__ called: <__main__.A object at 0x013BA070> == <__main__.B object at 0x013BA090> ?
B __eq__ called: <__main__.B object at 0x013BA090> == 3 ?