以下を達成するためのPythonicのアプローチは何ですか?
# 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
の各メンバーはTupleで、最初のメンバーはlist_a
からのもので、2番目のメンバーはlist_b
からのものです。
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)]
Python 3.0では、ZipはZipオブジェクトを返します。あなたはlist(Zip(a, b))
を呼び出すことによってそれからリストを得ることができます。
Map lambdaを使うことができます
a = [2,3,4]
b = [5,6,7]
c = map(lambda x,y:(x,y),a,b)
元のリストの長さが一致しない場合もこれは機能します。
あなたは組み込み関数を探しています Zip 。
これがPythonicなのかどうかはわかりませんが、両方のリストが同じ数の要素を持つ場合、これは単純に思えます。
list_a = [1, 2, 3, 4]
list_b = [5, 6, 7, 8]
list_c=[(list_a[i],list_b[i]) for i in range(0,len(list_a))]
私はこれが古い質問であり、すでに答えられていることを知っています、しかし何らかの理由で、私はまだこの代替解決策を投稿したいと思います。どの組み込み関数が必要な「魔法」を実行しているのかを見つけるのは簡単ですが、自分でできることを知っていても問題ありません。
>>> 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')]
問題ステートメントで示した出力はTupleではなくリストです。
list_c = [(1,5), (2,6), (3,7), (4,8)]
をチェック
type(list_c)
あなたが結果をlist_aとlist_bからTupleとして欲しいと思ったら、
Tuple(Zip(list_a,list_b))
Zip
を使用しない1つの方法
list_c = [(p1, p2) for idx1, p1 in enumerate(list_a) for idx2, p2 in enumerate(list_b) if idx1==idx2]
1番目と1番目、2番目と2番目のタプルだけでなく、2つのリストのすべての可能な組み合わせを取得する場合
list_d = [(p1, p2) for p1 in list_a for p2 in list_b]