个人社区:编程开发及计算机视觉成长手册
个人主页:NorthSmile
个人码云主页:https://gitee.com/northsmile
先对两道题的目的做一个对比:
从LeetCode59出发分析这两道题的一个解题思路,实际就是简单模拟螺旋路线:对于n来说只有奇数或者偶数两种情况,每次顺时针走完完整一遍经历四种操作,而我们的模拟过程就是重复进行以下四种操作:
我们需要解决的就是控制每次完整顺时针遍历过程中每个方向的起点及终点的边界问题,此处我分别用left、right、top、bottom四个变量控制对应的左右上下四个边界,先列出算法流程:
1)n=3,初始化left=0,right=n-1=2,top=0,bottom=n-1=2,
2)n=4,初始化left=0,right=n-1=3,top=0,bottom=n-1=3,
这道题是将给定的矩阵matrix所有元素按照顺时针顺序输出,与上面的生成问题可以看做是互逆操作。本题的解决思路也是简单模拟,重复执行上面提到的四种操作,直到达到边界条件说明所有元素已经遍历完成,停止遍历即可。
算法流程:分别用left、right、top、bottom四个变量控制对应的左右上下四个边界,先列出算法流程:
输入矩阵matrix大小为m*n,其中m与n不一定相等,二者之间大小关系不固定,因此边界考虑同上题相比需要考虑的更多一点。
注意:我上面说的输出对应元素放在LeetCode54中即指将该元素添加到结果集合中,代码中有所体现。
1)m=2,n=3,m
2)m=3,n=3,m=n,且m为奇数
2)m=3,n=4,m
4)m=4,n=4,m=n,且m为偶数
给你一个正整数 n ,生成一个包含 1 到 n2 所有元素,且元素按顺时针顺序螺旋排列的 n x n 正方形矩阵 matrix 。
原题链接:https://leetcode.cn/problems/spiral-matrix-ii/
class Solution {// 模拟public static int[][] generateMatrix(int n) {int[][] matrix=new int[n][];for (int i=0;i // 初始化矩阵为全0矩阵matrix[i]=new int[n];}int left=0,right=n-1,top=0,bottom=n-1; // 定义边界变量int num=1; // 计数while (true){if (left>right||top>bottom){break;}// 1.左->右int i=left;while (i<=right){matrix[top][i++]=num++;}top++;// 2.上->下int j=top;while (j<=bottom){matrix[j++][right]=num++;}right--;// 3.右->左int k=right;while (k>=left){matrix[bottom][k--]=num++;}bottom--;// 4.下->上int z=bottom;while (z>=top){matrix[z--][left]=num++;}left++;}return matrix;}
}
给你一个 m 行 n 列的矩阵 matrix ,请按照 顺时针螺旋顺序 ,返回矩阵中的所有元素。
原题链接:https://leetcode.cn/problems/spiral-matrix/
class Solution {// 模拟public static List spiralOrder(int[][] matrix) {List res=new ArrayList<>(); // 存储结果int left=0,right=matrix[0].length-1,top=0,bottom=matrix.length-1; // 控制边界while (true) {if (top>bottom||left>right){break;}// 1.左->右int j = left;while (j <=right) {res.add(matrix[top][j++]);}top++;if (top>bottom){break;}// 2.上->下int i = top;while (i <=bottom) {res.add(matrix[i++][right]);}right--;if (left>right){break;}// 3.右->左int k = right;while (k >= left) {res.add(matrix[bottom][k--]);}bottom--;// 4.下->上int z = bottom;while (z >= top) {res.add(matrix[z--][left]);}left++;}return res;}
}