-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy path54.py
21 lines (19 loc) · 769 Bytes
/
54.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
# https://neetcode.io/problems/spiral-matrix
# https://leetcode.com/problems/spiral-matrix/description/
from typing import List
class Solution:
def spiralOrder(self, matrix: List[List[int]]) -> List[int]:
M, N = len(matrix), len(matrix[0])
res = []
def spiraling(i, j, direction):
if i < 0 or j < 0 or i >= M or j >= N or matrix[i][j] == -1000:
return
res.append(matrix[i][j])
matrix[i][j] = -1000
spiraling(i + direction[0], j + direction[1], direction)
spiraling(i, j + 1, (0, 1))
spiraling(i + 1, j, (1, 0))
spiraling(i, j - 1, (0, -1))
spiraling(i - 1, j, (-1, 0))
spiraling(0, 0, (0, 1))
return res