标签:
Given a m x n matrix, if an element is 0, set its entire row and column to 0. Do it in place.
Did you use extra space?
A straight forward solution using O(mn) space is probably a bad idea.
A simple improvement uses O(m + n) space, but still not the best solution.
Could you devise a constant space solution?
给定一个m*n的矩阵,如果一个元素为0,那么就让这个元素所在行和列都变成0,要求空间复杂度为o(1)。
1、暴力的做法就是再设定一个一样的矩阵,每次遇到0,然后将第二个矩阵的相应位置置0,空间复杂度为O(mn)。
2、然后略微优化就是每次遇到0的时候,记录需要置0的行号和列号,空间复杂度为O(m+n)。
3、如果要求空间复杂度为1,其实只需要将2中记录的方法,记录在第一行和第一列就行了。
public class Solution { public void setZeroes(int[][] matrix) { if( matrix.length == 0) return ; int len1 = matrix.length, len2 = matrix[0].length; boolean row0 = false,col0 = false; for( int i = 0;i<len1;i++){ if( matrix[i][0] == 0){ col0 = true; break; } } for( int i = 0;i<len2;i++){ if( matrix[0][i] == 0){ row0 = true; break; } } for( int i = 0;i<len1;i++){ for( int j = 0;j<len2;j++){ if( matrix[i][j] == 0){ matrix[i][0] = 0; matrix[0][j] = 0; } } } for( int i = 1;i<len1;i++){ if( matrix[i][0] == 0) for( int j = 1;j<len2;j++) matrix[i][j] = 0; } for( int i = 1;i<len2;i++){ if( matrix[0][i] == 0) for( int j = 1;j<len1;j++) matrix[j][i] = 0; } if( row0 ) for( int i = 0;i<len2;i++) matrix[0][i] = 0; if( col0 ) for( int i = 0;i<len1;i++) matrix[i][0] = 0; return ; } }
leetcode 73 Set Matrix Zeroes ----- java
标签:
原文地址:http://www.cnblogs.com/xiaoba1203/p/5964749.html