트리에서 가장 멀리 떨어진 두 노드를 찾는 문제이다. 다익스트라를 2번 사용하면 지름을 구할 수 있다.
#include <iostream>
#include <queue>
using namespace std;
#define MAX_NODE 10010
#define MAX_NUM 10000000
int dist[MAX_NODE];
vector<pair<int, int>> node[MAX_NODE];
int n;
void dij(int start)
{
priority_queue<pair<int, int>> pq;
pq.push({0, start});
for (int i = 0; i < MAX_NODE; i++)
{
dist[i] = MAX_NUM;
}
dist[start] = 0;
while (!pq.empty())
{
pair<int, int> top = pq.top();
pq.pop();
int cost = -top.first;
int curPos = top.second;
for (int i = 0; i < node[top.second].size(); i++)
{
pair<int, int> child = node[top.second][i];
int nextCost = child.first;
int nextPos = child.second;
if (cost + nextCost < dist[nextPos])
{
dist[nextPos] = cost + nextCost;
pq.push({-dist[nextPos], nextPos});
}
}
}
}
int main()
{
cin >> n;
for (int i = 0; i < n - 1; i++)
{
int a, b, w;
cin >> a >> b >> w;
node[a].push_back({w, b});
node[b].push_back({w, a});
}
dij(1);
int maxIdx = 0;
int maxDist = 0;
for (int i = 1; i <= n; i++)
{
if (dist[i] == MAX_NUM)
continue;
if (dist[i] > maxDist)
{
maxIdx = i;
maxDist = dist[i];
}
}
//cout << maxIdx << " " << maxDist << endl;
dij(maxIdx);
int ans = 0;
for (int i = 1; i <= n; i++)
{
ans = max(ans, dist[i]);
}
if (ans == MAX_NUM)
ans = 0;
cout << ans << endl;
return 0;
}
반응형
'Algorithm > 백준' 카테고리의 다른 글
백준 1774번 우주신과의 교감 (c++) (0) | 2021.02.21 |
---|---|
백준 2638번 치즈 (c++) (0) | 2021.02.19 |
백준 1030번 프렉탈 평면 (JavaScript) (0) | 2021.01.21 |
백준 15678번 연세워터파크 (JavaScript) (0) | 2021.01.08 |
백준 11724번 연결 요소의 개수 (c++) (0) | 2020.10.01 |