所以在Python 3中,我可以使用object().__eq__
。我目前正在使用它作为可映射函数,相当于lambda x: x is object()
。
我将它用作哨兵(因为None
与没有参数的含义不同)。
>>> import sys
>>> print(sys.version)
3.6.1 (v3.6.1:69c0db5, Mar 21 2017, 18:41:36) [MSC v.1900 64 bit (AMD64)]
>>> object.__eq__
<slot wrapper '__eq__' of 'object' objects>
>>> object().__eq__
<method-wrapper '__eq__' of object object at 0x000002CC4E569120>
但是在Python 2中,这不起作用:
>>> import sys
>>> print sys.version
2.7.13 (v2.7.13:a06454b1afa1, Dec 17 2016, 20:53:40) [MSC v.1500 64 bit (AMD64)]
>>> object.__eq__
<method-wrapper '__eq__' of type object at 0x0000000054AA35C0>
>>> object().__eq__
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'object' object has no attribute '__eq__'
>>> dir(object)
['__class__', '__delattr__', '__doc__', '__format__', '__getattribute__', '__hash__', '__init__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__']
为什么不存在此功能?我如何模拟它(使用Python 2兼容性)
$ python3 -m timeit "sentinel = object(); tests = [sentinel] * 100 + [None] * 100" "list(filter(sentinel.__eq__, tests))"
100000 loops, best of 3: 8.8 usec per loop
$ python3 -m timeit "sentinel = object(); tests = [sentinel] * 100 + [None] * 100; exec('def is_sentinel(x): return sentinel is x', locals(), globals())" "list(filter(is_sentinel, tests))"
10000 loops, best of 3: 29.1 usec per loop
答案 0 :(得分:3)
如果您希望函数测试与固定对象的相等性,那就是
from functools import partial
from operator import eq
equals_thing = partial(eq, thing) # instead of thing.__eq__
这与thing.__eq__
的行为略有不同,因为它还提供了另一个参数来提供比较,并且它不会返回NotImplemented
。
如果您想进行身份测试,请使用operator.is_
代替operator.eq
:
from operator import is_
is_thing = partial(is_, thing)
如果你真的想要原始__eq__
调用的Python 3行为,NotImplemented
和所有,那么根据类型,你可能需要手动重新实现它。对于object
,那就是
lambda x: True if x is thing else NotImplemented
在Python 2中,并非每个对象都定义__eq__
,事实上,并非每个对象都定义任何类型的相等比较,甚至是旧式__cmp__
。 ==
的身份比较回退发生在任何对象的方法之外。