flood fill : graph
๋ฌธ์
image์ flood๊ฐ ์์๋ ๊ทผ์์ง์ r,c๊ทธ๋ฆฌ๊ณ ์ด๋ค ์์ผ๋ก ์น ํด์ ธ์ผ ํ๋์ง์ ๋ํ color๊ฐ ์ฃผ์ด์ง๋ค. ์ธ์ ํ ๋์๋จ๋ถ ๋ฐฉํฅ์ผ๋ก ๊ทธ๋ฆผ์ ์ฑ์ธ ์ ์์ผ๋ฉฐ, ๊ทผ์์ง์ ๋์ผํ ์์ ๊ฐ์ง ํฝ์ ๋ค๋ง ์๋ก์ด ์์ผ๋ก ์น ํด์ง๋ค.
ํ์ด
๊ธฐ๋ณธ ์ ์ธ bfs๋ก ํ์๋ค.
class Solution:
def floodFill(self, image: List[List[int]], sr: int, sc: int, color: int) -> List[List[int]]:
colored_img = image
nrow = len(image)
ncol = len(image[0])
visited = [[False]*ncol for _ in range(nrow)]
org_color = image[sr][sc]
dr = [-1,1,0,0]
dc = [0,0,1,-1]
queue = deque()
queue.append((sr,sc))
visited[sr][sc] = True
colored_img[sr][sc] = color
def isValid(r, c):
if 0<=r<nrow and 0<=c<ncol and image[r][c] == org_color :
return True
else: return False
while queue:
cur_r, cur_c = queue.popleft()
for i in range(4):
next_r = cur_r + dr[i]
next_c = cur_c + dc[i]
if isValid(next_r, next_c):
if not visited[next_r][next_c]:
queue.append((next_r, next_c))
visited[next_r][next_c] = True
colored_img[next_r][next_c] = color
return colored_img
Leave a comment