분류: 다익스트라 /
문제
문제 설명
N개의 숫자로 구분된 각각의 마을에 한 명의 학생이 살고 있다.
어느 날 이 N명의 학생이 X (1 ≤ X ≤ N)번 마을에 모여서 파티를 벌이기로 했다. 이 마을 사이에는 총 M개의 단방향 도로들이 있고 i번째 길을 지나는데 Ti(1 ≤ Ti ≤ 100)의 시간을 소비한다.
각각의 학생들은 파티에 참석하기 위해 걸어가서 다시 그들의 마을로 돌아와야 한다. 하지만 이 학생들은 워낙 게을러서 최단 시간에 오고 가기를 원한다.
이 도로들은 단방향이기 때문에 아마 그들이 오고 가는 길이 다를지도 모른다. N명의 학생들 중 오고 가는데 가장 많은 시간을 소비하는 학생은 누구일지 구하여라.
입력
첫째 줄에 N(1 ≤ N ≤ 1,000), M(1 ≤ M ≤ 10,000), X가 공백으로 구분되어 입력된다. 두 번째 줄부터 M+1번째 줄까지 i번째 도로의 시작점, 끝점, 그리고 이 도로를 지나는데 필요한 소요시간 Ti가 들어온다. 시작점과 끝점이 같은 도로는 없으며, 시작점과 한 도시 A에서 다른 도시 B로 가는 도로의 개수는 최대 1개이다.
모든 학생들은 집에서 X에 갈수 있고, X에서 집으로 돌아올 수 있는 데이터만 입력으로 주어진다.
출력
첫 번째 줄에 N명의 학생들 중 오고 가는데 가장 오래 걸리는 학생의 소요시간을 출력한다.
풀이
- Python
import sys, heapq, math
readline = sys.stdin.readline
N, M, X = map(int, readline().split())
graph = [[] for _ in range(N+1)]
for _ in range(M):
st, en, t = map(int, readline().split())
graph[st].append((en, t))
def dijkstra(start, end):
costs = [math.inf] * (N+1)
costs[start] = 0
heap = []
heapq.heappush(heap, (0, start))
while heap:
cost, node = heapq.heappop(heap)
for adj_node, adj_cost in graph[node]:
if costs[adj_node] > cost + adj_cost:
costs[adj_node] = cost + adj_cost
heapq.heappush(heap, (costs[adj_node], adj_node))
return costs[end]
ans = 0
for node in range(1, N+1):
ans = max(ans, dijkstra(node, X) + dijkstra(X, node))
print(ans)
- C++
#include <iostream>
#include <vector>
#include <queue>
using namespace std;
const int MAX_DIST = 100000;
struct xd {int x, d;};
int N, M, X;
vector<xd> adj[1001];
int dist[1001];
bool cmp(const xd &a, const xd &b) { return a.d > b.d; }
int max(int a, int b) { return a > b ? a : b; }
int dijkstra(int from, int to) {
priority_queue<xd, vector<xd>, decltype(&cmp)> pq(cmp);
for(int i=1; i<=N; i++) dist[i] = MAX_DIST;
dist[from] = 0;
pq.push({from, 0});
while(!pq.empty()) {
const auto [x, d] = pq.top(); pq.pop();
if(d > dist[x]) continue;
for(const auto &[nx, nw] : adj[x]) {
if(dist[nx] <= dist[x] + nw) continue;
dist[nx] = dist[x] + nw;
pq.push({nx, dist[nx]});
}
}
return dist[to];
}
int main() {
ios::sync_with_stdio(0); cin.tie(0);
cin >> N >> M >> X;
while(M--) {
int from, to, w; cin >> from >> to >> w;
adj[from].push_back({to, w});
}
int ans = 0;
for(int start = 1; start <= N; start++)
ans = max(ans, dijkstra(start, X) + dijkstra(X, start));
cout << ans;
}
[백준 - 1753] 최단경로 단순 다익스트라
다익스트라 주의 점: [백준 - 1916] 최소비용 구하기
'Problem Solving > BOJ' 카테고리의 다른 글
[백준 - 6549] 히스토그램에서 가장 큰 직사각형 - C++ (0) | 2023.11.14 |
---|---|
[백준 - 3190] 뱀 - C++ (0) | 2023.11.14 |
[백준 - 14503] 로봇 청소기 - C++ (0) | 2023.11.14 |
[백준 - 16985] Maaaaaaaaaze - C++ (0) | 2023.11.13 |
[백준 - 13335] 트럭 - C++ (0) | 2023.11.12 |