어흥
[백준 9370] 미확인 도착지 (C++) 본문
728x90
반응형
문제 링크: https://www.acmicpc.net/problem/9370
1. 주의할 점
- 무조건 H-G 도로를 지나가고 후보지까지 최단경로를 갱신했다면 정답에 포함한다
- 매 TC마다 초기화를 해야 한다
- 다익스트라 알고리즘을 사용한다
2. 구현
- H-G의 도로에는 가중치를 홀수로 준다 (가중치*2 -1). 이외의 도로에는 가중치를 짝수로 준다(가중치*2). Dist의 초기값으로도 매우 큰 짝수를 준다
- 다익스트라 알고리즘을 통해 최단경로를 갱신한다(우선순위큐를 사용한다 -> 시간이 조금 더 절약된다)
- 입력받는 후보지 중에서 Dist[] 값이 홀수라면 H-G 도로를 지나갔으므로 정답에 포함시킨다
#define MAX 987654320
#include <iostream>
#include <queue>
#include <algorithm>
#include <vector>
using namespace std;
struct info {
int idx, val;
};
info tmp;
struct cmp {
bool operator()(info &a, info &b) {
return a.val > b.val;
}
};
vector<info> v[2001];
int dist[2001];
int main() {
ios_base::sync_with_stdio(false); cin.tie(NULL); cout.tie(NULL);
int test, node, edge, candidate, start, a, b, s, e, val;
cin >> test;
for (int t = 0; t < test; t++) {
cin >> node >> edge >> candidate;
for (int i = 1; i <= node; i++) {
v[i].clear();
dist[i] = MAX;
}
cin >> start >> a >> b;
for (int i = 0; i < edge; i++) {
cin >> s >> e >> val;
//무조건 지나간 길
if ((s == a && e == b) || (s == b && e == a))
tmp.val = 2 * val - 1;
else
tmp.val = 2 * val;
tmp.idx = e;
v[s].push_back(tmp);
tmp.idx = s;
v[e].push_back(tmp);
}
priority_queue<info, vector<info>, cmp> pq;
dist[start] = 0;
tmp.idx = start;
tmp.val = 0;
pq.push(tmp);
while (!pq.empty()) {
int cidx = pq.top().idx;
int cv = pq.top().val;
pq.pop();
if (dist[cidx] < cv) continue;
for (int i = 0; i < v[cidx].size(); i++) {
int next = v[cidx][i].idx;
int nv = v[cidx][i].val;
if (dist[next] > cv + nv) {
dist[next] = cv + nv;
tmp.val = cv + nv;
tmp.idx = next;
pq.push(tmp);
}
}
}
vector<int> answer;
for (int i = 0; i < candidate; i++) {
cin >> val;
if (dist[val] % 2 == 1)
answer.push_back(val);
}
sort(answer.begin(), answer.end());
for (int i = 0; i < answer.size(); i++)
cout << answer[i] << " ";
cout << '\n';
}
system("pause");
return 0;
}
728x90
반응형
'알고리즘 > 백준' 카테고리의 다른 글
[백준 14925] 목장 건설하기 (C++) (0) | 2020.05.06 |
---|---|
[백준 3108] 로고 (C++) (2) | 2020.05.06 |
[백준 1865] 웜홀 (C++) (0) | 2020.05.06 |
[백준 13334] 철로 (C++) (0) | 2020.05.06 |
[백준 1007] 벡터 매칭 (C++) (2) | 2020.05.05 |
Comments