221. Maximal Square - Detailed Explanation

Free Coding Questions Catalog
Boost your coding skills with our essential coding questions catalog. Take a step towards a better tech career now!

Problem Statement

Given an m \times n binary matrix filled with '0's and '1's, find the largest square containing only 1's and return its area. In other words, you need to determine the side length of the biggest possible square made up entirely of 1's in the matrix, then return the area of that square (side length squared).

Example 1:
Input: matrix = [["1","0","1","0","0"],["1","0","1","1","1"],["1","1","1","1","1"],["1","0","0","1","0"]]
Output: 4
Explanation: In the above matrix, the largest square of 1's has a side length of 2 (for example, the 2x2 block of 1's in the center of the matrix). The area of this square is 2^2 = 4. (There are actually two such 2x2 squares in this matrix, but the area is the same.)

Example 2:
Input: matrix = [["0","1"],["1","0"]]
Output: 1
Explanation: The 1's in the matrix are isolated, so the largest square containing only 1's is just a single cell (side length 1). The area of this square is 1^2 = 1.

Example 3:
Input: matrix = [["0"]]
Output: 0
Explanation: The matrix has no 1's at all, so it is not possible to form any square of 1's. The largest square area is 0 in this case.

Constraints:

  • m == matrix.length
  • n == matrix[i].length
  • 1 \leq m, n \leq 300
  • matrix[i][j] is '0' or '1' .

Hints

  • Brute force thinking: How would you check if a square of a given size exists in the matrix? You might try every possible top-left position and size. This is a valid approach, but think about how many squares you would have to check as the matrix grows larger. Is there a way to cut down on redundant checks?

  • Reuse previous calculations: If you know that a certain smaller square is all 1's, how can that information help you determine if a larger square is all 1's? Consider the properties of a square (all sides equal) and how a larger square contains smaller squares within it.

  • Dynamic programming hint: Try to formulate the problem in terms of smaller subproblems. For example, can you define a state that represents the size of the largest square ending at a particular cell? How would this state relate to its neighboring states? If a cell is 0, what does that tell you about any square ending at that cell?

Multiple Approaches

Brute Force Approach

Idea: The brute force solution involves checking every possible square submatrix in the given matrix and seeing if it contains all 1's. We can do this by iterating over each cell as a potential top-left corner of a square and then trying larger and larger squares from that position until we either encounter a 0 or run out of bounds. We keep track of the largest square found.

Method:

  1. Loop over every cell (i, j) in the matrix as a potential top-left corner of a square.

  2. For each such starting cell, if the cell value is 1, attempt to form larger squares with that cell as the top-left corner. Start with size 1 (just the cell itself, which is a 1x1 square).

  3. Gradually increase the size of the square (to 2x2, 3x3, etc.) as long as the square stays within the matrix bounds. For each new size k, you need to check the new rightmost column and bottommost row of the kxk square to ensure all those cells are 1 (since the smaller square of size k-1 was already verified in the previous step). If any cell in the expanded boundary is 0, the square of size k is not all 1's, and you should stop expanding from this starting position.

  4. Keep track of the largest square size found. In the end, square that size to get the area.

This approach is straightforward but not very efficient. In the worst case (e.g., a matrix full of 1's), you might end up checking a huge number of possible squares. The time complexity can go up to about O((m \times n)^2) (on the order of N^4 if the matrix is N \times N) because for each cell you might check many squares, and verifying each square can take up to O(k^2) time for a square of side k. The space complexity is O(1) extra, since we are only using a few counters and flags for checking.

Brute Force Python Implementation

Python3
Python3

. . . .

Brute Force Java Implementation:
Below is a Java implementation of the brute force method. It uses a loop to expand the square size and only checks the newly added row and column at each step (to avoid re-checking the entire square from scratch every time). This optimization improves the constant factors but the worst-case order of growth is still the same.

Java
Java

. . . .

Complexity Analysis: The brute force approach runs in O( (m \times n)^2 ) time in the worst case. If the matrix is mostly filled with 1's, we end up checking many possible squares for each starting position. For a 300x300 matrix (worst-case dimensions per constraints), this approach could involve on the order of billions of cell checks, which is highly inefficient. The space complexity is O(1) extra since we only use a few loop variables and flags.

Optimized Approach (Dynamic Programming)

Idea: We can significantly optimize the search by using dynamic programming (DP) to avoid rechecking overlapping areas. The key observation is that a square of side length > 1 is formed by smaller squares. In particular, a cell can be the bottom-right corner of a larger square of 1's if and only if all three of its neighboring cells (above, left, and above-left diagonal) are also the bottom-right corners of smaller squares of 1's. If any of those neighbors has a smaller "all-1 square" ending there, it limits the size of the square at the current cell.

DP Definition: Let dp[i][j] represent the side length of the largest square of 1's ending at cell (i, j) (with (i, j) as the bottom-right corner of that square). If the cell matrix[i][j] itself is 0, then it cannot be part of any 1-filled square larger than 0, so dp[i][j] = 0. If matrix[i][j] is 1, then:

dp[i][j] = min(dp[i-1][j], dp[i][j-1], dp[i-1][j-1]) + 1

(where indices outside the matrix are considered to have dp = 0) . In other words, the size of the largest square ending at (i,j) is one plus the minimum of the largest square sizes ending directly above, directly to the left, and diagonally above-left. This makes sense because a square can only be as large as the smallest of those three neighboring squares. If any one of those neighbors has a small square (or a 0) at its end, it imposes a limit on how big a square can end at (i,j).

DP Algorithm:

  1. Initialize a DP table of the same size as the matrix (or you can use the matrix itself for in-place DP if you convert it to numeric values). You can initialize the first row and first column of dp as the same as the matrix's first row and column (since any cell in the first row or first column can only form a square of size 1 at most, if it is 1).

  2. Iterate through the matrix from top-left to bottom-right. For each cell (i, j):

    • If matrix[i][j] == '0', then set dp[i][j] = 0 (no square ends here).
    • If matrix[i][j] == '1':
      • If i == 0 or j == 0 (first row or first column), set dp[i][j] = 1 (the cell itself forms a 1x1 square).
      • Otherwise, use the transition: dp[i][j] = min(dp[i-1][j], dp[i][j-1], dp[i-1][j-1]) + 1.
    • Update a variable tracking the maximum square side length found so far.
  3. After filling the DP table, the largest square side found squared will be the answer (area of the largest square).

Using this method, each cell is processed in O(1) time (just a few comparisons and a min calculation), and we do this for all m*n cells. The overall time complexity is O(m * n), and the space complexity is O(m * n) for the DP table (which is at most 300x300 = 90,000 entries, easily manageable). We can further optimize space to O(n) by reusing a single row (explained shortly), but let's first look at a clear 2D DP implementation.

Dynamic Programming Python Implementation:

Python3
Python3

. . . .

Dynamic Programming Java Implementation:

Java
Java

. . . .

Space Optimization: The above DP solution uses a 2D table of the same size as the input matrix. We can optimize this because to compute dp[i][j], we only need the values from the previous row (i-1) and the current row (i) as we build it up, not the entire table. One common optimization is to use a one-dimensional array that keeps track of the current row's DP values and update it as we move along, using an additional variable to store the value from the previous row (the diagonal-up value) . This reduces space complexity to O(n). However, the implementation is a bit trickier (you have to be careful to update in the correct order and use a temporary variable for the diagonal value). For clarity, the 2D approach above is easier to understand, but in a real interview or competition, you might mention this optimization if asked about space usage.

Complexity Analysis: The dynamic programming approach runs in O(m * n) time and uses O(m * n) space in the basic implementation . Given the problem constraints, a 300x300 matrix would require at most 90,000 operations, which is very efficient. The optimized space version runs in O(m * n) time and O(n) space. In practical terms, both will run quickly for the given input size. This is a huge improvement over the brute force method.

Step-by-Step Walkthrough

Let's walk through an example to see how the dynamic programming solution works in detail. Consider Example 1's matrix:

matrix = 
1 0 1 0 0
1 0 1 1 1
1 1 1 1 1
1 0 0 1 0

We will construct the dp table that represents the largest square ending at each position. Initially, we start with all zeros in dp. We iterate through each cell:

  • Row 0:

    • matrix[0][0] = 1 ⇒ this is the first row/col, so dp[0][0] = 1.
    • matrix[0][1] = 0dp[0][1] = 0 (no square can end at a 0).
    • matrix[0][2] = 1 ⇒ first row, so dp[0][2] = 1.
    • matrix[0][3] = 0dp[0][3] = 0.
    • matrix[0][4] = 0dp[0][4] = 0.
      After first row, dp[0] looks like: [1, 0, 1, 0, 0] and current max square side = 1.
  • Row 1:

    • matrix[1][0] = 1 ⇒ first column, so dp[1][0] = 1.
    • matrix[1][1] = 0dp[1][1] = 0.
    • matrix[1][2] = 1 ⇒ neighbors (up: dp[0][2]=1, left: dp[1][1]=0, up-left: dp[0][1]=0) have a minimum of 0, so dp[1][2] = 0 + 1 = 1.
    • matrix[1][3] = 1 ⇒ neighbors (up: dp[0][3]=0, left: dp[1][2]=1, up-left: dp[0][2]=1) min is 0, so dp[1][3] = 0 + 1 = 1.
    • matrix[1][4] = 1 ⇒ neighbors (up: dp[0][4]=0, left: dp[1][3]=1, up-left: dp[0][3]=0) min is 0, so dp[1][4] = 0 + 1 = 1.
      After second row, dp[1] is: [1, 0, 1, 1, 1] (max side still 1 so far).
  • Row 2:

    • matrix[2][0] = 1 ⇒ first column, dp[2][0] = 1.
    • matrix[2][1] = 1 ⇒ neighbors (up: dp[1][1]=0, left: dp[2][0]=1, up-left: dp[1][0]=1) min is 0, so dp[2][1] = 0 + 1 = 1.
    • matrix[2][2] = 1 ⇒ neighbors (up: dp[1][2]=1, left: dp[2][1]=1, up-left: dp[1][1]=0) min is 0, so dp[2][2] = 0 + 1 = 1.
    • matrix[2][3] = 1 ⇒ neighbors (up: dp[1][3]=1, left: dp[2][2]=1, up-left: dp[1][2]=1) min is 1, so dp[2][3] = 1 + 1 = 2. Now we found a square of side 2 ending at cell (2,3).
    • matrix[2][4] = 1 ⇒ neighbors (up: dp[1][4]=1, left: dp[2][3]=2, up-left: dp[1][3]=1) min is 1, so dp[2][4] = 1 + 1 = 2. Another square of side 2 ends at (2,4).
      After third row, dp[2] is: [1, 1, 1, 2, 2]. The max square side length is now 2.
  • Row 3:

    • matrix[3][0] = 1 ⇒ first column, dp[3][0] = 1.
    • matrix[3][1] = 0dp[3][1] = 0.
    • matrix[3][2] = 0dp[3][2] = 0.
    • matrix[3][3] = 1 ⇒ neighbors (up: dp[2][3]=2, left: dp[3][2]=0, up-left: dp[2][2]=1) min is 0 (left neighbor is 0), so dp[3][3] = 0 + 1 = 1.
    • matrix[3][4] = 0dp[3][4] = 0.
      Fourth row dp[3]: [1, 0, 0, 1, 0]. Max side remains 2.

The final DP table (each entry representing the largest square side ending at that cell) looks like:

dp =
1 0 1 0 0
1 0 1 1 1
1 1 1 2 2
1 0 0 1 0

From this table, we see the largest value is 2, which corresponds to a 2x2 square of 1's. Squaring that gives area = 4, which matches the expected output. The cells with value 2 in the DP table indicate the bottom-right corners of the largest squares. Visual representation of Example 1: the red and green outlines highlight two possible largest 2x2 squares of 1's in the matrix. Each has area 4, which is the maximal square area for this matrix.

The dynamic programming approach efficiently computes these values in one pass through the matrix. Notice how each dp cell was computed using the three neighboring dp values, which were themselves computed earlier (since we go row by row). This overlapping of subproblems is what makes the DP solution much faster than brute force – we never re-check a region of the matrix more than once. Each cell's contribution is recorded and reused.

Common Mistakes & Edge Cases

Common Pitfalls:

  • Forgetting to square the result: The question asks for the area of the largest square, not the side length. A common mistake is to return the side length by accident. Make sure to return maxSide * maxSide at the end.

  • Off-by-one errors in DP indices: When implementing the DP solution, be careful with indices, especially if you use a padded DP array or if you update in place. It's easy to mix up dp[i-1][j] vs dp[i][j-1] or go out of bounds. A typical trick is to create a DP table of size (m+1) x (n+1) with an extra top row and left column of zeros to avoid having to do boundary checks on each. If you do this, remember that your dp indices are offset by one from the matrix indices.

  • Wrong data type comparisons: In many languages (like Java and Python on LeetCode), the matrix is given as a grid of characters '0' and '1' (not integers 0 and 1). Ensure you compare them as characters or convert to int appropriately. For example, in Java, use matrix[i][j] == '1' not == 1. In Python, if the input is a list of strings, you might be comparing string characters. This mistake can lead to logic errors or always false comparison.

  • Not initializing the answer correctly: If the matrix has no 1 at all, the largest square area should be 0. Make sure your algorithm handles the case where you never find any 1's. In our DP solution, maxSide stays 0 if no 1 is found, and we return 0 (which is correct). In the brute force approach, we initialized maxSide = 0 and only update it when a 1 is found, so it also correctly returns 0 for an all-zero matrix. Just double-check that you cover this edge case.

  • Not handling single row or single column matrices: The solution logic actually covers these implicitly, but it's worth noting. If m=1 or n=1, the answer is simply whether there's a 1 in the matrix (area will be 1 if yes, or 0 if no). Our DP handles this because it sets dp[i][j]=1 for any '1' in first row/col. Just be careful not to run min() on neighbors that don't exist. The code above checks i==0 or j==0 to handle edges.

Edge Cases to test:

  • All zeros matrix (e.g. [[0,0],[0,0]]) -> output 0.
  • Matrix with all ones (e.g. a 5x5 of all 1's) -> output would be $5^2 = 25` (the whole matrix is the square).
  • Rectangular matrix (where m \neq n). For example, a 1x5 matrix of 1's should output 1 (since only 1x1 squares can fit in one row). A 3x5 matrix of all 1's should output $3^2=9` (limited by the smaller dimension = 3).
  • A matrix with one large square of 1's surrounded by 0's, versus a matrix with several smaller disjoint squares of 1's. Make sure the algorithm indeed finds the largest one.
  • Single cell matrix: [[ "1" ]] should return 1; [[ "0" ]] returns 0 (covered by Example 3).

This problem of finding a largest all-1 square is a classic dynamic programming scenario. There are a few variations and related problems you might want to explore for further practice:

  • Maximal Rectangle (LeetCode #85, Hard): Instead of the largest square, find the largest rectangle containing only 1's in a binary matrix. This problem is more challenging because the rectangle doesn't have to be a square. It can often be solved by using a histogram approach on each row (treating consecutive 1's in columns as heights). The dynamic programming strategy for squares doesn't directly apply, but it's a related concept.

  • Count Square Submatrices with All Ones (LeetCode #1277, Medium): Rather than just the largest square, this variation asks you to count all square submatrices in the matrix that are filled with 1's. It turns out you can use a very similar DP approach to this problem – in fact, you can reuse the dp table logic from Maximal Square and sum up all the values in the table (because each dp[i][j] value represents the side length of a square, so it contributes that many squares of smaller size.

  • Largest Plus Sign (LeetCode #764, Medium): Find the largest "plus" shape (cross of 1's) in a grid. This is a different shape (not a square), but it also uses dynamic programming from four directions to compute the longest arms of consecutive 1's at each. It’s a twist on finding contiguous 1's in different orientations.

  • Maximal Square II (Variation): A twist on the maximal square problem where you are allowed to have at most one 0 inside the square. In other words, find the largest square submatrix that contains almost all 1's except for at most one cell. This is a more advanced variation that would require modifying the DP state to account for the one allowed (it becomes a 3D DP or a two-layer DP: one for squares with no zeros, one for squares with one zero).

TAGS
leetcode
CONTRIBUTOR
Design Gurus Team
-

GET YOUR FREE

Coding Questions Catalog

Design Gurus Newsletter - Latest from our Blog
Boost your coding skills with our essential coding questions catalog.
Take a step towards a better tech career now!
Explore Answers
How do you implement asynchronous communication in microservices?
How to find all occurrences of a key in nested dictionaries and lists?
How to handle a system design interview?
Related Courses
Image
Grokking the Coding Interview: Patterns for Coding Questions
Grokking the Coding Interview Patterns in Java, Python, JS, C++, C#, and Go. The most comprehensive course with 476 Lessons.
Image
Grokking Modern AI Fundamentals
Master the fundamentals of AI today to lead the tech revolution of tomorrow.
Image
Grokking Data Structures & Algorithms for Coding Interviews
Unlock Coding Interview Success: Dive Deep into Data Structures and Algorithms.
Image
One-Stop Portal For Tech Interviews.
Copyright © 2025 Design Gurus, LLC. All rights reserved.
;