130. Surrounded Regions

Problem:

Given a 2D board containing 'X' and 'O' (the letter O), capture all regions surrounded by 'X'.

A region is captured by flipping all 'O's into 'X's in that surrounded region.

Example:

X X X X
X O O X
X X O X
X O X X

After running your function, the board should be:

X X X X
X X X X
X X X X
X O X X

Explanation:

Surrounded regions shouldn’t be on the border, which means that any 'O' on the border of the board are not flipped to 'X'. Any 'O' that is not on the border and it is not connected to an 'O' on the border will be flipped to 'X'. Two cells are connected if they are adjacent cells connected horizontally or vertically.

Solutions:

class Solution {
public:
    void solve(vector<vector<char>>& board) {
        int m = board.size();
        if (m == 0) return;
        int n = board[0].size();
        if (n == 0) return;

        vector<vector<bool>> visited(m, vector<bool> (n, false));

        for (int i = 0; i < m; ++i) {
            dfs(board, i, 0, visited);
            dfs(board, i, n - 1, visited);
        }

        for (int j = 0; j < n; ++j) {
            dfs(board, 0, j, visited);
            dfs(board, m - 1, j, visited);
        }

        for (int i = 1; i < m - 1; ++i) {
            for (int j = 1; j < n - 1; ++j) {
                if (board[i][j] == 'O' && !visited[i][j]) {
                    board[i][j] = 'X';
                }
            }
        }
    }

    void dfs(vector<vector<char>>& board, int row, int col, vector<vector<bool>>& visited) {
        int m = board.size();
        int n = board[0].size();
        if (row < 0 || row >= m || col < 0 || col >= n || board[row][col] == 'X' || visited[row][col])    return;
        visited[row][col] = true;
        dfs(board, row + 1, col, visited);
        dfs(board, row - 1, col, visited);
        dfs(board, row, col - 1, visited);
        dfs(board, row, col + 1, visited);
    }
};

results matching ""

    No results matching ""