Algorithm

[BOJ] 2644. 촌수계산

프로그래민 2020. 8. 11. 23:21
반응형

그래프의 BFS문제이다.

List의 배열을 이용한 간단한 그래프 BFS 문제였다. 촌수를 구하기 위해 visit배열을 -1로 초기화 시켰고 start부터 시작하여 end가 만날때까지 실행을 시켰다.

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
package study4;
 
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.LinkedList;
import java.util.List;
import java.util.Queue;
import java.util.StringTokenizer;
 
public class Main_bj_2644_촌수계산 {
    static int N;
    static List<Integer>[] graph;
    static int start,end;
    static int[] visit;
    
    static Queue<Integer> queue;
    
    public static void main(String[] args) throws Exception {
        BufferedReader br =new BufferedReader(new InputStreamReader(System.in));
        StringTokenizer st= null;
        
        N=Integer.parseInt(br.readLine());
        graph=new ArrayList[N+1];
        visit=new int[N+1];
        for(int i=1;i<=N;i++) {
            graph[i]=new ArrayList<>();
            visit[i]=-1;
        }
        
        st=new StringTokenizer(br.readLine());
        start=Integer.parseInt(st.nextToken());
        end=Integer.parseInt(st.nextToken());
        
        
        int n = Integer.parseInt(br.readLine());
        for(int i=0;i<n;i++) {
            st=new StringTokenizer(br.readLine());
            int u=Integer.parseInt(st.nextToken());
            int v=Integer.parseInt(st.nextToken());
            graph[u].add(v);
            graph[v].add(u);
        }
        
        queue=new LinkedList<Integer>();
        bfs();
        
        System.out.println(visit[end]);
        
    }
    
    static void bfs() {
        visit[start]=0;
        queue.offer(start);
        
        while(!queue.isEmpty()) {
            int cur=queue.poll();
            if(cur==end)
                return;
            
            for(int next : graph[cur]) {
                if(visit[next]==-1) {
                    queue.offer(next);
                    visit[next]=visit[cur]+1;
                }
            }
        }
    }
}
 
                                       
반응형

'Algorithm' 카테고리의 다른 글

[BOJ] 9466. 텀 프로젝트  (4) 2020.08.15
[Programmers] 문자열 압축  (0) 2020.08.12
[BOJ] 1931. 회의실배정  (0) 2020.08.08
[Programmers] 추석 트래픽  (0) 2020.08.07
[Programmers] 실패율  (0) 2020.08.03