实现以下目标的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_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')]

其他回答

或地图与开箱:

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

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

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

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

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

我知道这是一个老问题,而且已经有了答案,但出于某种原因,我仍然想发布这个替代解决方案。我知道找出你需要的内置函数是很容易的,但是知道你可以自己做也无妨。

>>> 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')]

你可以使用map

a = [2,3,4]
b = [5,6,7]
c = map(lambda x,y:(x,y),a,b)

如果原始列表的长度不匹配,这也可以工作

一个不使用zip的替代方案:

list_c = [(p1, p2) for idx1, p1 in enumerate(list_a) for idx2, p2 in enumerate(list_b) if idx1==idx2]

如果你想不仅得到元组1st和1st, 2nd和2nd…但这两个表的所有可能组合,都可以用

list_d = [(p1, p2) for p1 in list_a for p2 in list_b]