我想创建一个字典,其值为列表。例如:
{ 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循环,我才知道需要的键。例如:
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,]
处理此问题的最佳方法是什么?理想情况下,追加将“有效”。有什么方法可以表达我想要空列表的字典,即使我第一次创建列表时也不知道每个键?
您可以使用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'])]