Spiral Matrix
Given an m x n matrix, return all elements of the matrix in spiral order.
Constraints:
- m == matrix.length
- n == matrix[i].length
- 1 <= m, n <= 10
- -100 <= matrix[i][j] <= 100
Examples:
Input: [[1,2,3],[4,5,6],[7,8,9]]
Output: [1,2,3,6,9,8,7,4,5]
Explanation: The spiral order is: 1 -> 2 -> 3 -> 6 -> 9 -> 8 -> 7 -> 4 -> 5
Solutions
Directional Approach
The solution uses four pointers (top, bottom, left, right) to represent the current boundaries of the matrix. It iterates through the matrix in a spiral order by moving the pointers accordingly.
vector<int> spiralOrder(vector<vector<int>>& matrix) {
vector<int> result;
int top = 0;
int bottom = matrix.size() - 1;
int left = 0;
int right = matrix[0].size() - 1;
while (top <= bottom && left <= right) {
for (int i = left;
i <= right;
i++) {
result.push_back(matrix[top][i]);
}
top++;
for (int i = top;
i <= bottom;
i++) {
result.push_back(matrix[i][right]);
}
right--;
if (top <= bottom) {
for (int i = right;
i >= left;
i--) {
result.push_back(matrix[bottom][i]);
}
bottom--;
}
if (left <= right) {
for (int i = bottom;
i >= top;
i--) {
result.push_back(matrix[i][left]);
}
left++;
}
}
return result;
}
Follow-up:
What if the matrix is not a square matrix?