剑指Offer刷题记录,第三题。
剑指 Offer 29. 顺时针打印矩阵(easy)
方法一:按层模拟
思路:观察可知,可以将矩阵看成若干圈,首先打印最外圈的元素,其次打印次外圈的元素,直到打印最内圈的元素。而打印圈数取决于行数和列数中的最小值的一半,如下图所示,图片链接: link.
class Solution {
public int[] spiralOrder(int[][] matrix) {
if (matrix == null || matrix.length == 0 || matrix[0].length == 0) {
return new int[0];
}
int m = matrix.length; // 行
int n = matrix[0].length; // 列
int[] ans = new int[m * n];
int idx = 0;
int left = 0;
int right = n - 1;
int top = 0;
int bottom = m - 1;
int times = Math.min(m, n) % 2 == 0 ? Math.min(m, n) / 2 : Math.min(m, n) / 2 + 1;
for (int i = 0; i < times; i++) {
// 从左到右
for (int col = left; col <= right; col++) {
ans[idx++] = matrix[top][col];
}
// 从右到下
for (int row = top + 1; row <= bottom; row++) {
ans[idx++] = matrix[row][right];
}
// 从下到左
// 从左到上
if (left < right && top < bottom) {
for (int col = right - 1; col > left; col--) {
ans[idx++] = matrix[bottom][col];
}
for (int row = bottom; row > top; row--) {
ans[idx++] = matrix[row][left];
}
}
left++;
right--;
top++;
bottom--;
}
return ans;
}
}
时间复杂度:O(MN), M和N分别为数组行数和列数,矩阵中的元素都需要被访问一次。
空间复杂度:O(1), 未使用额外空间。