728x90
https://www.acmicpc.net/problem/13549
13549번: 숨바꼭질 3
수빈이는 동생과 숨바꼭질을 하고 있다. 수빈이는 현재 점 N(0 ≤ N ≤ 100,000)에 있고, 동생은 점 K(0 ≤ K ≤ 100,000)에 있다. 수빈이는 걷거나 순간이동을 할 수 있다. 만약, 수빈이의 위치가 X일 때
www.acmicpc.net
걸을 때는 가중치가 1, 순간이동 할 때는 가중치가 0인 트리 구조로 생각하고 다익스트라 알고리즘을 통해 풀면 쉽게 풀 수 있습니다.
import heapq
def solution(N, K):
# 다익스트라
min_time = dijkstra(N, K)
return min_time
def dijkstra(start, end):
# 최대시간
inf = float('inf')
# 걸리는 시간 리스트
time_list = [inf for _ in range(100001)]
time_list[start] = 0
# 큐
queue = [[0, start]]
while True:
# 큐가 비면 끝
if not queue:
return time_list[end]
# 현재 시간, 위치
time, idx = heapq.heappop(queue)
# 현재 시간이 시간 리스트의 시간보다 크면 패스
if time > time_list[idx]:
continue
# 걷기
# 인덱스 범위 내에 있을 때
if idx > 0:
# 뒤로
if time+1 < time_list[idx-1]:
# 시간 리스트 최신화
time_list[idx-1] = time+1
# 큐에 추가
heapq.heappush(queue, [time+1, idx-1])
if idx < 100000:
# 앞으로
if time+1 < time_list[idx+1]:
# 시간 리스트 최신화
time_list[idx+1] = time+1
# 큐에 추가
heapq.heappush(queue, [time+1, idx+1])
# 순간이동
# 인덱스 범위 내에 있을 때
if idx <= 50000 and idx > 0:
if time < time_list[idx*2]:
# 시간 리스트 최신화
time_list[idx*2] = time
# 큐에 추가
heapq.heappush(queue, [time, idx*2])
N, K = map(int, input().split())
print(solution(N, K))
728x90
'Coding Test > BaekJoon_Python' 카테고리의 다른 글
백준 11404 <플로이드> Python (2) | 2023.12.10 |
---|---|
백준 11657 <타임머신> Python (1) | 2023.12.08 |
백준 1167 <트리의 지름> Python (0) | 2023.12.06 |
백준 17298 <오큰수> Python (1) | 2023.12.05 |
백준 11066 <파일 합치기> Python (1) | 2023.12.04 |