forked from ShyrenMore/InterviewPrep
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathflood_fill.cpp
43 lines (38 loc) · 1.34 KB
/
flood_fill.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
#include <vector>
#include <queue>
#include <iostream>
using namespace std;
class Solution
{
private:
void dfs(int row, int col, vector<vector<int>> &image, int newColor, int delta_row[], int delta_col[], int initialColor)
{
int n = image.size();
int m = image[0].size();
image[row][col] = newColor;
for (int i = 0; i < 4; i++)
{
int neighbour_row = row + delta_row[i];
int neighbour_col = col + delta_col[i];
// for each neighbour check boundary
if (neighbour_row >= 0 && neighbour_row < n and neighbour_col >= 0 && neighbour_col < m)
{
// check for same color and prev visited
if (image[neighbour_row][neighbour_col] == initialColor && image[neighbour_row][neighbour_col] != newColor)
{
dfs(neighbour_row, neighbour_col, image, newColor, delta_row, delta_col, initialColor);
}
}
}
}
public:
vector<vector<int>> floodFill(vector<vector<int>> &image, int sr, int sc, int color)
{
int initialColor = image[sr][sc];
// visiting up, down, left, right
int deltarow[] = {-1, 0, 1, 0};
int deltacol[] = {0, 1, 0, -1};
dfs(sr, sc, image, color, deltarow, deltacol, initialColor);
return image;
}
};