Skip to main content

Matrix Questions

Question

Original Question: Leetcode 221. Maximal Square

Given a 2D binary matrix filled with 0's and 1's, find the largest square containing only 1's and return its area.

Example:

Input: 

1 0 1 0 0
1 0 1 1 1
1 1 1 1 1
1 0 0 1 0

Output: 4

Solution

class Solution {
public int maximalSquare(char[][] matrix) {
if(matrix.length == 0) return 0;
int[][] dp = new int[matrix.length+1][matrix[0].length+1];
int maxLen = 0;
for(int j = 1; j <= matrix.length; j++){
for(int i = 1; i <= matrix[0].length; i++){
if(matrix[j-1][i-1] == '1'){
dp[j][i] = Math.min(Math.min(dp[j][i-1], dp[j-1][i]), dp[j-1][i-1]) + 1;
maxLen = Math.max(maxLen, dp[j][i]);
}
}
}
return maxLen * maxLen;
}
}