Skip to content

Instantly share code, notes, and snippets.

@danong
Created October 22, 2018 22:44
Show Gist options
  • Save danong/34d638d28b5d133dca362772cb7942db to your computer and use it in GitHub Desktop.
Save danong/34d638d28b5d133dca362772cb7942db to your computer and use it in GitHub Desktop.
class Solution:
def setZeroes(self, matrix):
"""
:type matrix: List[List[int]]
:rtype: void Do not return anything, modify matrix in-place instead.
"""
row_0 = col_0 = False
# step 1: iterate through matrix and set 0 markers in 1st row and col (except top left)
for row_idx, row in enumerate(matrix):
for col_idx, val in enumerate(row):
if val == 0:
# set 0 marker
if col_idx == 0:
col_0 = True
else:
matrix[0][col_idx] = 0
if row_idx == 0:
row_0 = True
else:
matrix[row_idx][0] = 0
print('step 1')
print(matrix)
# step 2: iterate through 1st row and col and propogate 0s (except top left)
for idx, val in enumerate(matrix[0]):
if idx == 0:
continue
if val == 0:
# propogate 0s down
for row in matrix[1:]:
row[idx] = 0
print('step 2 row')
print(matrix)
for idx, row in enumerate(matrix):
if idx == 0:
continue
if row[0] == 0:
matrix[idx] = [0 for _ in range(len(row))]
print('step 2 col')
print(matrix)
# step 3: propogate top left
if row_0:
matrix[0] = [0 for _ in range(len(matrix[0]))]
if col_0:
for row in matrix:
row[0] = 0
print('step 3')
print(matrix)
a = Solution()
input_matrix = [
[1, 0, 3]
]
a.setZeroes(input_matrix)
# print(input_matrix)
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment