5

我正在尝试扩展 astr并覆盖魔术方法__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__用魔术方法覆盖内置函数?如果你不能直接 - 这里发生了什么与你可以的非魔法方法不同?

4

1 回答 1

4

如果定义了相应的魔术方法或其对应方法并且不返回,则比较运算符不会调用__cmp__NotImplemented

class MyStr(str):
    def __gt__(self, other):
        print '(was called)',
        return int(self) > int(other)


print MyStr(16) > MyStr(7)   # True

 

PS:您可能不希望无害的比较抛出异常:

class MyStr(str):
    def __gt__(self, other):
        try:
            return int(self) > int(other)
        except ValueError:
            return False
于 2013-02-27T19:47:50.343 回答