[문제]
https://www.acmicpc.net/problem/11779
[풀이]
이전 최소비용 구하기 1 과 마찬가지로 다익스트라를 이용해서 푸는 문제이다. 여기에 추가된 것은 최소 경로를 출력하도록 하는 것인데 이를 위해 경로가 갱신될 때 path_arr[] 배열에 어느 도시에서 오는 지를 저장하도록 하였다.
+ 주의할 점.
배열이나 벡터 초기화 시 아무 생각없이 memset을 사용했었는데 memset의 경우 1바이트 단위로 초기화를 한다고 한다. 따라서 char이나 bool 자료형에 대해 주로 사용하고 int의 경우 0으로만 초기화할 때 사용해야 한다. fill 을 이용하면 데이터형에 관계없이 사용 가능하다.
[코드]
#include <iostream>
#include <algorithm>
#include <cstring>
#include <vector>
#include <queue>
#include <math.h>
#define INF 987654321
using namespace std;
int n, m;
int s, e;
vector<pair<int, int>> node[1001];
int dist[1001];
int path_arr[1001];
void dijkstra(int s){
priority_queue<pair<int, int>> pq;
dist[s] = 0;
pq.push({s, 0}); //index, cost
while(!pq.empty()){
int curr = pq.top().first;
int cost = -pq.top().second;
pq.pop();
if(dist[curr] < cost) continue;
for(int i=0; i<node[curr].size(); i++){
int c = cost + node[curr][i].second;
if(c < dist[node[curr][i].first]){
dist[node[curr][i].first] = c;
pq.push({node[curr][i].first, -c});
path_arr[node[curr][i].first] = curr; //경로 저장. path[i] = j, j번째 도시에서 온다.
}
}
}
}
int main(){
ios::sync_with_stdio(false);
cin.tie(0);
cout.tie(0);
cin >> n >> m;
//출발 도시, 도착 도시, 비용
for(int i=0; i<m; i++){
int s, e, c;
cin >> s >> e >> c;
node[s].push_back({e, c});
}
cin >> s >> e; //s -> e 최소 비용, 최소 비용을 갖는 경로에 포함되어있는 도시들 출력.
fill(dist, dist+1001, INF);
dijkstra(s);
cout << dist[e] <<"\n"; //최소 비용
vector<int> path;
int iter = e;
path.push_back(iter);
while(1){
if(iter==s) break;
path.push_back(path_arr[iter]);
iter = path_arr[iter];
}
cout << path.size() << "\n";
for(int i=path.size()-1; i>=0; i--){
cout << path[i] << " ";
}
}
'알고리즘 공부 및 문제 풀이 > 백준(BOJ)' 카테고리의 다른 글
[boj] 백준 16235 나무 재테크 (c++) - 시뮬레이션 (0) | 2022.10.18 |
---|---|
[boj] 백준 2623 음악프로그램 (c++) - 위상정렬 (0) | 2022.10.17 |
[boj] 백준 1516 게임 개발 (c++) - 위상정렬 (0) | 2022.10.13 |
[boj] 백준 2638 치즈 (c++) - BFS (0) | 2022.10.13 |
[boj] 백준 7579 앱 (c++) - dp (0) | 2022.10.12 |