链接:https://www.nowcoder.com/questionTerminal/2e95333fbdd4451395066957e24909cc
来源:牛客网
有一个NxN整数矩阵,请编写一个算法,将矩阵顺时针旋转90度。
给定一个NxN的矩阵,和矩阵的阶数N,请返回旋转后的NxN矩阵,保证N小于等于300。
测试样例:
[[1,2,3],[4,5,6],[7,8,9]],3
返回:[[7,4,1],[8,5,2],[9,6,3]]
思路:
在纸上写出 n = 2 n = 3的情况 找到规律即可
import java.util.*;
public class Rotate {
public int[][] rotateMatrix(int[][] mat, int n) {
// write code here
int[][] ans = new int [n][n];
for (int j = 0; j < n; j++) {
for (int i = 0; i < n; i++) {
ans[j][i] = mat[n-i-1][j];
}
}
return ans;
}
}