Given a 2D binary matrix filled with 0's and 1's, find the largest square containing all 1's and return its area.For example, given the following matrix:1 0 1 0 0
1 0111
1 1111
1 0 0 1 0Return 4.思路分析:这题考察DP,缓存中间结果减少重复计算,DP方程为if(matrix[i][j] != 0) dp[i,j] = min{dp[i-1,j], dp[i,j-1], dp[i-1,j-1]} + 1; else dp[i,j] = 0其中dp[i,j]表示以[i,j]为右下角的区域内的最大的正方形的边长,最后返回dp数组中最大值的平方即为所求。AC Codepublic class Solution {
public int maximalSquare(char[][] matrix) {
//dp equation: if(matrix[i][j] != 0) dp[i,j] = min{dp[i-1,j], dp[i,j-1], dp[i-1,j-1]} + 1; else dp[i,j] = 0
int m = matrix.length;
...
继续阅读
(22)