[백준] 1967번 트리의 지름 (자바 풀이)

문제

https://www.acmicpc.net/problem/1967

 

1967번: 트리의 지름

파일의 첫 번째 줄은 노드의 개수 n(1 ≤ n ≤ 10,000)이다. 둘째 줄부터 n-1개의 줄에 각 간선에 대한 정보가 들어온다. 간선에 대한 정보는 세 개의 정수로 이루어져 있다. 첫 번째 정수는 간선이 연

www.acmicpc.net

풀이

트리의 지름을 구하기 위해서는 한 가지 규칙을 찾아내야한다. 그 규칙은 바로 트리의 지름은 리프노드와 리프노드 간의 거리라는 것이다. 따라서 모든 리프 노드에서 DFS탐색을 하여 다른 리프노드까지의 거리를 구하고, 최대 거리를 갱신하면 된다.

 

이때, 리프노드를 구별하는 방법은 루트노드가 아니면서 연결 노드가 1개(부모노드)뿐인 노드를 구하면 된다.

리프노드를 따로 구별하여 저장해놓고, 모든 리프노드에서 DFS 탐색을 진행하면된다.

코드

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
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.*;
 
public class Baekjoon_1967 {
    static int N, ans;
    static ArrayList<Pair> tree[];
    static boolean visited[];
    static ArrayList<Integer> leaf = new ArrayList<>();
    public static void main(String[] args) throws Exception{
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        N = Integer.parseInt(br.readLine());
        tree = new ArrayList[N+1];
        visited = new boolean[N+1];
        
        for(int i=1; i<=N; i++) {
            tree[i] = new ArrayList<>();
        }
        for(int i=0; i<N-1; i++) {
            StringTokenizer st = new StringTokenizer(br.readLine());
            int a = Integer.parseInt(st.nextToken());
            int b = Integer.parseInt(st.nextToken());
            int c = Integer.parseInt(st.nextToken());
            tree[a].add(new Pair(b,c));
            tree[b].add(new Pair(a,c));
        }
        
        /* 리프노드 구하기 */
        for(int i=2; i<=N; i++) {
            if(tree[i].size() <2) {
                leaf.add(i);
                //System.out.println(i);
            }
        }
        
        /* 모든 리프노드에서 DFS 탐색 */
        for(int i=0; i<leaf.size(); i++) {
            visited = new boolean[N+1];
            visited[leaf.get(i)] = true;
            dfs(leaf.get(i), 0, leaf.get(i));
        }
        
        System.out.println(ans);
        
    }
    private static void dfs(int idx, int sum, int start) {
        if(tree[idx].size() == 1 && idx != start) {    // 리프노드라면
            ans = Math.max(ans,sum);
            return;
        }
        
        for(int i=0; i<tree[idx].size(); i++) {
            int next = tree[idx].get(i).link;
            if(!visited[next]) {
                visited[next] = true;
                dfs(next, sum+tree[idx].get(i).w, start);
            }    
        }
    }
    
    static class Pair{
        int link;
        int w;
        Pair(int a, int b){
            this.link = a;
            this.w = b;
        }
    }
 
}
 
cs

결과

1967

반응형

댓글

Designed by JB FACTORY