본문 바로가기
알고리즘연습/백준

[백준] DFS와 BFS - 2667번 단지번호붙이기 java

by 밈밈무 2021. 8. 30.

문제

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

 

2667번: 단지번호붙이기

<그림 1>과 같이 정사각형 모양의 지도가 있다. 1은 집이 있는 곳을, 0은 집이 없는 곳을 나타낸다. 철수는 이 지도를 가지고 연결된 집의 모임인 단지를 정의하고, 단지에 번호를 붙이려 한다. 여

www.acmicpc.net

<그림 1>과 같이 정사각형 모양의 지도가 있다. 1은 집이 있는 곳을, 0은 집이 없는 곳을 나타낸다. 철수는 이 지도를 가지고 연결된 집의 모임인 단지를 정의하고, 단지에 번호를 붙이려 한다. 여기서 연결되었다는 것은 어떤 집이 좌우, 혹은 아래위로 다른 집이 있는 경우를 말한다. 대각선상에 집이 있는 경우는 연결된 것이 아니다. <그림 2>는 <그림 1>을 단지별로 번호를 붙인 것이다. 지도를 입력하여 단지수를 출력하고, 각 단지에 속하는 집의 수를 오름차순으로 정렬하여 출력하는 프로그램을 작성하시오.

풀이

dfs와 bfs를 모두 이용하여 풀어보았다.

bfs를 풀 때 따로 클래스를 생성하지 않고 그냥 배열로 받았다

 

코드

package DFS와BFS;

import java.util.*;
public class No2667_단지번호붙이기 {

	static int[][] arr;
	static boolean[][] visited;
	
	static int[] dx= {1, -1, 0, 0};
	static int[] dy= {0, 0, 1, -1};

	static int[] cntArr=new int[25*25];
	static int cnt=0;
	
	static int n;
	
	public static void main(String[] args) {
		// TODO Auto-generated method stub
		Scanner sc=new Scanner(System.in);
		
		n=sc.nextInt();
		arr=new int[n][n];
		visited=new boolean[n][n];
		for(int i=0;i<n;i++) {
			String str=sc.next();
			for(int j=0;j<n;j++) {
				int num=str.charAt(j)-'0';
				arr[i][j]=num;
			}
		}
		
		for(int i=0;i<n;i++) {
			for(int j=0;j<n;j++) {
				if(arr[i][j]==1&&!visited[i][j]) {
					cnt++;
					//bfs(i,j);
					dfs(i,j);
				}
			}
		}

		Arrays.sort(cntArr);
		System.out.println(cnt);
		
		for(int i=0;i<cntArr.length;i++) {
			if(cntArr[i]!=0) {
				System.out.println(cntArr[i]);
			}
		}
		
	}
	
	static void bfs(int x, int y) {
		Queue<int[]> q=new LinkedList<>();
		q.offer(new int[] {x, y});
		visited[x][y]=true;
		cntArr[cnt]++;
		
		while(!q.isEmpty()) {
			int px=q.peek()	[0];
			int py=q.peek()[1];
			q.poll();
			
			for(int i=0;i<4;i++) {
				int nx=px+dx[i];
				int ny=py+dy[i];
				
				if(nx>=0&&nx<n&&ny>=0&&ny<n	) {
					if(arr[nx][ny]==1&&!visited[nx][ny]) {
						q.offer(new int[] {nx, ny});
						visited[nx][ny]=true;
						cntArr[cnt]++;
					}
				}
			}
		}
	}
	
	static void dfs(int x, int y) {
		visited[x][y]=true;
		cntArr[cnt]++;
		
		for(int i=0;i<4;i++) {
			int nx=x+dx[i];
			int ny=y+dy[i];
			
			if(nx>=0&&nx<n&&ny>=0&&ny<n) {
				if(arr[nx][ny]==1&&!visited[nx][ny]) {
					dfs(nx, ny);
				}
			}
		}
	}
}