189 lines
6.0 KiB
Python
189 lines
6.0 KiB
Python
class MergeDict:
|
|
"""
|
|
A simple class for creating new "virtual" dictionaries that actualy look
|
|
up values in more than one dictionary, passed in the constructor.
|
|
"""
|
|
def __init__(self, *dicts):
|
|
self.dicts = dicts
|
|
|
|
def __getitem__(self, key):
|
|
for dict in self.dicts:
|
|
try:
|
|
return dict[key]
|
|
except KeyError:
|
|
pass
|
|
raise KeyError
|
|
|
|
def get(self, key, default):
|
|
try:
|
|
return self[key]
|
|
except KeyError:
|
|
return default
|
|
|
|
def getlist(self, key):
|
|
for dict in self.dicts:
|
|
try:
|
|
return dict.getlist(key)
|
|
except KeyError:
|
|
pass
|
|
raise KeyError
|
|
|
|
def items(self):
|
|
item_list = []
|
|
for dict in self.dicts:
|
|
item_list.extend(dict.items())
|
|
return item_list
|
|
|
|
def has_key(self, key):
|
|
for dict in self.dicts:
|
|
if dict.has_key(key):
|
|
return True
|
|
return False
|
|
|
|
class MultiValueDictKeyError(KeyError):
|
|
pass
|
|
|
|
class MultiValueDict(dict):
|
|
"""
|
|
A subclass of dictionary customized to handle multiple values for the same key.
|
|
|
|
>>> d = MultiValueDict({'name': ['Adrian', 'Simon'], 'position': ['Developer']})
|
|
>>> d['name']
|
|
'Simon'
|
|
>>> d.getlist('name')
|
|
['Adrian', 'Simon']
|
|
>>> d.get('lastname', 'nonexistent')
|
|
'nonexistent'
|
|
>>> d.setlist('lastname', ['Holovaty', 'Willison'])
|
|
|
|
This class exists to solve the irritating problem raised by cgi.parse_qs,
|
|
which returns a list for every key, even though most Web forms submit
|
|
single name-value pairs.
|
|
"""
|
|
def __init__(self, key_to_list_mapping=()):
|
|
dict.__init__(self, key_to_list_mapping)
|
|
|
|
def __getitem__(self, key):
|
|
"""
|
|
Returns the last data value for this key, or [] if it's an empty list;
|
|
raises KeyError if not found.
|
|
"""
|
|
try:
|
|
list_ = dict.__getitem__(self, key)
|
|
except KeyError:
|
|
raise MultiValueDictKeyError, "Key %r not found in MultiValueDict %r" % (key, self)
|
|
try:
|
|
return list_[-1]
|
|
except IndexError:
|
|
return []
|
|
|
|
def _setitem_list(self, key, value):
|
|
dict.__setitem__(self, key, [value])
|
|
__setitem__ = _setitem_list
|
|
|
|
def get(self, key, default=None):
|
|
"Returns the default value if the requested data doesn't exist"
|
|
try:
|
|
val = self[key]
|
|
except KeyError:
|
|
return default
|
|
if val == []:
|
|
return default
|
|
return val
|
|
|
|
def getlist(self, key):
|
|
"Returns an empty list if the requested data doesn't exist"
|
|
try:
|
|
return dict.__getitem__(self, key)
|
|
except KeyError:
|
|
return []
|
|
|
|
def setlist(self, key, list_):
|
|
dict.__setitem__(self, key, list_)
|
|
|
|
def setdefault(self, key, default=None):
|
|
if key not in self:
|
|
self[key] = default
|
|
return self[key]
|
|
|
|
def setlistdefault(self, key, default_list=()):
|
|
if key not in self:
|
|
self.setlist(key, default_list)
|
|
return self.getlist(key)
|
|
|
|
def appendlist(self, key, value):
|
|
"Appends an item to the internal list associated with key"
|
|
self.setlistdefault(key, [])
|
|
dict.__setitem__(self, key, self.getlist(key) + [value])
|
|
|
|
def items(self):
|
|
"""
|
|
Returns a list of (key, value) pairs, where value is the last item in
|
|
the list associated with the key.
|
|
"""
|
|
return [(key, self[key]) for key in self.keys()]
|
|
|
|
def lists(self):
|
|
"Returns a list of (key, list) pairs."
|
|
return dict.items(self)
|
|
|
|
def values(self):
|
|
"Returns a list of the last value on every key list."
|
|
return [self[key] for key in self.keys()]
|
|
|
|
def copy(self):
|
|
"Returns a copy of this object."
|
|
import copy
|
|
# Our custom __setitem__ must be disabled for copying machinery.
|
|
MultiValueDict.__setitem__ = dict.__setitem__
|
|
cp = copy.deepcopy(self)
|
|
MultiValueDict.__setitem__ = MultiValueDict._setitem_list
|
|
return cp
|
|
|
|
def update(self, other_dict):
|
|
"update() extends rather than replaces existing key lists."
|
|
if isinstance(other_dict, MultiValueDict):
|
|
for key, value_list in other_dict.lists():
|
|
self.setlistdefault(key, []).extend(value_list)
|
|
else:
|
|
try:
|
|
for key, value in other_dict.items():
|
|
self.setlistdefault(key, []).append(value)
|
|
except TypeError:
|
|
raise ValueError, "MultiValueDict.update() takes either a MultiValueDict or dictionary"
|
|
|
|
class DotExpandedDict(dict):
|
|
"""
|
|
A special dictionary constructor that takes a dictionary in which the keys
|
|
may contain dots to specify inner dictionaries. It's confusing, but this
|
|
example should make sense.
|
|
|
|
>>> d = DotExpandedDict({'person.1.firstname': ['Simon'],
|
|
'person.1.lastname': ['Willison'],
|
|
'person.2.firstname': ['Adrian'],
|
|
'person.2.lastname': ['Holovaty']})
|
|
>>> d
|
|
{'person': {'1': {'lastname': ['Willison'], 'firstname': ['Simon']},
|
|
'2': {'lastname': ['Holovaty'], 'firstname': ['Adrian']}}}
|
|
>>> d['person']
|
|
{'1': {'firstname': ['Simon'], 'lastname': ['Willison'],
|
|
'2': {'firstname': ['Adrian'], 'lastname': ['Holovaty']}
|
|
>>> d['person']['1']
|
|
{'firstname': ['Simon'], 'lastname': ['Willison']}
|
|
|
|
# Gotcha: Results are unpredictable if the dots are "uneven":
|
|
>>> DotExpandedDict({'c.1': 2, 'c.2': 3, 'c': 1})
|
|
>>> {'c': 1}
|
|
"""
|
|
def __init__(self, key_to_list_mapping):
|
|
for k, v in key_to_list_mapping.items():
|
|
current = self
|
|
bits = k.split('.')
|
|
for bit in bits[:-1]:
|
|
current = current.setdefault(bit, {})
|
|
# Now assign value to current position
|
|
try:
|
|
current[bits[-1]] = v
|
|
except TypeError: # Special-case if current isn't a dict.
|
|
current = {bits[-1]: v}
|