我正在尝试扩展str
并覆盖魔术方法__cmp__
。以下示例显示,在使用__cmp__
时,永远不会调用魔术方法>
:
class MyStr(str):
def __cmp__(self, other):
print '(was called)',
return int(self).__cmp__(int(other))
print 'Testing that MyStr(16) > MyStr(7)'
print '---------------------------------'
print 'using _cmp__ :', MyStr(16).__cmp__(MyStr(7))
print 'using > :', MyStr(16) > MyStr(7)
运行时导致:
Testing that MyStr(16) > MyStr(7)
---------------------------------
using __cmp__ : (was called) 1
using > : False
显然,当使用>
时,内置的基础“比较”功能被调用,在这种情况下是字母顺序排序。
有没有办法用魔术方法覆盖__cmp__
内置?如果你不能直接 - 这里发生的事情与非魔术方法有什么不同?
答案 0 :(得分:4)
比较运算符do not call __cmp__
如果the corresponding magic method或其对应项已定义且未返回NotImplemented
:
class MyStr(str):
def __gt__(self, other):
print '(was called)',
return int(self) > int(other)
print MyStr(16) > MyStr(7) # True
P.S。:您可能不希望无害的比较抛出异常:
class MyStr(str):
def __gt__(self, other):
try:
return int(self) > int(other)
except ValueError:
return False