Skip to content

Latest commit

 

History

History
106 lines (83 loc) · 2.36 KB

48-rotate-image.md

File metadata and controls

106 lines (83 loc) · 2.36 KB

48. Rotate Image - 旋转图像

给定一个 × n 的二维矩阵表示一个图像。

将图像顺时针旋转 90 度。

说明:

你必须在原地旋转图像,这意味着你需要直接修改输入的二维矩阵。请不要使用另一个矩阵来旋转图像。

示例 1:

给定 matrix = 
[
  [1,2,3],
  [4,5,6],
  [7,8,9]
],

原地旋转输入矩阵,使其变为:
[
  [7,4,1],
  [8,5,2],
  [9,6,3]
]

示例 2:

给定 matrix =
[
  [ 5, 1, 9,11],
  [ 2, 4, 8,10],
  [13, 3, 6, 7],
  [15,14,12,16]
], 

原地旋转输入矩阵,使其变为:
[
  [15,13, 2, 5],
  [14, 3, 4, 1],
  [12, 6, 8, 9],
  [16, 7,10,11]
]

题目标签:Array

题目链接:LeetCode / LeetCode中国

题解

如果不要求原地修改,用Python就一行的事。

Language Runtime Memory
cpp 4 ms 962.6 KB
class Solution {
public:
    void swap(int& x, int& y) {
        x ^= y;
        y ^= x;
        x ^= y;
    }

    void rotateRing(vector<vector<int>>& m, int p, int q) {
        int j = q - p;
        if (!j) { return; }
        // swap corner
        swap(m[p][p], m[p][q]);
        swap(m[p][p], m[q][q]);
        swap(m[p][p], m[q][p]);
        if (j == 1) { return; }

        // swap top & right
        for (int i=1; i<j; ++i) {
            swap(m[p][p+i], m[p+i][q]);
        }
        // swap bottom & left
        for (int i=1; i<j; ++i) {
            swap(m[q][p+i], m[p+i][p]);
        }
        // swap top & bottom
        for (int i=1; i<j; ++i) {
            swap(m[p][p+i], m[q][q-i]);
        }
    }

    void rotate(vector<vector<int>>& matrix) {
        if (!matrix.empty() && !matrix[0].empty()) {
            int n = (int)matrix.size();
            for (int i=0, j=n-1; i<=j; ++i, --j) {
                rotateRing(matrix, i, j);
            }
        }
    }
};