cgy12306

[백준 BoJ] 11779 - 최소비용 구하기 2 본문

Algorithm/C++

[백준 BoJ] 11779 - 최소비용 구하기 2

cgy12306 2022. 2. 7. 18:30

메모리초과 때문에 이상하게 삽질했던 문제이다.

원인은 입력 받았을 때 path[to]=from으로 미리 처음에 경로를 세팅해뒀던 탓에 메모리 초과가 발생했다.

// https://www.acmicpc.net/problem/11779
// 최소비용 구하기 2
#include<iostream>
#include<vector>
#include<queue>
#include<algorithm>

using namespace std;
int N, M, minCost[1002], INF = 999999999, path[1002];
vector<int> ans;
vector<vector<pair<int, int>>> Edges;

void dijkstra(int start) {
	priority_queue<pair<int, int>> pq;
	minCost[start] = 0;
	pq.push({ 0, start });
	while (!pq.empty()) {
		int current = pq.top().second;
		int cost = -pq.top().first;

		pq.pop();
		if (minCost[current] < cost) continue;

		for (auto e : Edges[current]) {
			int next = e.second;
			int nextCost = e.first + cost;
		
			if (minCost[next] > nextCost) {
				minCost[next] = nextCost;
				path[next] = current;
				pq.push({ -nextCost, next });
			}
		}
	}
}
int main() {
	ios::sync_with_stdio(false);
	cin.tie(NULL); cout.tie(NULL);
	cin >> N >> M;
	Edges.resize(N + 1);

	fill(minCost, minCost + N + 1, INF);

	for (int i = 0; i < M; i++) {
		int from, to, cost;
		cin >> from >> to >> cost;
		Edges[from].push_back({ cost, to });
	}

	int from, to;
	cin >> from >> to;

	dijkstra(from);


	cout << minCost[to] << "\n";
	

	while (to) {
		ans.push_back(to);
		to = path[to];
	}
	cout << ans.size() << "\n";
	
	for (int i = ans.size() - 1; i >= 0; i--)cout << ans[i] << " ";
	
}
  • 다익스트라

'Algorithm > C++' 카테고리의 다른 글

[백준 BoJ] 16398 - 행성 연결  (0) 2022.02.10
[백준 BoJ] 10423 - 전기가 필요해  (0) 2022.02.10
[백준 BoJ] 10217 - KCM Travel  (0) 2022.02.07
[백준 BoJ] 10282 - 해킹  (0) 2022.01.24
[백준 BoJ] 2887 - 행성터널  (0) 2022.01.20
Comments