733. Flood Fill

答案
An image is represented by an m x n integer grid image where image[i][j] represents the pixel value of the image.

You are also given three integers sr, sc, and newColor. You should perform a flood fill on the image starting from the pixel image[sr][sc].

To perform a flood fill, consider the starting pixel, plus any pixels connected 4-directionally to the starting pixel of the same color as the starting pixel, plus any pixels connected 4-directionally to those pixels (also with the same color), and so on. Replace the color of all of the aforementioned pixels with newColor.

Return the modified image after performing the flood fill.

深度优先搜索。
如果当前像素颜色等于最初的颜色,则变更为新颜色。
然后继续递归四个周围的像素。

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
class Solution { 
public int[][] floodFill(int[][] image, int sr, int sc, int newColor) {
int oldColor = image[sr][sc];
if (oldColor != newColor){
dfs(image,sr,sc,oldColor,newColor);
}

return image;
}

private void dfs(int[][] image, int r, int c, int oldColor, int newColor){
if (image[r][c] == oldColor){
image[r][c] = newColor;

if (r>=1){
dfs(image,r-1,c,oldColor,newColor);
}
if (c>=1){
dfs(image,r,c-1,oldColor,newColor);
}
if (r<image.length-1){
dfs(image,r+1,c,oldColor,newColor);
}
if (c<image[0].length-1){
dfs(image,r,c+1,oldColor,newColor);
}
}
}
}
Author

Xander

Posted on

2022-04-09

Updated on

2022-04-20

Licensed under

Comments