Problem Description
You are given an m x n matrix board containing letters 'X' and 'O', capture regions that are surrounded. A cell is connected to adjacent cells horizontally or vertically. To capture a surrounded region, replace all 'O's with 'X's in-place within the original board.
Key Insights
- A region of 'O's is considered surrounded if it has no path to the edge of the board.
- The 'O's that are connected to the edge of the board cannot be surrounded.
- We can use Depth-First Search (DFS) or Breadth-First Search (BFS) to traverse and mark the 'O's that are not surrounded.
Space and Time Complexity
Time Complexity: O(m * n) - where m is the number of rows and n is the number of columns in the board because we may need to traverse every cell. Space Complexity: O(m * n) - for recursion stack in the DFS approach or O(min(m, n)) for BFS using queue.
Solution
To solve the problem, we can use a DFS approach. We will traverse the board and start from the 'O's located on the edges, marking them as safe (a temporary marker like 'E'). After marking, we will traverse the board again to convert all unmarked 'O's to 'X's, and finally change the marked 'E's back to 'O's. This ensures that only the 'O's that are fully surrounded by 'X's are converted.