我可以使用列表理解语法来创建词典吗?
例如,通过迭代成对的键和值:
d = {... for k, v in zip(keys, values)}
我可以使用列表理解语法来创建词典吗?
例如,通过迭代成对的键和值:
d = {... for k, v in zip(keys, values)}
当前回答
在Python 2.7中,它类似于:
>>> list1, list2 = ['a', 'b', 'c'], [1,2,3]
>>> dict( zip( list1, list2))
{'a': 1, 'c': 3, 'b': 2}
给他们拉链!
其他回答
使用字典理解(Python 2.7及更高版本):
{key: value for (key, value) in iterable}
对于更简单的情况或更早版本的Python,也可以使用dict构造函数,例如:
pairs = [('a', 1), ('b', 2)]
dict(pairs) #=> {'a': 1, 'b': 2}
dict([(k, v+1) for k, v in pairs]) #=> {'a': 2, 'b': 3}
给定单独的键和值数组,使用带有zip的dict构造函数:
keys = ['a', 'b']
values = [1, 2]
dict(zip(keys, values)) #=> {'a': 1, 'b': 2}
2) "zip'ped" from two separate iterables of keys/vals
dict(zip(list_of_keys, list_of_values))
在Python 3和Python 2.7+中,字典理解如下所示:
d = {k:v for k, v in iterable}
对于Python 2.6或更早版本,请参见fortran的答案。
试试这个,
def get_dic_from_two_lists(keys, values):
return { keys[i] : values[i] for i in range(len(keys)) }
假设我们有两个列表国家和首都
country = ['India', 'Pakistan', 'China']
capital = ['New Delhi', 'Islamabad', 'Beijing']
然后从两个列表中创建字典:
print get_dic_from_two_lists(country, capital)
输出是这样的,
{'Pakistan': 'Islamabad', 'China': 'Beijing', 'India': 'New Delhi'}
要添加到@fortran的答案中,如果您想要遍历键列表key_list以及值列表value_list:
d = dict((key, value) for (key, value) in zip(key_list, value_list))
or
d = {(key, value) for (key, value) in zip(key_list, value_list)}
假设blah-blah-blah是一个两元组列表:
让我们看看两种方法:
# method 1
>>> lst = [('a', 2), ('b', 4), ('c', 6)]
>>> dict(lst)
{'a': 2, 'b': 4, 'c': 6}
# method 2
>>> lst = [('a', 2), ('b', 4), ('c', 6)]
>>> d = {k:v for k, v in lst}
>>> d
{'a': 2, 'b': 4, 'c': 6}