Problem Description
You are given an m x n binary matrix grid, where 0 represents a sea cell and 1 represents a land cell. A move consists of walking from one land cell to another adjacent (4-directionally) land cell or walking off the boundary of the grid. Return the number of land cells in grid for which we cannot walk off the boundary of the grid in any number of moves.
Key Insights
- The problem can be solved using Depth-First Search (DFS) or Breadth-First Search (BFS) to explore connected land cells.
- Land cells that are on the boundary or can reach the boundary are not counted as enclaves.
- We can traverse the grid starting from the boundary land cells and mark all reachable land cells.
- The remaining unmarked land cells are the enclaves.
Space and Time Complexity
Time Complexity: O(m * n)
Space Complexity: O(m * n) for the visited array or the recursion stack in DFS.
Solution
To solve the problem, we can use a graph traversal algorithm like DFS or BFS. The main idea is to traverse the grid from all boundary land cells (1s) and mark all the reachable land cells as visited. After marking, we simply count the number of land cells that remain unvisited, which are the enclaves.
We will use a queue for BFS or a stack for DFS to facilitate the traversal. The grid will be modified in place to mark visited cells to avoid using additional space for a separate visited structure.