👀 문제
https://www.acmicpc.net/problem/11403
👊 도전
1. 설계
- BFS를 이용하여 정점을 방문한다.
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
import java.util.LinkedList;
import java.util.Queue;
import java.util.Scanner;
/**
* @author HEESOO
*
*/
public class Main {
public static void main(String[] args) {
// TODO Auto-generated method stub
Scanner scan = new Scanner(System.in);
int n=scan.nextInt();
int[][] map=new int[n][n];
int[][] answer=new int[n][n];
for(int i=0;i<n;i++)
for(int j=0;j<n;j++)
map[i][j]=scan.nextInt();
Queue<Integer> q=new LinkedList<>();
for(int i=0;i<n;i++) {
boolean[] visit=new boolean[n];
for(int j=0;j<n;j++) {
if(map[i][j]==1) {
q.offer(j);
}
}
while(!q.isEmpty()) {
int temp=q.poll();
visit[temp]=true;
answer[i][temp]=1;
for(int j=0;j<n;j++) {
if(map[temp][j]==1&&map[i][j]!=1&&!visit[j]) q.offer(j);
}
}
}
for(int i=0;i<n;i++) {
for(int j=0;j<n;j++) {
System.out.print(answer[i][j]+" ");
}
System.out.println();
}
}
}
3. 결과
🤟 성공 🤟
처음에 visit[]로 방문여부를 체크하지 않아 메모리 초과가 발생하였다.
4. 설명
- BFS를 이용한다
- 각 행별로 visit[]를 초기화하여 사용한다.
- map[i][j]==1인 곳은 방문을 위해 큐에 삽입한다.
- i와 연결된 j들을 큐에 다 넣었다면, while문을 통해 하나씩 확인한다.
- 현재 노드 temp에 연결된 j들을 체크하고, j가 i와 연결되지 않았고 방문하지 않은 곳이라면 큐에 삽입한다.
👏 해결 완료!
참고
- [BOJ] 백준 11403 경로찾기-java https://hees-dev.tistory.com/21