文章目录
系列:数组专练
语言:java & go
题目来源:Leetcode54. 螺旋矩阵
难度:中等
考点:边界问题处理
思路和参考答案
- 文章目录
- 题目描述
- 思路
- java参考代码
- go参考代码:
题目描述
给你一个 m 行 n 列的矩阵 matrix ,请按照 顺时针螺旋顺序 ,返回矩阵中的所有元素。
示例 1:
输入:matrix = [[1,2,3],[4,5,6],[7,8,9]]
输出:[1,2,3,6,9,8,7,4,5]
示例 2:
输入:matrix = [[1,2,3,4],[5,6,7,8],[9,10,11,12]]
输出:[1,2,3,4,8,12,11,10,9,5,6,7]
提示:
m == matrix.length
n == matrix[i].length
1 <= m, n <= 10
-100 <= matrix[i][j] <= 100
思路
如图所示,我们解题的思路是:分别列出边界top,bottom,right,left,按照顺时针进行遍历,当遍历完top,执行top–,将top边界向下缩小一个单位,从1234这行移动到5678这行,以上操作会遍历完1234,然后进行右边界right遍历,因为top—了,从top开始,此时指在8处,遍历完right边界,将right–,将边界向左缩小一个单位,以上操作会遍历完8和12 ,后面的底层边界和左边界一次类推。具体实现我们来看代码的,有很多需要注意的边界处理细节,
需要注意边界问题:当top,right,left,right执行完增减操作后,需要判断此时是否符合条件。如果right<left,top>buttom,应该直接返回数组,
防止重复
java参考代码
class Solution {
public List<Integer> spiralOrder(int[][] matrix) {
List<Integer> list = new ArrayList<>();
int m = matrix.length;
int n = matrix[0].length;
int top =0,left=0,right=n-1,bottom=m-1;
while(top<=bottom && left<=right){
//从顶部开始
for(int i =left;i<=right;i++){
list.add(matrix[top][i]);
}
top++;
if(top>bottom){
return list;
}
//遍历右边
for(int i=top;i<=bottom;i++){
list.add(matrix[i][right]);
}
right--;
if(right<left){
return list;
}
//遍历底层
for(int i=right;i>=left;i--){
list.add(matrix[bottom][i]);
}
bottom--;
if(bottom<top){
return list;
}
//遍历左边界
for(int i =bottom;i>=top;i--){
list.add(matrix[i][left]);
}
left++;
if(left>right){
return list;
}
}
return list;
}
}
go参考代码:
go中需要注意的是,往切片里面加元素用的是append(数组,元素)
二维切片,一维长度len(matrix) 二维长度 len(matrix[0]) 只有for可用,没有while;
func spiralOrder(matrix [][]int) []int {
if(len(matrix) ==0){
return []int{}
}
res :=[]int{}
top,bottom,left,right :=0,len(matrix)-1,0,len(matrix[0])-1
for top<=bottom && left<=right{
for i:=left;i<=right;i++{res =append(res,matrix[top][i])}
top++
if top>bottom{
return res
}
for i:=top;i<=bottom;i++{res = append(res,matrix[i][right])}
right--
if right<left{
return res
}
for i:=right;i>=left;i--{res = append(res,matrix[bottom][i])}
bottom--
if bottom<top{
return res
}
for i:=bottom;i>=top;i--{res = append(res,matrix[i][left])}
left++
if left>right{
return res
}
}
return res
}
以上分析,希望对您有所帮助,您的支持是我最大的动力,感谢一键三连!!