-
-
Notifications
You must be signed in to change notification settings - Fork 50.3k
Expand file tree
/
Copy pathset_matrix_zeroes.py
More file actions
63 lines (52 loc) · 1.58 KB
/
set_matrix_zeroes.py
File metadata and controls
63 lines (52 loc) · 1.58 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
"""
Set Matrix Zeroes Algorithm
---------------------------
If an element in an m x n matrix is 0, set its entire row and column to 0.
Explanation:
We use the first row and first column as markers to track which rows and
columns should be zeroed, avoiding extra space usage (O(1) space complexity).
References:
https://leetcode.com/problems/set-matrix-zeroes/
Doctest:
>>> matrix = [
... [1, 1, 1],
... [1, 0, 1],
... [1, 1, 1]
... ]
>>> set_matrix_zeroes(matrix)
>>> matrix
[[1, 0, 1], [0, 0, 0], [1, 0, 1]]
"""
def set_matrix_zeroes(matrix: list[list[int]]) -> None:
"""
Modify the matrix in-place such that if an element is 0,
its entire row and column are set to 0.
:param matrix: 2D list of integers
:return: None (modifies matrix in-place)
Time Complexity: O(m * n)
Space Complexity: O(1)
"""
rows = len(matrix)
cols = len(matrix[0])
col0 = 1
# Step 1: Mark rows and columns that need to be zeroed
for i in range(rows):
if matrix[i][0] == 0:
col0 = 0
for j in range(1, cols):
if matrix[i][j] == 0:
matrix[i][0] = 0
matrix[0][j] = 0
# Step 2: Update the inner matrix cells
for i in range(1, rows):
for j in range(1, cols):
if matrix[i][0] == 0 or matrix[0][j] == 0:
matrix[i][j] = 0
# Step 3: Handle the first row
if matrix[0][0] == 0:
for j in range(cols):
matrix[0][j] = 0
# Step 4: Handle the first column
if col0 == 0:
for i in range(rows):
matrix[i][0] = 0