面试题 01.08. 零矩阵

编写一种算法,若M × N矩阵中某个元素为0,则将其所在的行与列清零。

示例 1:

输入: [ [1,1,1], [1,0,1], [1,1,1] ] 输出: [ [1,0,1], [0,0,0], [1,0,1] ] 示例 2:

输入: [ [0,1,2,0], [3,4,5,2], [1,3,1,5] ] 输出: [ [0,0,0,0], [0,4,5,0], [0,3,1,0] ]

来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/zero-matrix-lcci 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

题解:

  • 开辟两个一维存放bool值数组
  • line数组 用来存放 需要清空的行
  • column数组 用来存放 需要清空的列
  • 1,遍历矩阵。 把需要清空的line 和 column在数组中赋值为 true
  • 2,把line数组中需要清空的行,清零
  • 3,把column数组中需要清空的列,清零

代码如下:

 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
public void setZeroes(int[][] matrix) {

    // 需要清空的行数组
    boolean[] line  = new boolean[matrix.length];
    // 需要清空的列数组
    boolean[] column = new boolean[matrix.length];

    for (int i = 0; i < matrix.length; i++) {
        for (int j = 0; j < matrix.length; j++) {
            if (matrix[i][j] == 0){
                line[i] = true;
                column[j] = true;
            }
        }
    }

    // 需要清零的行 置为零
    for (int i = 0; i < matrix.length; i++) {
        if (line[i] == true){
            for (int j = 0; j < matrix[0].length; j++) {
                matrix[i][j] = 0;
            }
        }
    }

    // 需要清零的列 置为零
    for (int i = 0; i < matrix[0].length; i++) {
        if (column[i] == true){
            for (int j = 0; j < matrix.length; j++) {
                matrix[j][i] = 0;
            }
        }
    }

时间复杂度: O(M * N)

空间复杂度: O(M + N)