백준알고리즘

[BFS]10451번

moon.i 2018. 2. 16. 00:11

문제

1부터 N까지 정수 N개로 이루어진 순열을 나타내는 방법은 여러가지가 있다. 예를 들어, 8개의 수로 이루어진 순열 (3, 2, 7, 8, 1, 4, 5, 6)을 배열을 이용해 표현하면 (1234567832781456) 와 같다. 또는, Figure 1과 같이 방향 그래프로 나타낼 수도 있다.

순열을 배열을 이용해 (1inπ1πiπn) 로 나타냈다면, i에서 πi로 간선을 이어 그래프로 만들 수 있다.

Figure 1에 나와있는 것 처럼, 순열 그래프 (3, 2, 7, 8, 1, 4, 5, 6) 에는 총 3개의 사이클이 있다. 이러한 사이클을 "순열 사이클" 이라고 한다.

N개의 정수로 이루어진 순열이 주어졌을 때, 순열 사이클의 개수를 구하는 프로그램을 작성하시오.

입력

첫째 줄에 테스트 케이스의 개수 T가 주어진다. 각 테스트 케이스의 첫째 줄에는 순열의 크기 N (2 ≤ N ≤ 1,000)이 주어진다. 둘째 줄에는 순열이 주어지며, 각 정수는 공백으로 구분되어 있다.

출력

각 테스트 케이스마다, 입력으로 주어진 순열에 존재하는 순열 사이클의 개수를 출력한다.

예제 입력 

2
8
3 2 7 8 1 4 5 6
10
2 1 3 4 5 6 7 9 10 8

예제 출력 

3
7
















































[소스코드]

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
import java.util.*;
public class Main {
    static int array[];
    static ArrayList<Integer> result = new ArrayList<>();
    public static void main(String[] args) {
        Scanner sca = new Scanner(System.in);
        int n = sca.nextInt();
        
        for(int i=0; i<n; i++) {
            int m = sca.nextInt();
            array = new int[m+1];
            array[0= -1;
            for(int j = 1; j<=m; j++) {
                array[j] = sca.nextInt();
            }
            
            bfs(array, m);
        }
        for(int i=0; i<result.size(); i++) {
            System.out.println(result.get(i));
        }
        
    }
    public static void bfs(int[] array, int m){
        
        Queue<Integer> q = new LinkedList<>();
        boolean visited[] = new boolean[m+1];
        
        for(int i=1; i<m+1; i++) {
            visited[i] = false;
        }
        int count = 0;
        int current = 1;
        int start=0;
        q.add(1);
        visited[0]= true;
        visited[1]= true;
        while(!q.isEmpty()) {
            
            while(visited[array[current]] == false && start != current) {
                
                start = q.peek();
                current = array[current];
                
                q.add(current);
                visited[current]= true;
            }
            q.clear();
            count++;
            
//            for(int i=0; i<m+1; i++) {
//                System.out.print(visited[i]+" ");
//            }
            
            //System.out.println(count);
            for(int i=0; i<m+1; i++){
                if(visited[i]== false) {
                    q.add(i);
                    //System.out.println("다음 큐의 값"+i);
                    break;
                    
                }
            }
            
            if( q.peek()!=null)
            current = q.peek();
            
            
        }
        result.add(count);
        //System.out.println(count);
        
        
        
    }
    
}
 
cs