给定一个正整数 n,生成一个包含 1 到 n2 所有元素,且元素按顺时针顺序螺旋排列的正方形矩阵。
示例:
输入: 3 输出: [ [ 1, 2, 3 ], [ 8, 9, 4 ], [ 7, 6, 5 ] ]
毕竟是个中等难度的题,这个循环分类很有意思的,不是直接简单粗暴的for
成功
执行用时 : 1 ms, 在Spiral Matrix II的Java提交中击败了71.74% 的用户
内存消耗 : 34.4 MB, 在Spiral Matrix II的Java提交中击败了56.71% 的用户
class Solution {
public int[][] generateMatrix(int n) {
int[][] res = new int[n][n];
int left = 0, right = n-1;
int top = 0, bottom = n-1;
int num = 1;
while(num <= n*n){
for(int i=left; i<=right; i++)
res[top][i] = num++;
top++;
for(int i=top; i<=bottom; i++)
res[i][right] = num++;
right--;
for(int i=right; i>=left; i--)
res[bottom][i] = num++;
bottom--;
for(int i=bottom; i>=top; i--)
res[i][left] = num++;
left++;
}
return res;
}
}