Can we use additional space to store the temporary results?
Algorithm Analysis
Record all zeros and change the rows and columns once. O(2*MN)
Record which zeros are changed from others and skip that zero while traversing. O(MN)
In place: Use first row and first column as markers. If matrix[i][j] = 0, mark respected row and col marker = 0 (matrix[0][j] = 0; matrix[i][0] = 0). And because we are altering the first row and column, we need to have two variables to track their status. So, for example, if any one of the first rows is 0, fr = 0, and at the end set all first row to 0.
publicvoidsetZeroes(int[][] matrix){ boolean fr = false,fc = false; for(int i = 0; i < matrix.length; i++) { for(int j = 0; j < matrix[0].length; j++) { if(matrix[i][j] == 0) { if(i == 0) fr = true; if(j == 0) fc = true; matrix[0][j] = 0; matrix[i][0] = 0; } } } for(int i = 1; i < matrix.length; i++) { for(int j = 1; j < matrix[0].length; j++) { if(matrix[i][0] == 0 || matrix[0][j] == 0) { matrix[i][j] = 0; } } } if(fr) { for(int j = 0; j < matrix[0].length; j++) { matrix[0][j] = 0; } } if(fc) { for(int i = 0; i < matrix.length; i++) { matrix[i][0] = 0; } } } // Use first row and first column as markers. // if matrix[i][j] = 0, mark respected row and col marker = 0; // indicatingthat later this respective row and col // must be marked 0; // And because you are altering first row and collumn, // you need to have two variables to track their own status. // So, for ex, if any one of the first row is 0, fr = 0, // and at the end set all first row to 0;