-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathsurrounded_regions.cpp
70 lines (59 loc) · 1.92 KB
/
surrounded_regions.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
#include <bits/stdc++.h>
using namespace std;
/*
Link: https://leetcode.com/problems/surrounded-regions/
Video link: https://youtu.be/BtdgAys4yMk
*/
class Solution
{
private:
void dfs(int row, int col, vector<vector<int>> &visited, vector<vector<char>> &board)
{
int n = board.size();
int m = board[0].size();
visited[row][col] = 1;
int delta_row[] = {-1, 0, 1, 0};
int delta_col[] = {0, 1, 0, -1};
for (int i = 0; i < 4; i++)
{
int neighbour_row = row + delta_row[i];
int neighbour_col = col + delta_col[i];
if(neighbour_row >=0 and neighbour_row < n and neighbour_col >= 0 and neighbour_col < m)
{
if(!visited[neighbour_row][neighbour_col] and board[neighbour_row][neighbour_col] == 'O')
dfs(neighbour_row, neighbour_col, visited, board);
}
}
}
public:
void solve(vector<vector<char>> &board)
{
int n = board.size();
int m = board[0].size();
vector<vector<int>> visited(n, vector<int>(m, 0));
// traverse first row, last row
for (int c = 0; c < m; c++)
{
// first row
if(!visited[0][c] and board[0][c] == 'O')
dfs(0, c, visited, board);
if (!visited[n - 1][c] and board[n-1][c] == 'O')
dfs(n-1, c, visited, board);
}
// traverse first col, last col
for (int r = 0; r < n; r++)
{
// first col
if(!visited[r][0] and board[r][0] == 'O')
dfs(r, 0, visited, board);
if (!visited[r][m-1] and board[r][m-1] == 'O')
dfs(r, m-1, visited, board);
}
for (int i = 0; i < n; i++)
for (int j = 0; j < m; j++)
{
if(!visited[i][j] and board[i][j] == 'O')
board[i][j] = 'X';
}
}
};