实现以下目标的python方法是什么?

# Original lists:

list_a = [1, 2, 3, 4]
list_b = [5, 6, 7, 8]

# List of tuples from 'list_a' and 'list_b':

list_c = [(1,5), (2,6), (3,7), (4,8)]

list_c的每个成员都是一个元组,它的第一个成员来自list_a,第二个成员来自list_b。


当前回答

你在问题语句中显示的输出不是元组,而是列表

list_c = [(1,5), (2,6), (3,7), (4,8)]

检查

type(list_c)

考虑到您希望将结果作为list_a和list_b的元组,请执行

tuple(zip(list_a,list_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')]

在python 3.0中,zip返回一个zip对象。你可以通过调用list(zip(a, b))得到一个列表。

像我一样,如果有人需要将它转换为列表(2D列表)而不是元组列表,那么你可以这样做:

list(map(list, list(zip(list_a, list_b))))

它应该返回一个2D List,如下所示:

[[1, 5], 
 [2, 6], 
 [3, 7], 
 [4, 8]]

或地图与开箱:

>>> list(map(lambda *x: x, list_a, list_b))
[(1, 5), (2, 6), (3, 7), (4, 8)]
>>> 

您正在寻找内置功能zip。