假设我在Python中有一个列表a,它的条目很方便地映射到一个字典。每个偶数元素表示字典的键,接下来的奇数元素是值

例如,

a = ['hello','world','1','2']

我想把它转换成一个字典b,其中

b['hello'] = 'world'
b['1'] = '2'

在语法上最干净的方法是什么?


当前回答

你可以在不创建额外数组的情况下非常快地完成它,所以这即使对于非常大的数组也适用:

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

其他回答

你可以在不创建额外数组的情况下非常快地完成它,所以这即使对于非常大的数组也适用:

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

您也可以尝试这种方法将键和值保存在不同的列表中,然后使用dict方法

data=['test1', '1', 'test2', '2', 'test3', '3', 'test4', '4']

keys=[]
values=[]
for i,j in enumerate(data):
    if i%2==0:
        keys.append(j)
    else:
        values.append(j)

print(dict(zip(keys,values)))

输出:

{'test3': '3', 'test1': '1', 'test2': '2', 'test4': '4'}
b = dict(zip(a[::2], a[1::2]))

如果a很大,您可能会想要执行如下操作,它不会像上面那样生成任何临时列表。

from itertools import izip
i = iter(a)
b = dict(izip(i, i))

在Python 3中,你也可以使用字典理解,但讽刺的是,我认为最简单的方法是使用range()和len(),这通常是一种代码气味。

b = {a[i]: a[i+1] for i in range(0, len(a), 2)}

因此iter()/izip()方法可能仍然是Python 3中最Python化的方法,尽管正如EOL在注释中指出的那样,zip()在Python 3中已经是惰性的,所以你不需要izip()。

i = iter(a)
b = dict(zip(i, i))

在Python 3.8及以后版本中,您可以使用"walrus"操作符(:=)将其写在一行中:

b = dict(zip(i := iter(a), i))

否则,您需要使用分号将其放在一行上。

我不确定这是否是pythonic,但似乎工作

def alternate_list(a):
   return a[::2], a[1::2]

key_list,value_list = alternate_list(a)
b = dict(zip(key_list,value_list))

你也可以这样做(字符串到列表转换,然后转换到字典)

    string_list = """
    Hello World
    Goodbye Night
    Great Day
    Final Sunset
    """.split()

    string_list = dict(zip(string_list[::2],string_list[1::2]))

    print string_list