假设我在Python中有一个列表a,它的条目很方便地映射到一个字典。每个偶数元素表示字典的键,接下来的奇数元素是值
例如,
a = ['hello','world','1','2']
我想把它转换成一个字典b,其中
b['hello'] = 'world'
b['1'] = '2'
在语法上最干净的方法是什么?
假设我在Python中有一个列表a,它的条目很方便地映射到一个字典。每个偶数元素表示字典的键,接下来的奇数元素是值
例如,
a = ['hello','world','1','2']
我想把它转换成一个字典b,其中
b['hello'] = 'world'
b['1'] = '2'
在语法上最干净的方法是什么?
当前回答
也许不是最邪恶的,但是
>>> b = {}
>>> for i in range(0, len(a), 2):
b[a[i]] = a[i+1]
其他回答
你可以很容易地使用字典理解:
a = ['hello','world','1','2']
my_dict = {item : a[index+1] for index, item in enumerate(a) if index % 2 == 0}
这相当于下面的for循环:
my_dict = {}
for index, item in enumerate(a):
if index % 2 == 0:
my_dict[item] = a[index+1]
也许不是最邪恶的,但是
>>> b = {}
>>> for i in range(0, len(a), 2):
b[a[i]] = a[i+1]
简单的答案
另一个选择(由Alex Martelli提供-来源):
dict(x[i:i+2] for i in range(0, len(x), 2))
相关的注意
如果你有这个:
a = ['bi','double','duo','two']
并且你想要这样(列表中的每个元素键控给定的值(在本例中为2)):
{'bi':2,'double':2,'duo':2,'two':2}
你可以使用:
>>> dict((k,2) for k in a)
{'double': 2, 'bi': 2, 'two': 2, 'duo': 2}
试试下面的代码:
>>> d2 = dict([('one',1), ('two', 2), ('three', 3)])
>>> d2
{'three': 3, 'two': 2, 'one': 1}
你可以在不创建额外数组的情况下非常快地完成它,所以这即使对于非常大的数组也适用:
dict(izip(*([iter(a)]*2)))
如果你有一个发电机a,那就更好了:
dict(izip(*([a]*2)))
以下是梗概:
iter(h) #create an iterator from the array, no copies here
[]*2 #creates an array with two copies of the same iterator, the trick
izip(*()) #consumes the two iterators creating a tuple
dict() #puts the tuples into key,value of the dictionary