업데이트:

문제 링크

백준 11403번 - 경로 찾기 (Silver 1)

문제 설명

가중치 없는 방향 그래프가 주어졌을 때, 모든 정점 (i, j)에 대해 i에서 j로 가는 경로가 있는지를 행렬로 출력하면 된다.
총 정점의 개수 N은 100 이하이다.

정답 코드 및 설명

각 정점마다 BFS를 적용한다. 방문하는 정점은 경로가 있는 것이고, 아닌 정점은 경로가 없는 것이다.
BFS를 총 N번 적용하므로 시간 복잡도는 $O(N^2)$이다.

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
import java.io.*;
import java.util.*;

public class Main {

    static int n, G[][], path[][];

    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
        StringBuilder sb = new StringBuilder();

        n = Integer.parseInt(br.readLine());
        G = new int[n][n];
        path = new int[n][n];
        for (int i = 0; i < n; i++) {
            StringTokenizer st = new StringTokenizer(br.readLine());
            for (int j = 0; j < n; j++) {
                G[i][j] = Integer.parseInt(st.nextToken());
            }
        }
        for (int i = 0; i < n; i++) {
            path(i);
            for (int j = 0; j < n; j++)
                sb.append(path[i][j]).append(' ');
            sb.append('\n');
        }
        bw.write(sb.toString());
        bw.close();
    }

    static void path(int v) {
        Queue<Integer> queue = new LinkedList<>();
        queue.add(v);
        boolean check[] = new boolean[n];
        while (!queue.isEmpty()) {
            int index = queue.poll();
            for (int i = 0; i < n; i++) {
                if (!check[i] && G[index][i] == 1) {
                    check[i] = true;
                    queue.add(i);
                    path[v][i] = 1;
                }
            }
        }
    }

}

태그: ,

카테고리:

업데이트:

댓글남기기