我遇到了魔术比较方法的一些令人困惑的行为。 假设我们有以下类:
class MutNum(object):
def __init__ (self, val):
self.val = val
def setVal(self, newval):
self.val = newval
def __str__(self):
return str(self.val)
def __repr__(self):
return str(self.val)
# methods for comparison with a regular int or float:
def __eq__(self, other):
return self.val == other
def __gt__(self, other):
return self.val > other
def __lt__(self, other):
return self.val < other
def __ge__(self, other):
return self.__gt__(other) or self.__eq__(other)
def __le__(self, other):
return self.__lt__(other) or self.__eq__(other)
该类执行它应该做的事情,将MutNum对象与常规int或float进行比较是没有问题的。然而,这是我不明白的,当魔术方法被赋予两个MutNum对象时它甚至比较好。
a = MutNum(42)
b = MutNum(3)
print(a > b) # True
print(a >= b) # True
print(a < b) # False
print(a <= b) # False
print(a == b) # False
为什么这样做?谢谢。
答案 0 :(得分:5)
评估如下(使用repr
- 表示符号而不是引用变量):
MutNum(42) > MutNum(3)
=> MutNum(42).__gt__(MutNum(3))
=> MutNum(42).val > MutNum(3)
=> 42 > MutNum(3)
从那里开始,这只是你已经知道的int-MutNum比较。
答案 1 :(得分:2)
如果你输入一些print和/或sys.stderr.write,我想你会看到发生了什么。 EG:
def __gt__(self, other):
sys.stderr.write('__gt__\n')
sys.stderr.write('{}\n'.format(type(other)))
sys.stderr.write('{} {}\n'.format(self.val, other))
result = self.val > other
sys.stderr.write('result {}\n'.format(result))
return result
def __lt__(self, other):
sys.stderr.write('__lt__\n')
sys.stderr.write('{}\n'.format(type(other)))
sys.stderr.write('{} {}\n'.format(self.val, other))
result = self.val < other
sys.stderr.write('result {}\n'.format(result))
return result
当你尝试将self.val(一个int)与另一个(一个MutNum)进行比较时,python意识到它没有用于将int与MutNum进行比较,并且反转比较的顺序,并将MutNum与int进行比较 - 这是你定义的东西。也就是说,单个&gt;比较是做&gt;正如你所期望的那样,但它也在做一个&lt;。