描述
You are given an n x n 2D matrix representing an image.
Rotate the image by 90 degrees (clockwise).
Follow up:
Could you do this in-place?
分析
首先想到,纯模拟,从外到内一圈一圈的转,但这个方法太慢。
如下图,首先沿着副对角线翻转一次,然后沿着水平中线翻转一次。
或者,首先沿着水平中线翻转一次,然后沿着主对角线翻转一次。
代码
class Solution {
public:
void rotate(vector<vector<int>>& matrix) {
const int n = matrix.size();
// 沿着水平中线翻转
for (int i = 0; i < n / 2; ++i)
for (int j = 0; j < n; ++j)
swap(matrix[i][j], matrix[n-i-1][j]);
// 沿着主对角线翻转
for (int i = 0; i < n; ++i)
for (int j = i+1; j < n; ++j)
swap(matrix[i][j], matrix[j][i]);
}
};