タプルのリストがあり、複数のリストに変換したいとします。
たとえば、タプルのリストは
[(1,2),(3,4),(5,6),]
それを変換するPythonの組み込み関数はありますか?
[1,3,5],[2,4,6]
これは単純なプログラムです。しかし、私はPythonにそのような組み込み関数が存在することに興味があります。
タプルのリストがあり、複数のリストに変換したいとします。
たとえば、タプルのリストは
[(1,2),(3,4),(5,6),]
それを変換するPythonの組み込み関数はありますか?
[1,3,5],[2,4,6]
これは単純なプログラムです。しかし、私はPythonにそのような組み込み関数が存在することに興味があります。
回答:
組み込み関数zip()
はほとんどあなたが望むことをします:
>>> zip(*[(1, 2), (3, 4), (5, 6)])
[(1, 3, 5), (2, 4, 6)]
唯一の違いは、リストではなくタプルを取得することです。あなたはそれらをリストに変換することができます
map(list, zip(*[(1, 2), (3, 4), (5, 6)]))
python docsから:
zip()を*演算子と組み合わせて使用すると、リストを解凍できます。
具体例:
>>> zip((1,3,5),(2,4,6))
[(1, 2), (3, 4), (5, 6)]
>>> zip(*[(1, 2), (3, 4), (5, 6)])
[(1, 3, 5), (2, 4, 6)]
または、本当にリストが必要な場合:
>>> map(list, zip(*[(1, 2), (3, 4), (5, 6)]))
[[1, 3, 5], [2, 4, 6]]
使用する:
a = [(1,2),(3,4),(5,6),]
b = zip(*a)
>>> [(1, 3, 5), (2, 4, 6)]
franklsf95は彼の回答でパフォーマンスを追求し、を選択しましたがlist.append()
、最適ではありません。
リスト内包表記を追加すると、次のようになりました。
def t1(zs):
xs, ys = zip(*zs)
return xs, ys
def t2(zs):
xs, ys = [], []
for x, y in zs:
xs.append(x)
ys.append(y)
return xs, ys
def t3(zs):
xs, ys = [x for x, y in zs], [y for x, y in zs]
return xs, ys
if __name__ == '__main__':
from timeit import timeit
setup_string='''\
N = 2000000
xs = list(range(1, N))
ys = list(range(N+1, N*2))
zs = list(zip(xs, ys))
from __main__ import t1, t2, t3
'''
print(f'zip:\t\t{timeit('t1(zs)', setup=setup_string, number=1000)}')
print(f'append:\t\t{timeit('t2(zs)', setup=setup_string, number=1000)}')
print(f'list comp:\t{timeit('t3(zs)', setup=setup_string, number=1000)}')
これは結果を与えました:
zip: 122.11585397789766
append: 356.44876132614047
list comp: 144.637765085659
そのため、パフォーマンスが必要な場合はzip()
、リストの理解がそれほど遅れていない場合でも、おそらく使用する必要があります。のパフォーマンスappend
は、実際には比較するとかなり劣っています。
*zip
よりPythonicであるにもかかわらず、次のコードはパフォーマンスがはるかに優れています。
xs, ys = [], []
for x, y in zs:
xs.append(x)
ys.append(y)
また、元のリストzs
が空の場合*zip
はが発生しますが、このコードは適切に処理できます。
私は簡単な実験を行ったところ、結果は次のとおりです。
Using *zip: 1.54701614s
Using append: 0.52687597s
複数回実行すると、append
3倍から4倍高速ですzip
!テストスクリプトは次のとおりです。
#!/usr/bin/env python3
import time
N = 2000000
xs = list(range(1, N))
ys = list(range(N+1, N*2))
zs = list(zip(xs, ys))
t1 = time.time()
xs_, ys_ = zip(*zs)
print(len(xs_), len(ys_))
t2 = time.time()
xs_, ys_ = [], []
for x, y in zs:
xs_.append(x)
ys_.append(y)
print(len(xs_), len(ys_))
t3 = time.time()
print('Using *zip:\t{:.8f}s'.format(t2 - t1))
print('Using append:\t{:.8f}s'.format(t3 - t2))
私のPythonバージョン:
Python 3.6.3 (default, Oct 24 2017, 12:18:40)
[GCC 4.2.1 Compatible Apple LLVM 8.1.0 (clang-802.0.42)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
ClaudiuとClaudiuの答えに追加すると、マップはpython 3のitertoolsからインポートする必要があるため、次のようなリスト内包表記も使用します。
[[*x] for x in zip(*[(1,2),(3,4),(5,6)])]
>>> [[1, 3, 5], [2, 4, 6]]
(1, 3, 5)
で(2, 4, 6)
はなく、あなたに与えるでしょう。使用する必要がありますmap(list, zip(*[(1, 2), (3, 4), (5, 6)]))