반응형

https://www.acmicpc.net/problem/11779

 

11779번: 최소비용 구하기 2

첫째 줄에 도시의 개수 n(1≤n≤1,000)이 주어지고 둘째 줄에는 버스의 개수 m(1≤m≤100,000)이 주어진다. 그리고 셋째 줄부터 m+2줄까지 다음과 같은 버스의 정보가 주어진다. 먼저 처음에는 그 버스

www.acmicpc.net

 

다익스트라 알고리즘을 이용해서 시작점부터 도착점까지의 최소 비용과 경로를 구해주었습니다.

#include <iostream>
#include <queue>
#include <vector>
#define INF 2147483647
using namespace std;

int n, m, a, b, c;
vector<pair<int, int>> graph[1001];

void dijkstra(int start, int end) {
	vector<int> dist(1001, INF);
	priority_queue<pair<int, int>> pq;
	vector<int> prev(1001, INF);
	vector<int> path;
	dist[start] = 0;
	pq.push({ 0, start });
	while (!pq.empty()) {
		int cost = -pq.top().first;
		int node = pq.top().second;
		pq.pop();
		if (dist[node] < cost) continue;
		for (int i = 0; i < graph[node].size(); i++) {
			int nextNode = graph[node][i].first;
			int nextCost = cost + graph[node][i].second;
			if (nextCost < dist[nextNode]) {
				pq.push({ -nextCost, nextNode });
				prev[nextNode] = node;
				dist[nextNode] = nextCost;
			}
		}
	}
	printf("%d\n", dist[end]);
	for (int i = end; i != INF; i = prev[i])
		path.push_back(i);
	printf("%d\n", path.size());
	for (int i = path.size() - 1; i >= 0; i--)
		printf("%d ", path[i]);
}

int main() {
	scanf("%d %d", &n, &m);
	while (m--) {
		scanf("%d %d %d", &a, &b, &c);
		graph[a].push_back({ b, c });
	}
	scanf("%d %d", &a, &b);
	dijkstra(a, b);
}
반응형

'Algorithm' 카테고리의 다른 글

백준 1958 : LCS 3  (0) 2021.11.15
백준 1516 : 게임 개발  (0) 2021.11.15
백준 2075 : N번째 큰 수  (0) 2021.11.15
백준 17298 : 오큰수  (0) 2021.11.15
백준 1918 : 후위 표기식  (0) 2021.11.15

+ Recent posts