考虑两个列表,每个列表包含10个元素:
list_one = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j']
list_two = ['ok', 'good', None, 'great', None, None, 'amazing', 'terrible', 'not bad', None]
如何创建一个元组列表,其中列表中的每个元组都包含每个列表中相同索引的两个元素 - 而且,我还需要跳过None值,所以我的6个元组的最终列表应该是看起来像这样:
final_list_of_tuples = [('a', 'ok'), ('b', 'good'), ('d', 'great'), ('g', 'amazing'), ('h', 'terrible'), ('i', 'not bad')]
我尝试了下面的代码,但它将list_one中的每一个字符串放入一个包含list_two所有字符串的元组中:
final_list_of_tuples = []
for x in list_one:
for y in list_two:
if y == None:
pass
else:
e = (x,y)
final_list_of_tuples.append(e)
答案 0 :(得分:3)
您可以使用zip function创建元组列表,然后使用列表推导删除其中包含None的条目。
[w for w in zip(list_one, list_two) if None not in w]
输出:
[('a', 'ok'), ('b', 'good'), ('d', 'great'), ('g', 'amazing'), ('h', 'terrible'), ('i', 'not bad')]
答案 1 :(得分:2)
这会跳过第二个列表中相应项目为None
的对:
final_list_of_tuples = [(a, b) for (a, b) in zip(list_one, list_two) if b is not None]
这是一个可能的for
循环版本:
final_list_of_tuples = []
for i, b in enumerate(list_two):
if b is not None:
a = list_one[i]
final_list_of_items.append((a, b))
答案 2 :(得分:2)
>>> filter(all, zip(list_one, list_two))
[('a', 'ok'), ('b', 'good'), ('d', 'great'), ('g', 'amazing'), ('h', 'terrible'), ('i', 'not bad')]
答案 3 :(得分:0)
你可以通过滚动两个列表的索引来实现它,因为它们的大小相同,试试这个......
for x in range(len(list_two)):
if list_two[x] == None:
pass
else:
e = (list_two[x],list_one[x])
final_list_of_tuples.append(e)
print(final_list_of_tuples)