我需要在Python中有一个等于所有数字的幻数,这样
magic_num == 20
magic_num == 300
magic_num == 10
magic_num == -40
我不希望这样的事情存在,但是也许还有另一种方法吗?
答案 0 :(得分:1)
如果您确实愿意,可以创建一个可以与任何数字类型进行比较的类:
import numbers
class MagicNum:
def __eq__(self, other):
return isinstance(other, numbers.Number)
# To compare equal to other magic numbers too:
return isinstance(other, (numbers.Number, MagicNum))
然后创建一个实例:
magic_num = MagicNum()
我不确定您为什么要 这样做(我怀疑an XY problem),但是可以。
如果您需要处理其他比较,则可以以适合您情况的任何方式覆盖它们,例如说它等于所有数字,但不小于或大于您可以做的事情:
class MagicNum:
def __eq__(self, other):
return isinstance(other, numbers.Number)
# To compare equal to other magic numbers too:
return isinstance(other, (numbers.Number, MagicNum))
__le__ = __ge__ = __eq__
def __lt__(self, other):
return False
__gt__ = __lt__
答案 1 :(得分:1)
你的意思是这样吗?
class SuperInt(int):
def __eq__(self, other):
# This is not the correct approach, but I'm leaving it as it's what
# I wrote. ShadowRanger's answer is better given your requirement of
# matching any number.
return True
x = 5
y = SuperInt(3)
print(x == y) # -> True
print(x != y) # -> True
print(y != 3) # -> False
请注意,最后两个可能不是您想要的,因此您可能还需要覆盖__ne__
。更不用说其他comparison methods。