题目描述
有一副由NxN矩阵表示的图像,这里每个像素用一个int表示,请编写一个算法,在不占用额外内存空间的情况下(即不使用缓存矩阵),将图像顺时针旋转90度。
给定一个NxN的矩阵,和矩阵的阶数N,请返回旋转后的NxN矩阵,保证N小于等于500,图像元素小于等于256。
测试样例:
[[1,2,3],[4,5,6],[7,8,9]],3
返回:[[7,4,1],[8,5,2],[9,6,3]]
import java.util.*;
public class Transform {
public int[][] transformImage(int[][] mat, int n) {
// write code here
for(int layer=0; layer<n/2; ++layer){
int first = layer;
int last = n-1-layer;
for(int i=first; i<last; ++i){
int offset = i - first;
int top = mat[first][i];
mat[first][i] = mat[last-offset][first];
mat[last-offset][first] = mat[last][last-offset];
mat[last][last-offset] = mat[i][last];
mat[i][last] = top;
}
}
return mat;
}
}