Problem Description
Given a 2D grid consisting of 0s (land) and 1s (water). An island is a maximal 4-directionally connected group of 0s and a closed island is an island totally surrounded by 1s. Return the number of closed islands.
Key Insights
- A closed island is surrounded on all sides by water (1s).
- The task can be approached using Depth-First Search (DFS) or Breadth-First Search (BFS) to explore the grid.
- We need to mark visited land cells to avoid counting them multiple times.
- Any land cell that touches the boundary of the grid cannot be part of a closed island.
Space and Time Complexity
Time Complexity: O(N * M), where N is the number of rows and M is the number of columns in the grid. We potentially visit each cell once.
Space Complexity: O(N * M) in the worst case for the recursion stack in DFS or the queue in BFS, plus O(1) if we modify the grid in place.
Solution
The problem can be solved using Depth-First Search (DFS). We will iterate through each cell in the grid. When we find a land cell (0), we will check if it forms a closed island by performing a DFS. If during our DFS we reach the boundary of the grid, we know that the island is not closed. Otherwise, we increment our count of closed islands.