https://www.acmicpc.net/problem/1446
문제
매일 아침, 세준이는 학교에 가기 위해서 차를 타고 D킬로미터 길이의 고속도로를 지난다. 이 고속도로는 심각하게 커브가 많아서 정말 운전하기도 힘들다. 어느 날, 세준이는 이 고속도로에 지름길이 존재한다는 것을 알게 되었다. 모든 지름길은 일방통행이고, 고속도로를 역주행할 수는 없다.
세준이가 운전해야 하는 거리의 최솟값을 출력하시오.
입력
첫째 줄에 지름길의 개수 N과 고속도로의 길이 D가 주어진다. N은 12 이하인 양의 정수이고, D는 10,000보다 작거나 같은 자연수이다. 다음 N개의 줄에 지름길의 시작 위치, 도착 위치, 지름길의 길이가 주어진다. 모든 위치와 길이는 10,000보다 작거나 같은 음이 아닌 정수이다. 지름길의 시작 위치는 도착 위치보다 작다.
출력
세준이가 운전해야하는 거리의 최솟값을 출력하시오.
DP
import sys
input = sys.stdin.readline
N, D = map(int, input().split())
dp = [float('inf')] * (D + 1)
dp[0] = 0
shortcuts = []
for _ in range(N):
start, end, cost = map(int, input().split())
if end <= D:
shortcuts.append((start, end, cost))
shortcuts.sort(key=lambda x: x[1])
for i in range(1, D + 1):
dp[i] = min(dp[i], dp[i - 1] + 1)
for start, end, cost in shortcuts:
if end == i and dp[start] + cost < dp[end]:
dp[end] = dp[start] + cost
print(dp[D])
Dijkstra
import sys
input = sys.stdin.readline
import heapq
def dijkstra(start):
q = []
heapq.heappush(q, (0, start))
distance[start] = 0
while q:
now_cost, now_node = heapq.heappop(q)
if distance[now_node] < now_cost: continue
for next_node, next_cost in graph[now_node]:
next_cost = now_cost + next_cost
if next_cost < distance[next_node]:
distance[next_node] = next_cost
heapq.heappush(q, (next_cost, next_node))
N, D = map(int, input().split())
graph = [[(i+1, 1)] for i in range(D)]
graph.append([])
distance = [float('inf') for _ in range(D+1)]
for _ in range(N):
start, end, cost = map(int, input().split())
if end > D: continue
graph[start].append((end, cost))
dijkstra(0)
print(distance[D])
'Coding Test > 백준' 카테고리의 다른 글
[백준] / [Python] / [1940] 주몽 (0) | 2024.05.30 |
---|---|
[백준] / [Python] / [3474] 교수가 된 현우 (0) | 2024.05.30 |
[백준] / [Python] / [9655] 돌 게임 (0) | 2024.05.29 |
[백준] / [Python] / [2512] 예산 (0) | 2024.05.29 |
[백준] / [Python] / [2644] 촌수계산 (0) | 2024.05.29 |