[JAVA/백준] DFS와 BFS: 바이러스

👀 문제

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

👊 도전

1. 설계

  1. 1번과 연결된 노드들을 DFS를 통해 방문한 후 그 노드들 수를 리턴한다.

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

/**
 * @author HEESOO
 *
 */
public class Main {
	static int[][] graph;
	static boolean[] visit;
	static int cnt;
	public static void dfs(int n) {
		if(visit[n]) return;
		
		visit[n]=true;
		cnt++;
		for(int i=1;i<visit.length;i++) {
			if(graph[n][i]==1&&!visit[i])
				dfs(i);
		}
		
	}
	public static void main(String[] args) {
		// TODO Auto-generated method stub
		Scanner scan = new Scanner(System.in);
		int n=scan.nextInt();
		int m=scan.nextInt();
		graph=new int[n+1][n+1];
		visit=new boolean[n+1];
		for(int i=0;i<m;i++) {
			int x=scan.nextInt();
			int y=scan.nextInt();
			graph[x][y]=1;
			graph[y][x]=1;
		}
		
		cnt=0;
		dfs(1);
		System.out.println(cnt-1);
	}
}

 

3. 결과

실행결과 🤟 성공 🤟

4. 설명

  1. DFS를 구현한다
    • 1과 연결된 노드들의 개수를 리턴하면 되므로 DFS를 사용한다.

👏 해결 완료!

결국 1과 연결된 노드의 수를 출력하면 되므로 BFS를 사용해도 무관하다.