[백준] 4963번. 섬의 개수

leeeha·2022년 8월 9일
0

백준

목록 보기
67/186
post-thumbnail
post-custom-banner

문제

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

정사각형으로 이루어져 있는 섬과 바다 지도가 주어진다. 섬의 개수를 세는 프로그램을 작성하시오.

한 정사각형과 가로, 세로 또는 대각선으로 연결되어 있는 사각형은 걸어갈 수 있는 사각형이다.

두 정사각형이 같은 섬에 있으려면, 한 정사각형에서 다른 정사각형으로 걸어서 갈 수 있는 경로가 있어야 한다. 지도는 바다로 둘러싸여 있으며, 지도 밖으로 나갈 수 없다.

입력

입력은 여러 개의 테스트 케이스로 이루어져 있다.

각 테스트 케이스의 첫째 줄에는 지도의 너비 w와 높이 h가 주어진다. w와 h는 50보다 작거나 같은 양의 정수이다.
둘째 줄부터 h개 줄에는 지도가 주어진다. 1은 땅, 0은 바다이다.

입력의 마지막 줄에는 0이 두 개 주어진다.

출력

각 테스트 케이스에 대해서, 섬의 개수를 출력한다.

예제

입력

1 1
0
2 2
0 1
1 0
3 2
1 1 1
1 1 1
5 4
1 0 1 0 0
1 0 0 0 0
1 0 1 0 1
1 0 0 1 0
5 4
1 1 1 0 1
1 0 1 0 1
1 0 1 0 1
1 0 1 1 1
5 5
1 0 1 0 1
0 0 0 0 0
1 0 1 0 1
0 0 0 0 0
1 0 1 0 1
0 0

출력

0
1
1
3
1
9


풀이

https://jdselectron.tistory.com/53

#include <iostream>
#include <vector>
#include <queue> 
#include <algorithm> 
#include <utility>
#include <cstring> // memset 
#define MAX 50 
using namespace std;

int w, h;
int graph[MAX][MAX];
bool visited[MAX][MAX];
int numberOfLand = 0; 

// 상 하 좌 우 , 우상 우하 좌상 좌하 
int dx[8] = { 0, 0, -1, 1, 1, 1, -1, -1 }; 
int dy[8] = { -1, 1, 0, 0, -1, 1, -1, 1 }; 

void bfs(int y, int x){
	queue<pair<int,int>> q; 
	q.push({y, x}); // 행, 열 
	visited[y][x] = true;

	while(!q.empty()){
		y = q.front().first; 
		x = q.front().second; 
		q.pop();

		// 해당 위치의 8방면을 확인 
		for(int i = 0; i < 8; i++){
			int ny = y + dy[i];
			int nx = x + dx[i];

			// 현재 지도 크기를 벗어나지 않고 
			if(0 <= ny && ny < h && 0 <= nx && nx < w){
				// 아직 방문하지 않은 땅이라면 
				if(graph[ny][nx] == 1 && !visited[ny][nx]){ 
					// 방문 처리 
					visited[ny][nx] = true;  
					q.push({ny, nx}); 
				}
			}
		}
	}
}

void dfs(int y, int x){
	visited[y][x] = true;

	for(int i = 0; i < 8; i++){
		int ny = y + dy[i];
		int nx = x + dx[i];

		if(0 <= ny && ny < h && 0 <= nx && nx < w){
			if(graph[ny][nx] == 1 && !visited[ny][nx]){
				visited[ny][nx] = true;
				dfs(ny, nx); 
			}
		}
	}
}

int main()
{
	ios_base::sync_with_stdio(0);
	cin.tie(0);

	while(true){
		cin >> w >> h; 
		if(w == 0 && h == 0) 
			break; 

		for(int i = 0; i < h; i++){ // 높이가 행 
			for(int j = 0; j < w; j++){ // 너비가 열  
				cin >> graph[i][j]; 
			}
		}

		// 그래프 탐색 
		for(int i = 0; i < h; i++){
			for(int j = 0; j < w; j++){
				if(graph[i][j] == 1 && !visited[i][j]){
					// 연결 요소의 개수 카운팅 
					numberOfLand++; 

					// 이 함수가 다시 호출되면 서로 끊어진 섬이 있다는 것 
					bfs(i, j); 
					//dfs(i, j); 
				}
			}
		}
		
		// 섬의 개수 출력
		cout << numberOfLand << "\n"; 

		// 그 다음 테스트 케이스를 위해 데이터 초기화 
		memset(graph, 0, sizeof(graph));
		memset(visited, false, sizeof(visited));
		numberOfLand = 0;
	}
	
	return 0;
}

profile
습관이 될 때까지 📝
post-custom-banner

0개의 댓글