Answers:
在Python 2中:
>>> list_a = [1, 2, 3, 4]
>>> list_b = [5, 6, 7, 8]
>>> zip(list_a, list_b)
[(1, 5), (2, 6), (3, 7), (4, 8)]
在Python 3中:
>>> list_a = [1, 2, 3, 4]
>>> list_b = [5, 6, 7, 8]
>>> list(zip(list_a, list_b))
[(1, 5), (2, 6), (3, 7), (4, 8)]
s/zip_longest()/izip_longest()
。在Python 3.x中重命名为zip_longest()
。
itertools.product()
做到这一点。
您可以使用地图lambda
a = [2,3,4]
b = [5,6,7]
c = map(lambda x,y:(x,y),a,b)
如果原始列表的长度不匹配,这也将起作用
map(None, a,b)
我知道这是一个古老的问题,已经得到回答,但是由于某些原因,我仍然想发布此替代解决方案。我知道很容易找出哪个内置函数可以完成您所需的“魔术”,但是知道您可以自己完成该操作也不会有什么害处。
>>> list_1 = ['Ace', 'King']
>>> list_2 = ['Spades', 'Clubs', 'Diamonds']
>>> deck = []
>>> for i in range(max((len(list_1),len(list_2)))):
while True:
try:
card = (list_1[i],list_2[i])
except IndexError:
if len(list_1)>len(list_2):
list_2.append('')
card = (list_1[i],list_2[i])
elif len(list_1)<len(list_2):
list_1.append('')
card = (list_1[i], list_2[i])
continue
deck.append(card)
break
>>>
>>> #and the result should be:
>>> print deck
>>> [('Ace', 'Spades'), ('King', 'Clubs'), ('', 'Diamonds')]
card
中的两个分配if-elif
,这就是为什么要使用的原因continue
。(实际上,没有,continue
您不必更改列表:前面提到的两个任务都应保留card = (list_1[i], '')
并card = ('', list_2[1])
分别成为和。)
您在问题陈述中显示的输出不是元组而是列表
list_c = [(1,5), (2,6), (3,7), (4,8)]
检查
type(list_c)
考虑到您想要结果作为list_a和list_b中的元组,请执行
tuple(zip(list_a,list_b))
<map object at 0x000001F266DCE5C0>
或<zip object at 0x000002629D204C88>
。至少,对我而言,关于map和zip(单独)的解决方案似乎不完整(或过于复杂)。
itertools
模块定义了一个zip_longest()
方法,该方法在最长列表的末尾停止,用您提供的参数填充缺失值。