我有以下代码:
class A: def __init__(self): def method(self, item): print self, ": Getting item", item self.__getitem__ = types.MethodType(method, self, self.__class__) class B(object): def __init__(self): def method(self, item): print self, ": Getting item", item self.__getitem__ = types.MethodType(method, self, self.__class__)
然后工作正常:
a = A() a[0]
但这不是:
b = B() b[0]
引发TypeError。
我发现新型类在__dict__类而不是实例__dict__中寻找魔术方法。这是正确的吗?为什么会这样呢?您是否知道任何文章解释了背后的想法?我尝试过RTFM,但可能不是正确的方法,或者没有抓住问题…
非常感谢你!保罗
这在Python数据模型文档中进行了介绍:新型类的特殊方法查找:
对于新型类,只有在对对象的类型(而不是在对象的实例字典中)进行定义的情况下,才能保证对特殊方法的隐式调用可以正常工作。
和
此行为背后的原理在于许多特殊方法,例如__hash__()和__repr__()由所有对象(包括类型对象)实现。如果这些方法的隐式查找使用常规查找过程,则在对类型对象本身[。]进行调用时它们将失败。
__hash__()
__repr__()
所以,因为两者hash(int) 和 hash(1)必须的工作,特殊的方法查找的类型,而不是实例上。如果__hash__()是在对象上抬头挺直,hash(int)将被转换为int.__hash__(),这将失败,因为int.__hash__()是一个未绑定的方法,它预计将被称为上的实际 情况 的int()(如1); 因此对于hash(int),type.__hash__()应改为:
hash(int)
hash(1)
int.__hash__()
int()
1
type.__hash__()
>>> hash(1) == int.__hash__(1) True >>> hash(int) == type.__hash__(int) True >>> int.__hash__() Traceback (most recent call last): File "<stdin>", line 1, in <module> TypeError: descriptor '__hash__' of 'int' object needs an argument
这是向后不兼容的更改,因此它仅适用于新型对象。