Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
Tags
- Math
- TwoPointers
- DFS
- KMP
- ShortestPath
- greedy
- Union-Find
- Implementation
- topologicalsort
- 2-sat
- DP
- Bellman-Ford
- mergesorttree
- Floyd
- scc
- Bridge
- backtracking
- LCA
- BinarySearch
- BFS
- LIS
- Dijkstra
- FenwickTree
- Tree
- MST
- IndexedTree
- Flow
- SlidingWindow
- ArticulationPoint
- Sweeping
Archives
- Today
- Total
정리충의 정리노트
[백준] 10217: KCM Travel 본문
0. 문제 주소
https://www.acmicpc.net/problem/10217
1. 풀이
DP가 어느 문제랑 안 어울리겠냐만은, 다익스트라 문제들을 파면서 DP랑 궁합이 너무 잘 맞는 걸 느꼈다.
[PS/ShortestPath] - [BOJ] 1162: 도로포장에서 했던 것과 유사하게, dist 배열을 2차원으로 확장시켜서
dist[i][j] = (i번째 노드까지 j원을 쓰고 이동할 때 갈 수 있는 최단 거리)로 정의한다.
기존 다익스트라 알고리즘에, cost가 M을 넘지 않게만 조절해주면 된다.
2. 풀이 코드
* 유의할 점
#include <iostream>
#include <vector>
#include <queue>
#include <algorithm>
#include <utility>
#include <cstring>
#define pii pair<int, int>
#define piii pair<int, pii>
#define MAX 105
#define INF 987654321
using namespace std;
int T, N, M, K;
vector<piii> graph[MAX];
int dist[MAX][10005];
int main(){
#ifndef ONLINE_JUDGE
freopen("input.txt", "r", stdin);
#endif
scanf("%d", &T);
while(T>0){
T--;
scanf("%d %d %d", &N, &M, &K);
for (int i=1;i<=N;i++){
graph[i].clear();
for (int j=1;j<=M;j++){
dist[i][j] = INF;
}
}
int u, v, c, w;
for (int i=0;i<K;i++){
scanf("%d %d %d %d", &u, &v, &c, &w);
graph[u].push_back(piii(v, pii(c, w))); // next, cost, weight
}
dist[1][0] = 0;
priority_queue<piii, vector<piii>, greater<piii>> PQ;
PQ.push(piii(0, pii(1, 0))); // curr_dist, curr, cost
while(!PQ.empty()){
auto p = PQ.top();
PQ.pop();
int curr = p.second.first, curr_dist = p.first, curr_cost = p.second.second;
if (dist[curr][curr_cost] < curr_dist) continue;
for (auto pp: graph[curr]){
int next = pp.first, next_cost = pp.second.first, next_weight = pp.second.second;
if (curr_cost + next_cost <= M){
if (dist[next][curr_cost + next_cost] > dist[curr][curr_cost] + next_weight){
dist[next][curr_cost + next_cost] = dist[curr][curr_cost] + next_weight;
PQ.push(piii(dist[next][curr_cost + next_cost], pii(next, curr_cost + next_cost)));
}
}
}
}
int ans = INF;
for (int i=1;i<=M;i++){
ans = min(ans, dist[N][i]);
}
ans == INF ? printf("Poor KCM\n") : printf("%d\n", ans);
}
return 0;
}
'PS > ShortestPath' 카테고리의 다른 글
[백준] 1507: 궁금한 민호 (0) | 2020.08.14 |
---|---|
[백준] 1162: 도로포장 (0) | 2020.03.10 |
[백준] 1948: 임계 경로 (수정) (0) | 2020.03.10 |
[백준] 9323: 무임승차 (0) | 2020.03.10 |
[백준] 2982: 국왕의 방문 (0) | 2020.03.07 |
Comments