Problem Description
You are given an m x n binary grid, where each 1 represents a brick and 0 represents an empty space. A brick is stable if it is directly connected to the top of the grid, or at least one other brick in its four adjacent cells is stable. You are also given an array hits, which is a sequence of erasures we want to apply. Each time we want to erase the brick at the location hits[i] = (row_i, col_i). The brick on that location (if it exists) will disappear. Some other bricks may no longer be stable because of that erasure and will fall. Return an array result, where each result[i] is the number of bricks that will fall after the i-th erasure is applied.
Key Insights
- A brick can fall if it is not stable after a hit.
- Stability depends on connectivity to the top or adjacent stable bricks.
- The problem can be effectively handled using a Union-Find data structure for tracking stable bricks.
Space and Time Complexity
Time Complexity: O(hits.length * (m * n + α)) where α is the inverse Ackermann function, which is nearly constant for practical input sizes. Space Complexity: O(m * n) for the Union-Find structure and the grid.
Solution
To solve this problem, we can use the Union-Find (Disjoint Set Union) data structure to keep track of connected components of bricks. The plan is as follows:
- Reverse Hits: Start by initializing the grid and applying the hits in reverse order. This allows us to rebuild the grid and check the stability of bricks after each "hit".
- Union-Find Initialization: Create a Union-Find structure to manage which bricks are connected. Each brick will be connected to its adjacent bricks if they are stable.
- Stability Check: After each hit is "reversed", check which bricks are stable by connecting them to the top row or to other stable bricks.
- Count Falling Bricks: For each hit, after updating the stability, count how many bricks fall due to the current state of the grid.