leetcode 867. 轉置矩陣(Transpose Matrix)
阿新 • • 發佈:2019-04-07
() pos int code ans 給定 索引 ++ tor
目錄
- 題目描述:
- 示例 1:
- 示例 2:
- 解法:
題目描述:
給定一個矩陣 A
, 返回 A
的轉置矩陣。
矩陣的轉置是指將矩陣的主對角線翻轉,交換矩陣的行索引與列索引。
示例 1:
輸入:[[1,2,3],[4,5,6],[7,8,9]]
輸出:[[1,4,7],[2,5,8],[3,6,9]]
示例 2:
輸入:[[1,2,3],[4,5,6]]
輸出:[[1,4],[2,5],[3,6]]
提示:
1 <= A.length <= 1000
1 <= A[0].length <= 1000
解法:
class Solution { public: vector<vector<int>> transpose(vector<vector<int>>& A) { int m = A.size(); int n = A[0].size(); vector<vector<int>> res(n, vector<int>(m, 0)); for(int i = 0; i < m; i++){ for(int j = 0; j < n; j++){ res[j][i] = A[i][j]; } } return res; } };
leetcode 867. 轉置矩陣(Transpose Matrix)