我想创建一个值为列表的字典。例如:
{
1: ['1'],
2: ['1','2'],
3: ['2']
}
如果我这样做:
d = dict()
a = ['1', '2']
for i in a:
for j in range(int(i), int(i) + 2):
d[j].append(i)
我得到一个KeyError,因为d[…]不是一个清单。在这种情况下,我可以在赋值a之后添加以下代码来初始化字典。
for x in range(1, 4):
d[x] = list()
还有更好的办法吗?假设我不知道我需要的键,直到我进入第二个for循环。例如:
class relation:
scope_list = list()
...
d = dict()
for relation in relation_list:
for scope_item in relation.scope_list:
d[scope_item].append(relation)
这时就会有替代方案
d[scope_item].append(relation)
与
if d.has_key(scope_item):
d[scope_item].append(relation)
else:
d[scope_item] = [relation,]
最好的处理方法是什么?理想情况下,追加“刚好管用”。是否有某种方法来表达我想要一个空列表的字典,即使我不知道第一次创建列表时的每个键?
你可以像这样用列表理解来构建它:
>>> dict((i, range(int(i), int(i) + 2)) for i in ['1', '2'])
{'1': [1, 2], '2': [2, 3]}
问题的第二部分使用defaultdict
>>> from collections import defaultdict
>>> s = [('yellow', 1), ('blue', 2), ('yellow', 3), ('blue', 4), ('red', 1)]
>>> d = defaultdict(list)
>>> for k, v in s:
d[k].append(v)
>>> d.items()
[('blue', [2, 4]), ('red', [1]), ('yellow', [1, 3])]
你可以使用defaultdict:
>>> from collections import defaultdict
>>> d = defaultdict(list)
>>> a = ['1', '2']
>>> for i in a:
... for j in range(int(i), int(i) + 2):
... d[j].append(i)
...
>>> d
defaultdict(<type 'list'>, {1: ['1'], 2: ['1', '2'], 3: ['2']})
>>> d.items()
[(1, ['1']), (2, ['1', '2']), (3, ['2'])]
就我个人而言,我只是使用JSON将内容转换为字符串。弦我懂。
import json
s = [('yellow', 1), ('blue', 2), ('yellow', 3), ('blue', 4), ('red', 1)]
mydict = {}
hash = json.dumps(s)
mydict[hash] = "whatever"
print mydict
#{'[["yellow", 1], ["blue", 2], ["yellow", 3], ["blue", 4], ["red", 1]]': 'whatever'}