LeetCode 85: Maximal Rectangle Solution in Python Explained
Rectangles in a binary matrix might sound like a geometry puzzle, but LeetCode 85: Maximal Rectangle is a hard-level coding challenge that builds on histogram skills! Given a 2D matrix of 0s and 1s, your task is to find the largest rectangle containing only 1s. In this blog, we’ll solve it with Python, exploring two approaches—Histogram-Based with Stack (our primary, efficient solution) and Brute Force (a simpler alternative). With step-by-step examples, detailed code breakdowns, and tips, you’ll master this problem. Let’s get started!
Problem Statement
In LeetCode 85, you’re given a 2D binary matrix matrix
filled with 0s and 1s. Your goal is to find the area of the largest rectangle containing only 1s. This extends LeetCode 84: Largest Rectangle in Histogram into two dimensions, requiring us to transform rows into histograms.
Constraints
- Rows: 1 <= matrix.length <= 200
- Columns: 1 <= matrix[0].length <= 200
- Values: matrix[i][j] is '0' or '1'
Example
Let’s check some cases:
Input: matrix = [["1","0","1","0","0"],
["1","0","1","1","1"],
["1","1","1","1","1"],
["1","0","0","1","0"]]
Output: 6
Explanation: Largest rectangle is 2 rows by 3 columns of 1s (area = 2 * 3 = 6).
Input: matrix = [["0","1"],
["1","0"]]
Output: 1
Explanation: Largest is a single 1 (area = 1).
Input: matrix = [["1"]]
Output: 1
Explanation: Single 1 (area = 1).
These examples show we’re hunting for the biggest all-1s rectangle.
Understanding the Problem
How do you solve LeetCode 85: Maximal Rectangle in Python? Take matrix = [["1","0","1","0","0"],["1","0","1","1","1"],["1","1","1","1","1"],["1","0","0","1","0"]]
. We need the largest rectangle of 1s, like the 2x3 block (area 6). A brute-force check of all submatrices is slow, so we’ll treat each row as a histogram, building on LeetCode 84. This isn’t a list traversal like LeetCode 83: Remove Duplicates from Sorted List; it’s about 2D geometry. We’ll use:
1. Histogram-Based with Stack: O(mn) time, O(n) space—our best approach.
2. Brute Force: O(m²n²) time, O(1) space—a baseline.
Let’s dive into the primary solution.
Solution 1: Histogram-Based with Stack Approach (Primary)
Explanation
We transform the problem into multiple histogram problems. For each row, build a height array where each element is the number of consecutive 1s above it (including itself), resetting to 0 at 0s. Then, use the stack-based method from LeetCode 84 to find the largest rectangle in each histogram. Track the maximum across all rows.
For the example matrix:
- Row 0: [1,0,1,0,0].
- Row 1: [2,0,2,1,1].
- Row 2: [3,1,3,2,2].
- Row 3: [4,0,0,3,0].
Max area from these histograms is 6.
Step-by-Step Example
Example 1: matrix = [["1","0","1","0","0"],["1","0","1","1","1"],["1","1","1","1","1"],["1","0","0","1","0"]]
Goal: Return 6
.
- Start: heights = [0,0,0,0,0], max_area = 0.
- Row 0: ["1","0","1","0","0"].
- Heights: [1,0,1,0,0].
- Stack calc: Max area = 1 (e.g., height 1, width 1).
- max_area = 1.
- Row 1: ["1","0","1","1","1"].
- Heights: [2,0,2,1,1].
- Stack calc: Max area = 3 (height 1, width 3).
- max_area = 3.
- Row 2: ["1","1","1","1","1"].
- Heights: [3,1,3,2,2].
- Stack calc: Max area = 6 (height 2, width 3).
- max_area = 6.
- Row 3: ["1","0","0","1","0"].
- Heights: [4,0,0,3,0].
- Stack calc: Max area = 4 (height 4, width 1).
- max_area = 6.
- Finish: Return 6.
Example 2: matrix = [["0","1"],["1","0"]]
Goal: Return 1
.
- Start: heights = [0,0], max_area = 0.
- Row 0: ["0","1"].
- Heights: [0,1].
- Max area = 1.
- max_area = 1.
- Row 1: ["1","0"].
- Heights: [1,0].
- Max area = 1.
- max_area = 1.
- Finish: Return 1.
Example 3: matrix = [["1"]]
Goal: Return 1
.
- Start: heights = [0], max_area = 0.
- Row 0: ["1"].
- Heights: [1].
- Max area = 1.
- max_area = 1.
- Finish: Return 1.
How the Code Works (Histogram-Based with Stack) – Detailed Line-by-Line Explanation
Here’s the Python code with a thorough breakdown:
def maximalRectangle(matrix: list[list[str]]) -> int:
# Line 1: Check if matrix is empty
if not matrix or not matrix[0]:
# If matrix is empty (no rows) or first row is empty (no columns), no rectangle possible
return 0
# Line 2: Get dimensions
rows, cols = len(matrix), len(matrix[0])
# rows = number of rows (e.g., 4), cols = number of columns (e.g., 5)
# Line 3: Initialize heights array for histogram
heights = [0] * cols
# Creates an array of zeros with length equal to columns (e.g., [0,0,0,0,0])
# Will track consecutive 1s for each column as we process rows
# Line 4: Initialize max_area to track largest rectangle
max_area = 0
# Starts at 0, will update with the largest area found across all histograms
# Line 5: Iterate through each row of the matrix
for i in range(rows):
# i goes from 0 to rows-1, processing each row (e.g., 0 to 3)
#+ Line 6: Update heights array based on current row
for j in range(cols):
# j goes from 0 to cols-1, updating each column’s height
if matrix[i][j] == "1":
# If current cell is "1", increment height for this column
# e.g., heights[j] = 1 becomes 2 if previous row had a 1 above
heights[j] += 1
else:
# If cell is "0", reset height to 0 (no consecutive 1s)
# e.g., heights[j] = 2 becomes 0
heights[j] = 0
# Line 7: Add sentinels to heights for stack processing
heights_with_sentinels = [0] + heights + [0]
# Prepends and appends 0 (e.g., [0,1,0,1,0,0] for [1,0,1,0,0])
# Ensures all bars are processed by triggering pops at edges
# Line 8: Initialize stack with -1 as left boundary
stack = [-1]
# Stack stores indices in increasing height order, -1 is a sentinel
# Line 9: Process the histogram using stack
for k in range(len(heights_with_sentinels)):
# k iterates over all indices in heights_with_sentinels (e.g., 0 to 6)
# Line 10: While stack has bars and current height is less than top
while stack[-1] != -1 and heights_with_sentinels[stack[-1]] > heights_with_sentinels[k]:
# Checks if stack isn’t just [-1] and top bar is taller than current
# e.g., 2 > 0 triggers a pop
# Line 11: Pop the top index and get its height
h = heights_with_sentinels[stack.pop()]
# Removes top index (e.g., 4 for height 2) and gets height (h = 2)
# This bar can’t extend further right
# Line 12: Calculate width
w = k - stack[-1] - 1
# Width = current index - new top index - 1
# e.g., k = 5, stack[-1] = 2, w = 5 - 2 - 1 = 2
# Line 13: Update max_area if this area is larger
max_area = max(max_area, h * w)
# Area = height * width (e.g., 2 * 3 = 6), updates max_area if bigger
# Line 14: Append current index to stack
stack.append(k)
# Adds current index (e.g., 5) to stack for future pops
# Line 15: Return the largest area found
return max_area
# Returns the maximum area across all row histograms (e.g., 6)
This detailed explanation makes the histogram-to-stack process clear.
Alternative: Brute Force Approach
Explanation
Check every possible rectangle by iterating over all top-left corners, expanding right and down to find all-1s rectangles, and tracking the maximum area. For each cell, count consecutive 1s horizontally and vertically.
For the 4x5 matrix, test all submatrices—slow but straightforward.
Step-by-Step Example (Alternative)
For [["1","0","1","0","0"],["1","0","1","1","1"],["1","1","1","1","1"],["1","0","0","1","0"]]
:
- Cell (2,2): Expand to 2x3 rectangle of 1s, area = 6.
- Other cells: Smaller areas (e.g., 4x1 at (0,0) = 4).
- Finish: Max area = 6.
How the Code Works (Brute Force)
def maximalRectangleBrute(matrix: list[list[str]]) -> int:
if not matrix or not matrix[0]:
return 0
rows, cols = len(matrix), len(matrix[0])
max_area = 0
for i in range(rows):
for j in range(cols):
if matrix[i][j] == "1":
width = 0
while j + width < cols and matrix[i][j + width] == "1":
height = 0
while i + height < rows and all(matrix[i + h][j:j + width + 1] == ["1"] * (width + 1) for h in range(height + 1)):
height += 1
max_area = max(max_area, (width + 1) * height)
width += 1
return max_area
Complexity
- Histogram-Based with Stack:
- Time: O(m*n) – m rows, n cols, O(n) per row.
- Space: O(n) – heights array and stack.
- Brute Force:
- Time: O(m²*n²) – check all rectangles.
- Space: O(1) – no extra space.
Efficiency Notes
Histogram-Based is optimal, leveraging LeetCode 84, while Brute Force is a learning tool—too slow for large inputs.
Key Insights
- Histogram Trick: Reduces 2D to 1D problems.
- Stack Efficiency: O(n) per row.
- Cumulative Heights: Track 1s vertically.
Additional Example
For matrix = [["1","1"],["1","1"]]
:
- Goal: 4.
- Histogram: [2,2], area = 4.
Edge Cases
- Empty Matrix: [] → 0.
- Single Cell: [["1"]] → 1.
- All Zeros: [["0"]] → 0.
Both solutions handle these well.
Final Thoughts
LeetCode 85: Maximal Rectangle in Python is a clever extension of histogram skills. The Histogram-Based with Stack solution is fast and smart, while Brute Force is a clear starting point. Want more? Revisit LeetCode 84 or try LeetCode 80: Remove Duplicates from Sorted Array II for array practice. Ready to practice? Solve LeetCode 85 on LeetCode with the 4x5 matrix and aim for 6
—test your skills now!