카테고리 없음

[백준/python] 13549번 숨바꼭질 풀이

happy_life 2023. 3. 1. 16:39

이번 포스팅에서는 13549번 숨바꼭질을 풀어보겠습니다. 이 포스팅에서는 정답풀이와 오답풀이의 차이점을 기준으로 문제를 해결해보겠습니다.

 

문제

수빈이는 동생과 숨바꼭질을 하고 있다. 수빈이는 현재 점 N(0 ≤ N ≤ 100,000)에 있고, 동생은 점 K(0 ≤ K ≤ 100,000)에 있다. 수빈이는 걷거나 순간이동을 할 수 있다. 만약, 수빈이의 위치가 X일 때 걷는다면 1초 후에 X-1 또는 X+1로 이동하게 된다. 순간이동을 하는 경우에는 0초 후에 2*X의 위치로 이동하게 된다.

수빈이와 동생의 위치가 주어졌을 때, 수빈이가 동생을 찾을 수 있는 가장 빠른 시간이 몇 초 후인지 구하는 프로그램을 작성하시오.

입력

첫 번째 줄에 수빈이가 있는 위치 N과 동생이 있는 위치 K가 주어진다. N과 K는 정수이다.

 

 

정답 풀이

import sys
from collections import deque
si = sys.stdin.readline
N, K = map(int, si().split())
visited = [sys.maxsize for _ in range(10**5 + 1)]

def bfs():
    q = deque()
    q.append([N, 0])
    visited[N] = 1

    while q:
        current, cnt = q.popleft()
        
        if current == K:
            print(cnt)
            return

        if 0 < current * 2 <= 10 ** 5 and visited[current * 2] == 0:
            q.appendleft([current * 2, cnt])
            visited[current * 2] = 1 # 방문처리

        if 0 < current + 1 <= 10 ** 5 and visited[current + 1] == 0:
            q.append([current + 1, cnt + 1])
            visited[current + 1] = 1 # 방문처리

        if 0 < current - 1 <= 10 ** 5 and visited[current - 1] == 0:
            q.append([current- 1, cnt + 1])
            visited[current - 1] = 1 # 방문처리 
        
    return

bfs()

 

오답풀이

import sys
from collections import deque
si = sys.stdin.readline
N, K = map(int, si().split())
visited = [sys.maxsize for _ in range(10**5 + 1)]

def bfs():
    q = deque()
    q.append([N, 0])
    visited[N] = 1

    while q:
        current, cnt = q.popleft()
        
        if current == K:
            print(cnt)
            return

        if 0 < current + 1 <= 10 ** 5 and visited[current + 1] == 0:
            q.append([current + 1, cnt + 1])
            visited[current + 1] = 1 # 방문처리

        if 0 < current * 2 <= 10 ** 5 and visited[current * 2] == 0:
            q.appendleft([current * 2, cnt])
            visited[current *2] = 1 # 방문처리

        if 0 < current - 1 <= 10 ** 5 and visited[current - 1] == 0:
            q.append([current- 1, cnt + 1])
            visited[current - 1] = 1 # 방문처리 
        
    return

bfs()

 

 

이유: 0-1 bfs이므로 *2하는 것이 가장 먼저 들어가야 합니다. 따라서 if문도 제일 위에 작성되어야 합니다.

반례 (1, 2)