4963번: 섬의 개수
입력은 여러 개의 테스트 케이스로 이루어져 있다. 각 테스트 케이스의 첫째 줄에는 지도의 너비 w와 높이 h가 주어진다. w와 h는 50보다 작거나 같은 양의 정수이다. 둘째 줄부터 h개 줄에는 지도
www.acmicpc.net
문제 풀이
import sys
# 이거를 해줘야 하는지 몰랐었다...
sys.setrecursionlimit(50000000)
def dfs(x, y):
    if 0 <= x < h and 0 <= y < w:
        # 만약 섬이면!
        if island_map[x][y] == 1:
            # 방문한 땅은 2로 바꾸고
            island_map[x][y] = 2
            # 상하좌우 대각선 다 방문하면서어디까지가 섬인지 알아보기!
            dfs(x-1, y-1)
            dfs(x-1, y)
            dfs(x-1, y+1)
            dfs(x, y-1)
            dfs(x, y+1)
            dfs(x+1, y-1)
            dfs(x+1, y)
            dfs(x+1, y+1)
while True:
    # 너비와 높이를 입력받는데,
    w, h = map(int, input().split())
    # 둘다 0이라면 반복을 종료하고 프로그램 종료한다.
    if w == 0 and h == 0:
        break
    # 지도를 생성하기 위한 리스트를 생성한다.
    island_map = []
    # 반복문을 통해서 2차원 형태의 리스트를 입력받는다.
    for i in range(h):
        island_map.append(list(map(int, input().split())))
    # 섬이 몇개있는지 세는 변수
    cnt = 0
    # 2차원 리스트를 탐색하려면 당연히 중첩 반복문...
    for i in range(h):
        for j in range(w):
            # 만약 섬이라면...!
            if island_map[i][j] == 1:
                # 어디까지가 섬인지 알아보자! -> 재귀호출
                dfs(i, j)
                cnt += 1
    print(cnt)def bfs(x, y):
    need_visited = []
    step_x = [1, -1, 0, 0, 1, -1, 1, -1]
    step_y = [0, 0, -1, 1, -1, 1, 1, -1]
    island_map[x][y] = 2
    need_visited.append([x, y])
    while need_visited:
        temp_x, temp_y = need_visited.pop(0)
        for step in range(8):
            position_x = temp_x + step_x[step]
            position_y = temp_y + step_y[step]
            if 0 <= position_x < h and 0 <= position_y < w:
                if island_map[position_x][position_y] == 1:
                    island_map[position_x][position_y] = 2
                    need_visited.append([position_x, position_y])
while True:
    w, h = map(int, input().split())
    if w == 0 and h == 0:
        break
    # 2차원 리스트 생성
    island_map = []
    for i in range(h):
        island_map.append(list(map(int, input().split())))
    cnt = 0
    for i in range(h):
        for j in range(w):
            if island_map[i][j] == 1:
                bfs(i, j)
                cnt += 1
    print(cnt)'ALGORITHM > Algorithm 문제풀이' 카테고리의 다른 글
| [문제풀이] 백준 1463번 1로 만들기 (0) | 2022.02.19 | 
|---|---|
| [문제풀이] 백준 2839번 설탕 개수 (0) | 2022.02.19 | 
| [문제풀이] 백준 4673번 셀프 넘버 (0) | 2022.01.27 | 
| [문제풀이] 백준 14713번 앵무새 (0) | 2022.01.22 | 
| [문제풀이] 백준 13335번 트럭 (0) | 2022.01.22 |