Problem Description
Given a m * n matrix of ones and zeros, return how many square submatrices have all ones.
Key Insights
- A square submatrix is defined by its top-left corner and its size.
- The number of square submatrices that can be formed depends on the minimum size of square submatrices that can be formed at each position in the matrix.
- Dynamic programming can be used to keep track of the size of the largest square submatrix that can end at each position.
Space and Time Complexity
Time Complexity: O(m * n)
Space Complexity: O(m * n)
Solution
To solve the problem, we can use a dynamic programming approach. We will maintain a DP table where each entry dp[i][j]
represents the size of the largest square submatrix that has its bottom-right corner at position (i, j)
.
- Initialize a DP table of the same size as the input matrix, filled with zeros.
- Iterate through each cell in the matrix:
- If the cell contains a
1
, updatedp[i][j]
to be the minimum of the values from the left, top, and top-left diagonal cells plus one. - If the cell contains a
0
, thendp[i][j]
remains0
.
- If the cell contains a
- The value in
dp[i][j]
will give the size of the largest square that can be formed at that position, and we can accumulate these values to get the total count of all square submatrices.