kelly-sikkema--YP-I0r2mk0-unsplash.jpg
中等算法给定一个 m x n 的矩阵,如果一个元素为 0 ,则将其所在行和列的所有元素都设为 0 。请使用 原地 算法。

示例 1:
LC. 矩阵置零 - 图2
输入:matrix = [[1,1,1],[1,0,1],[1,1,1]]
输出:[[1,0,1],[0,0,0],[1,0,1]]

示例 2:
LC. 矩阵置零 - 图3
输入:matrix = [[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/leetbook/read/top-interview-questions-medium/xvmy42/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

代码

  1. /**
  2. * @param {number[][]} matrix
  3. * @return {void} Do not return anything, modify matrix in-place instead.
  4. */
  5. var setZeroes = function(matrix) {
  6. const rowMap = new Map();
  7. const colMap = new Map();
  8. const row = matrix.length;
  9. const col = matrix[0].length;
  10. for (let i=0;i<row;i++) {
  11. for (let j=0;j<col;j++) {
  12. if (matrix[i][j]!==0) {
  13. continue;
  14. }
  15. rowMap.set(i, true);
  16. colMap.set(j, true);
  17. }
  18. }
  19. for (let i=0;i<row;i++) {
  20. for (let j=0;j<col;j++) {
  21. if (rowMap.get(i)||colMap.get(j)) {
  22. matrix[i][j] = 0;
  23. }
  24. }
  25. }
  26. };