赞
踩
给定一个 m x n 的矩阵,如果一个元素为 0,则将其所在行和列的所有元素都设为 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]
]
解题思路:
这个题目的解题思路比较简单,就是遍历二维矩阵,当遍历到当前的元素为0的时候记录下当前元素的行和列的坐标,这里用一个boolean的数组来记录。具体见如下代码:
class Solution { public void setZeroes(int[][] matrix) { if(matrix==null || matrix.length==0) return; int m=matrix.length; int n=matrix[0].length; boolean[] row=new boolean[m]; boolean[] column=new boolean[n]; for(int i=0;i<m;i++){ for(int j=0;j<n;j++){ if(matrix[i][j]==0){ row[i]=true; column[j]=true; } } } for(int i=0;i<m;i++){ for(int j=0;j<n;j++){ if(row[i]){ matrix[i][j]=0; } else if(column[j]){ matrix[i][j]=0; } } } } }
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。