BOJ

[백준] 1916번 최소비용 구하기 - C++

다익스트라

Posted by dongjune on May 20, 2021

문제

1916번 최소비용 구하기

풀이

N개의 도시가 있을 때, A도시에서 B도시로 가는 최소비용을 구하는 문제이다.
이 문제도 다익스트라 알고리즘으로 쉽게 풀이 가능하다.

코드

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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
#include <iostream>
#include <queue>
#include <vector>

using namespace std;

const int INF = 987654321;
int N, M, start, goal;
struct Node
{
    int cost, idx;
    bool operator<(const Node &b) const
    {
        return cost > b.cost;
    }
};
vector<Node> maps[1001];
vector<int> cache(1001, INF);

// 다익스트라 알고리즘
int getMinCost()
{
    priority_queue<Node> pq;
    pq.push({0, start});
    cache[start] = 0;

    while (!pq.empty())
    {
        Node curr = pq.top();
        pq.pop();

        for (const auto &next : maps[curr.idx])
        {
            if (curr.cost + next.cost >= cache[next.idx])
                continue;
            cache[next.idx] = curr.cost + next.cost;
            pq.push({curr.cost + next.cost, next.idx});
        }
    }
    return cache[goal];
}

int main()
{
    ios_base::sync_with_stdio(false);
    cin.tie(NULL);
    cout.tie(NULL);

    cin >> N >> M;
    int fr, to, cost;
    while (M--)
    {
        cin >> fr >> to >> cost;
        maps[fr].push_back({cost, to});
    }
    cin >> start >> goal;

    // 다익스트라
    cout << getMinCost() << '\n';

    return 0;
}