BFS는 모든 가중치가 1일때, 최단거리를 구하는 알고리즘
가중치가 1이 아니면 Dijkstra 알고리즘
from collections import deque
MAX = 200001
n, m = map(int, input().split())
checked = [0 for _ in range(MAX)]
dist = [0 for _ in range(MAX)]
q = deque()
q.append(n)
checked[n] = True
while q:
curr = q.popleft()
for next in [curr+1, curr-1, curr*2]:
if 0 <= next < MAX and checked[next] == False:
checked[next] = True
dist[next] = dist[curr] + 1
q.append(next)
print(dist[m])
from collections import deque
MAX = 200001
n, m = map(int, input().split())
checked = [0]*MAX
dist = [0]*MAX
f = [0]*MAX
q = deque()
q.append(n)
checked[n] = True
# dist[next] 가 최소인 놈
while q:
curr = q.popleft()
for next in [curr+1, curr-1, curr*2]:
if 0 <= next < MAX and checked[next] == False:
q.append(next)
checked[next] = True
dist[next] = dist[curr] + 1
f[next] = curr
history = []
i = m
history.append(str(m))
while i != n:
i = f[i]
history.append(str(i))
print(dist[m])
print(" ".join(reversed(history)))
기억할 것)