2019-03-31-transpose matrix

题目,867. Transpose Matrix

Given a matrix A, return the transpose of A.

The transpose of a matrix is the matrix flipped over it’s main diagonal, switching the row and column indices of the matrix.

Example:
Input: [[1,2,3],[4,5,6],[7,8,9]]
Output: [[1,4,7],[2,5,8],[3,6,9]]

解析

1
2
3
4
5
6
7
8
9
10
11
12
var transpose = function(A) {
let copy = new Array(A[0].length);
for (var i = 0; i < A[0].length; i++) {
copy[i] = new Array(A.length);
}
for (let i = 0; i < A.length; ++i) {
for (let j = 0; j < A[i].length; ++j) {
copy[j][i] = A[i][j];
}
}
return copy
};