Created
November 1, 2023 18:26
-
-
Save optimistiks/369bb2dbc8b05342bdbd94dd6c9a0e25 to your computer and use it in GitHub Desktop.
Given an m×n matrix, return an array containing the matrix elements in spiral order, starting from the top-left cell.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| function spiralOrder(matrix) { | |
| const result = []; | |
| // initialize direction variable (1 or -1) | |
| let dir = 1; | |
| // current row | |
| let row = 0; | |
| // current column (we have to start "outside" since we don't want to go out of bounds) | |
| // current row starts at 0 and not -1 because our first step is to move right, and it's changing columns | |
| // after moving right our first row is complete, so row=0 is actually "outside", just as col=-1 is. | |
| let col = -1; | |
| let rows = matrix.length; | |
| let cols = matrix[0].length; | |
| while (rows > 0 && cols > 0) { | |
| for (let i = 0; i < cols; ++i) { | |
| col += dir; | |
| result.push(matrix[row][col]); | |
| } | |
| rows -= 1; | |
| for (let i = 0; i < rows; ++i) { | |
| row += dir; | |
| result.push(matrix[row][col]); | |
| } | |
| cols -= 1; | |
| dir *= -1; | |
| } | |
| return result; | |
| } | |
| export { spiralOrder }; |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment