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