-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path1167.cpp
82 lines (75 loc) · 1.75 KB
/
1167.cpp
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
69
70
71
72
73
74
75
76
77
78
79
80
81
82
#include <cstdio>
#include <vector>
#include <queue>
#include <string.h>
using namespace std;
int V; // 트리의 정점의 개수.
vector<vector<pair<int,int> > > tree;
// first는 다음 정점 번호, second는 가중치.
bool visited[100001]; // 방문 여부 확인 배열.
pair<int, int> solve(int root)
{
queue<pair<int, int> > q;
visited[root] = true;
q.push(make_pair(root, 0));
pair<int, int> ret;
ret.first = -1;
ret.second = -1;
//BFS 탐색.
while(!q.empty())
{
//큐의 front에서 현재 정점과 현재까지 거리의 합 불러옴.
int now = q.front().first;
int dist_now = q.front().second;
q.pop();
int length = tree[now].size();
for(int i=0;i<length;i++)
{
//다음 정점과 다음 정점까지 거리의 합 구함.
int next = tree[now][i].first;
int dist_next = dist_now + tree[now][i].second;
if(!visited[next])
{
visited[next] = true;
q.push(make_pair(next,dist_next));
// ret보다 dist_next가 더 크면.
if(dist_next > ret.second)
{
ret.first = next;
ret.second = dist_next;
}
}
}
}
return ret;
}
int main(void)
{
scanf("%d",&V);
tree.resize(V+1);
for(int i=1;i<=V;i++)
{
int N1, N2, D;
scanf("%d",&N1);
while(1)
{
scanf("%d",&N2);
if(N2 != -1)
{
scanf("%d",&D);
tree[N1].push_back(make_pair(N2,D));
tree[N2].push_back(make_pair(N1,D));
}
else
break;
}
}
// 1에서 제일 먼 점과 그 거리를 저장.
pair<int, int> result = solve(1);
int point = result.first;
memset(visited,false,V+1);
// 그 먼 점에서 가장 먼 점과 그 거리를 저장 => 답.
result = solve(point);
int answer = result.second;
printf("%d",answer);
}