class Solution {
public int maximalRectangle(char[][] matrix) {
int res = 0;
if (matrix == null || matrix.length == 0 ||
matrix[0] == null || matrix[0].length == 0) {
return res;
}
int m = matrix.length;
int n = matrix[0].length;
int[] height = new int[n + 1];
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
if (matrix[i][j] == '1') {
height[j] += 1;
} else {
height[j] = 0;
}
}
res = Math.max(res, hist(height));
}
return res;
}
public int hist(int[] height) {
int res = 0;
Stack<Integer> stack = new Stack<>();
for (int i = 0; i < height.length; i++) {
while (!stack.isEmpty() && height[i] <= height[stack.peek()]) {
int h = height[stack.pop()];
int w = stack.isEmpty() ? i : i - stack.peek() - 1;
res = Math.max(res, h * w);
}
stack.push(i);
}
return res;
}
}