-
Notifications
You must be signed in to change notification settings - Fork 16
/
Copy pathFloodFill.java
25 lines (23 loc) · 1.01 KB
/
FloodFill.java
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
public class FloodFill {
private int[][] image;
private int height;
private int width;
public int[][] floodFill(int[][] image, int sr, int sc, int newColor) {
this.image = image;
height = image.length;
width = image[0].length;
if (image[sr][sc] != newColor) {
colorPixel(sr, sc, image[sr][sc], newColor);
}
return image;
}
private void colorPixel(int row, int col, int oldColor, int newColor) {
if (image[row][col] != newColor) {
image[row][col] = newColor;
if (row - 1 >= 0 && image[row - 1][col] == oldColor) colorPixel(row - 1, col, oldColor, newColor);
if (col + 1 < width && image[row][col + 1] == oldColor) colorPixel(row, col + 1, oldColor, newColor);
if (row + 1 < height && image[row + 1][col] == oldColor) colorPixel(row + 1, col, oldColor, newColor);
if (col - 1 >= 0 && image[row][col - 1] == oldColor) colorPixel(row, col - 1, oldColor, newColor);
}
}
}