Smith Set
Smith Set

Reputation: 43

Transpose Of Matrix in Python

I am new on Python i am working on Transpose of matrix but i found it lengthy code any short procedure please!

mymatrix=[(1,2,3),(4,5,6),(7,8,9),(10,11,12)] 
for myrow in mymatrix: 
    print(myrow) 
    print("\n") 
    t_matrix = zip(*mymatrix) 
for myrow in t_matrix: 
    print(myrow)

Upvotes: 4

Views: 467

Answers (3)

paradox
paradox

Reputation: 602

import numpy as np
matrix = np.array([[1,2,3],[4,5,6],[7,8,9],[10,11,12]] )
print(matrix.T)

without using numpy


Edit: for Both Python2 and Python3

Python3

[*zip(*matrix)]

Python2

zip(*matrix)

Upvotes: 4

Netwave
Netwave

Reputation: 42708

Use zip:

mymatrix=[(1,2,3),(4,5,6),(7,8,9),(10,11,12)] 
myTransposedMatrix = list(zip(*mymatrix))

>>> myTransposedMatrix
[(1, 4, 7, 10), (2, 5, 8, 11), (3, 6, 9, 12)]

Upvotes: 4

Ihtisham Ali Farooq
Ihtisham Ali Farooq

Reputation: 442

You need to install numpy in order to import it Numpy transpose returns similar result when
applied on 1D matrix

import numpy  
mymatrix=[[1,2,3],[4,5,6]] 
print(mymatrix) 
print("\n") 
print(numpy.transpose(mymatrix)) 

Upvotes: 7

Related Questions