일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 우선 순위 큐
- Overfitting
- c++
- 세그먼트 트리
- lazy propagation
- 다익스트라
- 분할 정복
- 백트래킹
- 조합론
- 가끔은 말로
- 너비 우선 탐색
- dfs
- dropout
- 이분 탐색
- NEXT
- 미래는_현재와_과거로
- 가끔은_말로
- object detection
- 자바스크립트
- 크루스칼
- DP
- pytorch
- 문자열
- BFS
- 알고리즘
- back propagation
- tensorflow
- 회고록
- 2023
- 플로이드 와샬
Archives
- Today
- Total
Doby's Lab
[알고리즘] 백준 5792번: 택배 배송 (C++) 본문
https://www.acmicpc.net/problem/5972
문제를 읽고, 그래프가 양방향 그래프인 것을 알고 다익스트라를 돌리면 된다.
#include <iostream>
#include <queue>
#include <utility>
#include <vector>
#define MAX 50000 + 1
#define INF 987654321
#define pii pair<int, int>
using namespace std;
int n, m;
vector<pii> graph[MAX];
int dist[MAX];
struct cmp {
bool operator()(pii& a, pii& b) {
return a.second > b.second;
}
};
void dijkstra(int node) {
dist[node] = 0;
priority_queue<pii, vector<pii>, cmp> pq;
pq.push({ node, 0 });
while (!pq.empty()) {
int now = pq.top().first;
int cost = pq.top().second;
pq.pop();
if(dist[now] < cost){
continue;
}
for (int i = 0; i < graph[now].size(); i++) {
int next = graph[now][i].first;
int nextCost = graph[now][i].second;
if (cost + nextCost < dist[next]) {
dist[next] = cost + nextCost;
pq.push({ next, dist[next] });
}
}
}
}
int main() {
cin >> n >> m;
for (int i = 0; i < m; i++) {
int a, b, c;
cin >> a >> b >> c;
graph[a].push_back({ b, c });
graph[b].push_back({ a, c });
}
for (int i = 1; i <= n; i++) {
dist[i] = INF;
}
dijkstra(1);
cout << dist[n];
return 0;
}
728x90
'PS > BOJ' 카테고리의 다른 글
[알고리즘] 백준 2458번: 키 순서 (C++) (0) | 2021.12.06 |
---|---|
[알고리즘] 백준 11404번: 플로이드 (C++), 플로이드 와샬 (0) | 2021.12.06 |
[알고리즘] 백준 11779번: 최소비용 구하기 2 (C++) (0) | 2021.12.06 |
[알고리즘] 백준 11057번: 오르막 수 (C++) (0) | 2021.12.06 |
[알고리즘] 백준 1707번: 이분 그래프 (C++) (0) | 2021.12.05 |