Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Set Matrix Zeroes

Given an m x n matrix, if an element is 0, set its entire row and column to 0. Do not return anything, modify the matrix in-place.

Constraints:

  • m == matrix.length
  • n == matrix[0].length
  • 1 <= m, n <= 200
  • -2^31 <= matrix[i][j] <= 2^31 - 1

Examples:

Input: [[1,1,1],[1,0,1],[1,1,1]]

Output: [[1,0,1],[0,0,0],[1,0,1]]

Explanation: The first row and the second column are set to 0 because of the 0 at matrix[1][1].

Solutions

Using Extra Space

Time: O(m*n)Space: O(m + n)

This solution uses two sets to keep track of the rows and columns that need to be set to 0. It first iterates over the matrix to find the rows and columns that contain a 0, and then it iterates over the matrix again to set the corresponding elements to 0.

const setZeroes = (matrix) => {
  const m = matrix.length;

  const n = matrix[0].length;

  const rows = new Set();

  const cols = new Set();

  for (let i = 0; i < m; i++) {
    for (let j = 0; j < n; j++) {
      if (matrix[i][j] === 0) {
        rows.add(i);

        cols.add(j);
      }
    }
  }

  for (let i = 0; i < m; i++) {
    for (let j = 0; j < n; j++) {
      if (rows.has(i) || cols.has(j)) {
        matrix[i][j] = 0;
      }
    }
  }
};

In-Place

Time: O(m*n)Space: O(1)

This solution uses the first row and column of the matrix to keep track of the rows and columns that need to be set to 0. It first iterates over the matrix to find the rows and columns that contain a 0, and then it iterates over the matrix again to set the corresponding elements to 0.

const setZeroes = (matrix) => {
  const m = matrix.length;

  const n = matrix[0].length;

  let isCol = false;

  for (let i = 0; i < m; i++) {
    if (matrix[i][0] === 0) isCol = true;

    for (let j = 1; j < n; j++) {
      if (matrix[i][j] === 0) {
        matrix[0][j] = 0;

        matrix[i][0] = 0;
      }
    }
  }

  for (let i = 1; i < m; i++) {
    for (let j = 1; j < n; j++) {
      if (matrix[i][0] === 0 || matrix[0][j] === 0) {
        matrix[i][j] = 0;
      }
    }
  }

  if (matrix[0][0] === 0) {
    for (let j = 0; j < n; j++) {
      matrix[0][j] = 0;
    }
  }

  if (isCol) {
    for (let i = 0; i < m; i++) {
      matrix[i][0] = 0;
    }
  }
};

Difficulty: Medium

Category: Array and Matrix

Frequency: High

Company tags:

GoogleAmazonMicrosoft