forked from LeetCode-in-Net/LeetCode-in-Net
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Solution.cs
60 lines (58 loc) · 1.86 KB
/
Solution.cs
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
namespace LeetCodeNet.G0001_0100.S0073_set_matrix_zeroes {
// #Medium #Top_100_Liked_Questions #Top_Interview_Questions #Array #Hash_Table #Matrix
// #Udemy_2D_Arrays/Matrix #Big_O_Time_O(m*n)_Space_O(1)
// #2024_01_05_Time_124_ms_(96.92%)_Space_52_MB_(9.38%)
public class Solution {
// Approach: Use first row and first column for storing whether in future
// the entire row or column needs to be marked 0
public void SetZeroes(int[][] matrix) {
int m = matrix.Length;
int n = matrix[0].Length;
bool row0 = false;
bool col0 = false;
// Check if 0th col needs to be market all 0s in future
foreach (int[] ints in matrix) {
if (ints[0] == 0) {
col0 = true;
break;
}
}
// Check if 0th row needs to be market all 0s in future
for (int i = 0; i < n; i++) {
if (matrix[0][i] == 0) {
row0 = true;
break;
}
}
// Store the signals in 0th row and column
for (int i = 1; i < m; i++) {
for (int j = 1; j < n; j++) {
if (matrix[i][j] == 0) {
matrix[i][0] = 0;
matrix[0][j] = 0;
}
}
}
// Mark 0 for all cells based on signal from 0th row and 0th column
for (int i = 1; i < m; i++) {
for (int j = 1; j < n; j++) {
if (matrix[i][0] == 0 || matrix[0][j] == 0) {
matrix[i][j] = 0;
}
}
}
// Set 0th column
for (int i = 0; i < m; i++) {
if (col0) {
matrix[i][0] = 0;
}
}
// Set 0th row
for (int i = 0; i < n; i++) {
if (row0) {
matrix[0][i] = 0;
}
}
}
}
}