https://www.acmicpc.net/problem/10282
10282번: 해킹
문제 최흉최악의 해커 yum3이 네트워크 시설의 한 컴퓨터를 해킹했다! 이제 서로에 의존하는 컴퓨터들은 점차 하나둘 전염되기 시작한다. 어떤 컴퓨터 a가 다른 컴퓨터 b에 의존한다면, b가 감염되면 그로부터 일정 시간 뒤 a도 감염되고 만다. 이때 b가 a를 의존하지 않는다면, a가 감염되더라도 b는 안전하다. 최흉최악의 해커 yum3이 해킹한 컴퓨터 번호와 각 의존성이 주어질 때, 해킹당한 컴퓨터까지 포함하여 총 몇 대의 컴퓨터가 감염되며 그에 걸리는
www.acmicpc.net
문제에서 "의존한다" 의 의미만 파악만 아마 어렵지 않게 풀 수 있을 것이다.
a가 b를 의존한다 = b에서 a로가는 단반향 간선이 존재한다 . 로 해석 할 수 있다.
첫 방문한 노드에대해서 방문cnt++ 를 해주었고,
첫방문과 유효한 노드방문이라면 max값을 갱신해주었다.
전체코드
#include <iostream>
#include <vector>
#include <algorithm>
#include <queue>
using namespace std;
#define MAX_N 10001
vector<pair<int, int>> vec[MAX_N];
class PQItem {
public:
int n, cost, prevCost;
PQItem(int n, int cost) {
this->n = n;
this->cost = cost;
}
bool operator > (const PQItem & b) const {
return this->cost > b.cost;
}
};
priority_queue<PQItem, vector<PQItem>, greater<> > pq;
int dist[MAX_N];
bool visit[MAX_N];
pair<int,int> dijstra(int c) {
int MAX = 0;
int cnt = 1;
pq.push(PQItem(c, 0));
dist[c] = 0;
visit[c] = true;
while (!pq.empty()) {
PQItem top = pq.top(); pq.pop();
int n = top.n;
int cost = top.cost;
int prevConst = top.prevCost;
if (dist[n] < cost) continue;
MAX = max(MAX, cost);
for (int i = 0; i < vec[n].size(); i++) {
int nextN = vec[n][i].first;
int nextCost = cost + vec[n][i].second;
if (dist[nextN] > nextCost) {
dist[nextN] = nextCost;
if (visit[nextN] == false) {
visit[nextN] = true;
cnt++;
}
pq.push(PQItem(nextN, nextCost));
}
}
}
return { MAX,cnt };
}
int main() {
ios::sync_with_stdio(false); cin.tie(0); cout.tie(0);
int t; cin >> t;
while (t--) {
int n, d, c; cin >> n >> d >> c;
for (int i = 0; i <= n; i++) {
dist[i] = 1e9;
visit[i] = false;
vec[i].clear();
}
for (int i = 0; i < d; i++) {
int a, b, w; cin >> a >> b >> w;
vec[b].push_back({ a,w });
}
pair<int,int> result = dijstra(c);
cout << result.second << " " << result.first << "\n";
}
}
'알고리즘 > [C++]BOJ' 카테고리의 다른 글
[백준BOJ] 1219 오만식의 고민 (0) | 2019.10.05 |
---|---|
[백준BOJ] 2211 네트워크 복구 (0) | 2019.10.05 |
[백준BOJ] 6118 숨바꼭질 (0) | 2019.10.05 |