방향 없는 그래프가 주어졌을 때, 연결 요소 (Connected Component)의 개수를 구하는 프로그램을 작성하시오.
입력 : 첫째 줄에 정점의 개수 N과 간선의 개수 M이 주어진다. (1 ≤ N ≤ 1,000, 0 ≤ M ≤ N×(N-1)/2) 둘째 줄부터 M개의 줄에 간선의 양 끝점 u와 v가 주어진다. (1 ≤ u, v ≤ N, u ≠ v) 같은 간선은 한 번만 주어진다.
출력 : 첫째 줄에 연결 요소의 개수를 출력한다.
<풀이>
dfs를 이용한 문제이다. 깊이 우선탐색 문제로, 방문했던 곳은 다시 방문하지 않게끔 해주어야 한다.
public class Main{
static int N,M;
static int visit[];
static int graph[][];
static void DFS(int x, int cnt) {
visit[x]=cnt;
for(int i=1; i<N+1; i++) {
if(graph[x][i]==1 && visit[i]==0) {
DFS(i,cnt);
}
}
}
public static void main(String[] args){
Scanner sc = new Scanner(System.in);
N = sc.nextInt();
M = sc.nextInt();
graph = new int[N+1][N+1];
visit = new int[N+1];
for(int i=0; i<M; i++) {
int x = sc.nextInt();
int y = sc.nextInt();
graph[x][y]=graph[y][x]=1;
}
int cnt=1;
for(int i=1; i<=N; i++) {
if(visit[i]==0) {
DFS(i, cnt);
cnt++;
}
}
System.out.println(cnt-1);
}
}
'Study > Algorithm' 카테고리의 다른 글
[프로그래머스/LEVEL1] 가장 가까운 같은 글자 (java) (0) | 2023.02.12 |
---|---|
[1260] DFS와 BFS (0) | 2020.05.22 |
[1026] 보물 (0) | 2020.05.22 |
[1890] 점프 (0) | 2020.05.22 |
[2609] 최대공약수와 최소공배수 (0) | 2020.05.16 |
댓글