我的LeetCode:https://leetcode cn.com/u/ituring/ 我的LeetCode刷題源碼[GitHub]:https://github.com/izhoujie/Algorithmcii LeetCode 54. 螺旋矩陣 題目 給定一個包含 m x n 個元素的矩陣 ...
我的LeetCode:https://leetcode-cn.com/u/ituring/
我的LeetCode刷題源碼[GitHub]:https://github.com/izhoujie/Algorithmcii
LeetCode 54. 螺旋矩陣
題目
給定一個包含 m x n 個元素的矩陣(m 行, n 列),請按照順時針螺旋順序,返回矩陣中的所有元素。
示例 1:
輸入:
[
[ 1, 2, 3 ],
[ 4, 5, 6 ],
[ 7, 8, 9 ]
]
輸出: [1,2,3,6,9,8,7,4,5]
示例 2:
輸入:
[
[1, 2, 3, 4],
[5, 6, 7, 8],
[9,10,11,12]
]
輸出: [1,2,3,4,8,12,11,10,9,5,6,7]
來源:力扣(LeetCode)
鏈接:https://leetcode-cn.com/problems/spiral-matrix
著作權歸領扣網路所有。商業轉載請聯繫官方授權,非商業轉載請註明出處。
解題思路
思路1-控制橫向和豎向的邊界值,模擬螺旋遍歷
演算法複雜度:
- 時間複雜度: $ {\color{Magenta}{\Omicron\left(n\right)}} $
- 空間複雜度: $ {\color{Magenta}{\Omicron\left(1\right)}} $
演算法源碼示例
package leetcode;
import java.util.ArrayList;
import java.util.List;
/**
* @author ZhouJie
* @date 2020年2月20日 下午2:31:13
* @Description: 54. 螺旋矩陣
*
*/
public class LeetCode_0054 {
}
class Solution_0054 {
public List<Integer> spiralOrder(int[][] matrix) {
List<Integer> list = new ArrayList<Integer>();
if (matrix == null || matrix.length == 0) {
return list;
}
int left, right, up, down, x, y;
x = y = left = up = 0;
right = matrix[0].length - 1;
down = matrix.length - 1;
y--;
while (true) {
if (left > right) {
break;
}
while (++y <= right) {
list.add(matrix[x][y]);
}
y--;
up++;
if (up > down) {
break;
}
while (++x <= down) {
list.add(matrix[x][y]);
}
x--;
right--;
if (left > right) {
break;
}
while (--y >= left) {
list.add(matrix[x][y]);
}
y++;
down--;
if (up > down) {
break;
}
while (--x >= up) {
list.add(matrix[x][y]);
}
x++;
left++;
}
return list;
}
}