import java.util.LinkedList;
import java.util.Arrays;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Queue;
public class P_49189 {
private static int solution(int n, int[][] edge) {
Map<Integer, List<Integer>> graph = new HashMap<>();
for (int i=1; i<=n; i++) {
graph.put(i, new ArrayList<>());
}
for (int[] input : edge) {
graph.get(input[0]).add(input[1]);
graph.get(input[1]).add(input[0]);
}
int max = 0;
int count = 0;
// 1번 노드에서 시작하는 모든 노드의 거리 계산
int[] distances = bfs(n, 1, graph);
// 최대 거리와 동일한 노드 개수 세기
for (int i = 1; i <= n; i++) {
if (max < distances[i]) {
max = distances[i];
count = 1;
} else if (max == distances[i]) {
count++;
}
}
return count;
}
private static int[] bfs(int n, int start, Map<Integer, List<Integer>> graph) {
// 모든 거리를 무한으로 초기화후, 시작 노드 거리 0으로 설정
int[] distance = new int[n + 1];
Arrays.fill(distance, Integer.MAX_VALUE);
distance[start] = 0;
// 큐에 시작 노드 추가
Queue<Integer> queue = new LinkedList<>();
queue.add(start);
while (!queue.isEmpty()) {
int current = queue.poll();
// 현재 노드의 인접 노드
for (int neighbor : graph.get(current)) {
// 직접 가는 거리보다 current 노드를 거쳐 가는 거리가 짧다면 업데이트후 큐에 추가
if (distance[current] + 1 < distance[neighbor]) {
distance[neighbor] = distance[current] + 1;
queue.add(neighbor);
}
}
}
return distance;
}
}