编写一种算法,若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]
]
题解
public class ZeroMatrixLcci {
public static void main(String[] args) {
int[][] ma = {
{0, 1, 2, 0},
{3, 4, 5, 2},
{1, 3, 1, 5}};
ZeroMatrixLcci zeroMatrixLcci = new ZeroMatrixLcci();
zeroMatrixLcci.setZeroes(ma);
System.out.println(Arrays.deepToString(ma));
}
public void setZeroes(int[][] matrix) {
Set<Integer> x = new HashSet<>();
Set<Integer> y = new HashSet<>();
for (int i = 0; i < matrix.length; i++) {
for (int j = 0; j < matrix[0].length; j++) {
System.out.println(matrix[i][j]);
if (matrix[i][j] == 0) {
x.add(i);
y.add(j);
}
}
}
System.out.println("x = " + x);
System.out.println("y = " + y);
for (int i = 0; i < matrix.length; i++) {
for (int j = 0; j < matrix[0].length; j++) {
if (x.contains(i) || y.contains(j)) {
matrix[i][j] = 0;
}
}
}
}
}
来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/zero-matrix-lcci
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
评论区