Reputation: 21171
class A():
def __init__(self, data=''):
self.data = data
def __str__(self):
return str(self.data)
d = {}
elem = A()
d[elem] = 'abc'
elem2 = A()
print d[elem2] # KeyError
# actually elem2! was used not elem
how can I implement this without error?
I tried to get d[elem2]
(not elem
) with another instance of A() BUT with the same content.
Upvotes: 30
Views: 46601
Reputation: 2490
The answer is yes, you need to redefine __hash__()
and __eq__()
:
>>> class A(object):
... def __init__(self, data=''):
... self.data = data
... def __eq__(self, another):
... return hasattr(another, 'data') and self.data == another.data
... def __hash__(self):
... return hash(self.data)
...
>>> a1, a2, a3 = A('foo'), A('foo'), A('bar')
>>> d = {a1: 'foo'}
>>> d[a1]
'foo'
>>> d[a2]
'foo'
>>> d[a3]
Traceback (most recent call last):
File "", line 1, in
KeyError: __main__.A object at 0x927d0>
As explained in another comment default implementation of __hash__
is just simple identity, so if you want to make it more sophisticated, you need to define it explicitly.
Upvotes: 33
Reputation: 601471
What you did should work, as long as you don't override the __hash__()
and __eq__()
methods. It will use object identity as equality. If you want a different notion of equality, you can override the __hash__()
and __eq__()
methods of your class.
Upvotes: 7