Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

List Python Operation

Tags:

python

list

I got this list:

input = [[1,2,3,4],[5,6,7,8],[9,10,11,12]]

I want to make new lists with each index item:

i.e.

output = [[1,5,9],[2,6,10],[3,7,11],[4,8,12]]
like image 360
jossi Avatar asked Dec 16 '22 16:12

jossi


1 Answers

This is a canonical example of when to use zip:

In [6]: inlist = [[1,2,3,4],[5,6,7,8],[9,10,11,12]]

In [7]: out=zip(*inlist)

In [8]: out
Out[8]: [(1, 5, 9), (2, 6, 10), (3, 7, 11), (4, 8, 12)]

Or, to get a list of lists (rather than list of tuples):

In [9]: out=[list(group) for group in zip(*inlist)]

In [10]: out
Out[10]: [[1, 5, 9], [2, 6, 10], [3, 7, 11], [4, 8, 12]]
like image 135
unutbu Avatar answered Dec 29 '22 15:12

unutbu