在python中的for -loop中创建唯一名称列表

时间:2013-02-11 20:01:29

标签: python list for-loop unique

我想在for循环中创建一系列具有唯一名称的列表,并使用索引来创建liste名称。这就是我想要做的事情

x = [100,2,300,4,75]

for i in x:

  list_i=[]

我想创建空列表,例如

lst_100 = [], lst_2 =[] lst_300 = []..

任何帮助?

3 个答案:

答案 0 :(得分:15)

不要制作动态命名的变量。这使得用它们编程很困难。相反,使用dict:

x = [100,2,300,4,75]
dct = {}
for i in x:
    dct['lst_%s' % i] = []

print(dct)
# {'lst_300': [], 'lst_75': [], 'lst_100': [], 'lst_2': [], 'lst_4': []}

答案 1 :(得分:6)

使用字典保存列表:

In [8]: x = [100,2,300,4,75]

In [9]: {i:[] for i in x}
Out[9]: {2: [], 4: [], 75: [], 100: [], 300: []}

访问每个列表:

In [10]: d = {i:[] for i in x}

In [11]: d[75]
Out[11]: []

如果你真的想在每个标签中加lst_

In [13]: {'lst_{}'.format(i):[] for i in x}
Out[13]: {'lst_100': [], 'lst_2': [], 'lst_300': [], 'lst_4': [], 'lst_75': []}

答案 2 :(得分:0)

对其他人的dict解决方案略有不同,就是使用defaultdict。它允许您通过调用所选类型的默认值来跳过初始化步骤。

在这种情况下,所选类型是一个列表,它将为您提供字典中的空列表:

>>> from collections import defaultdict
>>> d = defaultdict(list)
>>> d[100]
[]