我有一个60,000个列表。每个列表的范围是2-5个值。
我需要使用每个列表中的第3个值创建一个新列表。
该列表还需要保留60,000个条目。
如果我使用第二个值进行此操作,则将执行以下操作:
big_list = [['this', 'is', 'a list'], ['list' 'two'], ['here', 'is', 'another one']]
new_list = [value[1] for value in big_list]
new_list
将是
['is', 'two', 'is']
在实际程序中,new_list
将是从每个列表中的第二个值创建的60,000个值的列表。 new_list
保持相同的长度很重要。
现在,因为如果我尝试尝试,某些列表的长度只有2个值
new_list = [value[2] for value in big_list]
我得到一个不错的IndexError: list index out of range
我需要结果是
['a list', 'dummy variable', 'another one']
是否可以为仅具有2个值的列表预设一个虚拟变量,而无需更改big_list
中的任何内容?虚拟变量可以是随机字符串,也可以是列表中的先前值。如果我不清楚,请告诉我,谢谢您的帮助。
答案 0 :(得分:5)
您可以使用itertools.zip_longest
(doc):
big_list = [['this', 'is', 'a list'], ['list', 'two'], ['here', 'is', 'another one']]
from itertools import zip_longest
new_list = [value[2] for value in zip(*zip_longest(*big_list, fillvalue='dummy variable'))]
print(new_list)
打印:
['a list', 'dummy variable', 'another one']