일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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
- 세그먼트 트리
- object detection
- 너비 우선 탐색
- 문자열
- BFS
- 미래는_현재와_과거로
- back propagation
- 플로이드 와샬
- tensorflow
- 백트래킹
- 회고록
- dropout
- 자바스크립트
- dfs
- 2023
- 크루스칼
- 이분 탐색
- 우선 순위 큐
- 가끔은_말로
- 알고리즘
- lazy propagation
- c++
- 다익스트라
- NEXT
- 분할 정복
- 가끔은 말로
- 조합론
- DP
- pytorch
- Overfitting
Archives
- Today
- Total
Doby's Lab
[알고리즘] 백준 10282번: 해킹 (C++) 본문
https://www.acmicpc.net/problem/10282
1) "a가 b에 s만큼의 의존성을 가지고 있다." == "b에서 a로 가는 비용이 s다." >> 다익스트라 사용
2) 그래프를 전역 변수로 선언했기 때문에 한 케이스가 끝나면 그래프를 리셋을 해주었다.>>
>> 사실 vector<pair<int, int>> graph[MAX]를 인자로 넘기는 방법을 몰랐음.
>> 인자로 넘기는 방법을 알면 리셋하는 시간이 없어져서 조금 줄일 수 있지 않을까 싶다.
3) 거리가 INF인 것은 넘기고, INF가 아닌 것은 cnt를 하며 그와 동시에 최댓값을 구한다.
#include <iostream>
#include <queue>
#include <utility>
#include <vector>
#include <cmath>
#define MAX 10000 + 1
#define INF 987654321
using namespace std;
int T;
vector<pair<int, int>> graph[MAX];
struct cmp {
bool operator()(pair<int, int>& a, pair<int, int>& b) {
return a.second > b.second;
}
};
vector<int> dijkstra(int node, int n) {
priority_queue<pair<int, int>, vector<pair<int, int>>, cmp> pq;
vector<int> dist(n + 1, INF);
dist[node] = 0;
pq.push(make_pair(node, 0));
while (!pq.empty()) {
int now = pq.top().first;
int cost = pq.top().second;
pq.pop();
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(make_pair(next, dist[next]));
}
}
}
return dist;
}
void resetGraph(int n) {
for (int i = 1; i <= n; i++) {
while (!graph[i].empty()) {
graph[i].pop_back();
}
}
return;
}
int main() {
cin >> T;
for (int t = 0; t < T; t++) {
int n, d, c;
cin >> n >> d >> c;
for (int i = 0; i < d; i++) {
int a, b, s;
cin >> a >> b >> s;
graph[b].push_back(make_pair(a, s));
}
vector<int> temp = dijkstra(c, n);
int cnt = 0;
int maxValue = 0;
for (int i = 1; i <= n; i++) {
if (temp[i] == INF) {
continue;
}
cnt++;
maxValue = max(maxValue, temp[i]);
}
cout << cnt << ' ' << maxValue << '\n';
resetGraph(n);
}
return 0;
}
728x90
'PS > BOJ' 카테고리의 다른 글
[알고리즘] 백준 4485번: 녹색 옷 입은 애가 젤다지? (C++) (0) | 2021.12.04 |
---|---|
[알고리즘] 백준 9370번: 미확인 도착지 (C++) (0) | 2021.12.04 |
[알고리즘] 백준 1916번: 최소비용 구하기 (C++) (0) | 2021.12.01 |
[알고리즘] 백준 1504번: 특정한 최단 경로 (C++) (0) | 2021.12.01 |
[알고리즘] 백준 14490번: 백대열 (C++) (0) | 2021.11.30 |