정리충의 정리노트

[백준] 1162: 도로포장 본문

PS/ShortestPath

[백준] 1162: 도로포장

ioqoo 2020. 3. 10. 22:54

0. 문제 주소

 

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

 

1162번: 도로포장

문제 준영이는 매일 서울에서 포천까지 출퇴근을 한다. 하지만 잠이 많은 준영이는 늦잠을 자 포천에 늦게 도착하기 일쑤다. 돈이 많은 준영이는 고민 끝에 K개의 도로를 포장하여 서울에서 포천까지 가는 시간을 단축하려 한다. 문제는 N개의 도시가 주어지고 그 사이 도로와 이 도로를 통과할 때 걸리는 시간이 주어졌을 때 최소 시간이 걸리도록 하는 K개의 이하의 도로를 포장하는 것이다. 도로는 이미 있는 도로만 포장할 수 있고, 포장하게 되면 도로를 지나는데 걸

www.acmicpc.net

 

 

1. 풀이

 

다익스트라 응용 문제.

 

1차원 배열이었던 dist를 확장해서 dist[i][j] = (i번째 노드까지 도로를 j번 포장하고 갈 수 있는 최단 거리) 로 저장하면 된다.

 

알고리즘 특강 때 문제 조건 중 K = 0, 1, 2 중 하나로 주어지고, 0으로 만드는 횟수가 K 이하인지, 정확히 K번인지 잘 기억이 안나지만

 

비슷한 문제가 기출문제에 있었다. 이 정도만 나왔으면..ㅠ

 

 

2. 풀이 코드

 

* 유의할 점

 

 

#include <iostream>
#include <vector>
#include <queue>
#include <utility>
#include <algorithm>
#include <cstring>

#define MAX 10005
#define ll long long
#define pll pair<ll, ll>
#define plll pair<ll, pll>
#define INF 10000000000LL

using namespace std;

int N, M, K;
vector<pll> graph[MAX];
ll dist[MAX][22]; // dist[i][j] = i번 노드까지 j번 포장해서 가는 최단거리 
priority_queue<plll, vector<plll>, greater<plll>> PQ;


int main(){
    #ifndef ONLINE_JUDGE
    freopen("input.txt", "r", stdin);
    #endif
    
    scanf("%d %d %d", &N, &M, &K);
    ll u, v, w;
    for (int i=0;i<M;i++){
        scanf("%lld%lld%lld", &u, &v, &w);
        graph[u].push_back(pll(v, w));
        graph[v].push_back(pll(u, w));
    } 
    
    for (int i=1;i<=N;i++){
        for (int j=0;j<=K;j++){
            dist[i][j] = INF;
        }
    }
    
    dist[1][0] = 0;
    PQ.push(plll(0LL, pll(1LL, 0LL))); // curr_dist, curr, cnt
    while(!PQ.empty()){
        auto p = PQ.top();
        PQ.pop();
        ll curr_dist = p.first;
        ll curr = p.second.first;
        ll cnt = p.second.second;
        if (dist[curr][cnt] < curr_dist) continue;
        for (auto pp: graph[curr]){
            ll next = pp.first, weight = pp.second;
            if (dist[next][cnt] > dist[curr][cnt] + weight){
                dist[next][cnt] = dist[curr][cnt] + weight;
                PQ.push(plll(dist[next][cnt], pll(next, cnt)));
            }
            if (cnt < K && dist[next][cnt+1] > dist[curr][cnt]){
                dist[next][cnt+1] = dist[curr][cnt];
                PQ.push(plll(dist[next][cnt+1], pll(next, cnt+1)));
            }
        }
    }
    
    printf("%lld\n", *min_element(dist[N], dist[N]+K+1));
    
    

    return 0;
}

 

 

 

'PS > ShortestPath' 카테고리의 다른 글

[백준] 1507: 궁금한 민호  (0) 2020.08.14
[백준] 10217: KCM Travel  (0) 2020.03.11
[백준] 1948: 임계 경로 (수정)  (0) 2020.03.10
[백준] 9323: 무임승차  (0) 2020.03.10
[백준] 2982: 국왕의 방문  (0) 2020.03.07
Comments