I am trying to do something similar to this:
from collections import defaultdict
import hashlib
def factory():
key = \'aaa\'
return { \'key-md5\' : ha
__missing__ of defaultdict
does not pass key
to factory function.
If
default_factory
is notNone
, it is called without arguments to provide a default value for the given key, this value is inserted in the dictionary for the key, and returned.
Make your own dictionary class with custom __missing__
method.
>>> class MyDict(dict):
... def __init__(self, factory):
... self.factory = factory
... def __missing__(self, key):
... self[key] = self.factory(key)
... return self[key]
...
>>> d = MyDict(lambda x: -x)
>>> d[1]
-1
>>> d
{1: -1}
Unfortunately not directly, as defaultdict specifies that default_factory must be called with no arguments:
http://docs.python.org/2/library/collections.html#collections.defaultdict
But it is possible to use defaultdict as a base class that has the behavior you want:
class CustomDefaultdict(defaultdict):
def __missing__(self, key):
if self.default_factory:
dict.__setitem__(self, key, self.default_factory(key))
return self[key]
else:
defaultdict.__missing__(self, key)
This works for me:
>>> a = CustomDefaultdict(factory)
>>> a
defaultdict(<function factory at 0x7f0a70da11b8>, {})
>>> print a['aaa']
{'key-md5': '47bce5c74f589f4867dbd57e9ca9f808'}
>>> print a['bbb']
{'key-md5': '08f8e0260c64418510cefb2b06eee5cd'}