BOJ

[백준] 1753번 최단경로 - C++

다익스트라, 트리

Posted by dongjune on October 12, 2020

문제

1753번 최단경로

풀이

주어진 시작점에서 다른 모든 정점으로의 최단거리를 구하는 문제이므로 다익스트라 알고리즘을 통해 구현할 수 있다.

소스 코드

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
63
64
65
66
67
68
#include <iostream>
#include <vector>
#include <queue>

using namespace std;

int V, E, K;
const int INF = 987654321;

struct Node
{
    int w, idx;
    bool operator<(const Node &b) const
    {
        return w > b.w;
    }
};

vector<Node> graph[20001];

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

    cin >> V >> E >> K;
    // 그래프 입력받기
    int u, v, w;
    while (E--)
    {
        cin >> u >> v >> w;
        graph[u].push_back({w, v});
    }

    vector<int> cache(V + 1, INF);
    cache[K] = 0;
    priority_queue<Node> pq;
    pq.push({0, K});

    // 다익스트라
    while (!pq.empty())
    {
        Node curr = pq.top();
        pq.pop();
        if (curr.w > cache[curr.idx])
            continue;

        for (const auto &next : graph[curr.idx])
        {
            if (next.w + curr.w < cache[next.idx])
            {
                cache[next.idx] = next.w + curr.w;
                pq.push({cache[next.idx], next.idx});
            }
        }
    }
    // 출력
    for (int i = 1; i <= V; i++)
    {
        if (cache[i] == INF)
            cout << "INF" << '\n';
        else
            cout << cache[i] << '\n';
    }

    return 0;
}