본문 바로가기
algorithm/dfs,bfs

[백준/2667] 단지번호붙이기

by blogsy 2020. 4. 6.

bfs로 풀었습니다

 

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

 

2667번: 단지번호붙이기

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

www.acmicpc.net

#include <iostream>
#include <cstdio>
#include <queue>
#include <vector>
#include <algorithm>

using namespace std;

int map[30][30];
bool check[30][30];
int dx[4] = { 0,0,1,-1 };
int dy[4] = { -1,1,0,0 }; //위 아래 오른쪽 왼쪽
queue<pair<int, int>> q;

int n;
int cnt = 0;
vector<int> ans;

void bfs(int x, int y) {
	pair<int, int> p;
	p = make_pair(x, y);
	q.push(p);
	cnt++;
	check[x][y] = true;
	while (!q.empty()) {
		int sx = q.front().first;
		int sy = q.front().second;
		q.pop();
		for (int i = 0; i < 4; i++) {
			int nx = sx + dx[i];
			int ny = sy + dy[i];
			if (nx < 0 || nx >= n || ny < 0 || ny >= n) {
				continue;
			}
			else {
				if (map[nx][ny] == 1 && check[nx][ny] != true) {
					p = make_pair(nx, ny);
					q.push(p);
					check[nx][ny] = true;
					cnt++;
				}
			}
		}
	}
}

int main() {
	cin >> n;
	for (int i = 0; i < n; i++) {
		for (int j = 0; j < n; j++) {
			scanf("%1d", &map[i][j]);
		}
	}

	for (int i = 0; i < n; i++) {
		for (int j = 0; j < n; j++) {
			if (map[i][j] == 1 && check[i][j] != true) {
				cnt = 0;
				bfs(i, j);
				ans.push_back(cnt);
			}
		}
	}

	cout << ans.size() << '\n';
	sort(ans.begin(), ans.end());

	for (int i = 0; i < ans.size(); i++) {
		cout << ans[i] << '\n';
	}

	return 0;
}

'algorithm > dfs,bfs' 카테고리의 다른 글

[프로그래머스] 단어 변환  (0) 2020.08.25
[백준/2606] 바이러스  (0) 2020.04.04
[백준/1260] DFS와 BFS  (0) 2020.04.04

댓글