Notice
250x250
Recent Posts
Recent Comments
Link
넘치게 채우기
[BOJ] 2667 - 단지번호붙이기 본문
728x90
반응형
https://www.acmicpc.net/problem/2667
BOJ - 단지번호붙이기
문제 유형: 그래프, bfs
문제 난이도: Silver I
시간 제한: 1초
메모리 제한: 128MB
문제
<그림 1>과 같이 정사각형 모양의 지도가 있다. 1은 집이 있는 곳을, 0은 집이 없는 곳을 나타낸다. 철수는 이 지도를 가지고 연결된 집의 모임인 단지를 정의하고, 단지에 번호를 붙이려 한다. 여기서 연결되었다는 것은 어떤 집이 좌우, 혹은 아래위로 다른 집이 있는 경우를 말한다. 대각선상에 집이 있는 경우는 연결된 것이 아니다. <그림 2>는 <그림 1>을 단지별로 번호를 붙인 것이다. 지도를 입력하여 단지수를 출력하고, 각 단지에 속하는 집의 수를 오름차순으로 정렬하여 출력하는 프로그램을 작성하시오.
입력
첫 번째 줄에는 지도의 크기 N(정사각형이므로 가로와 세로의 크기는 같으며 5≤N≤25)이 입력되고, 그 다음 N줄에는 각각 N개의 자료(0혹은 1)가 입력된다.
출력
첫 번째 줄에는 총 단지수를 출력하시오. 그리고 각 단지내 집의 수를 오름차순으로 정렬하여 한 줄에 하나씩 출력하시오.
풀이
순차적으로 행렬을 읽으면서 방문하지 않은 1을 발견하면 bfs해서 단지의 크기를 구해서 정답 배열에 붙인다.
최종 정답 배열을 정렬해준다.
코드
C++
#include <bits/stdc++.h>
#define pii pair<int, int>
using namespace std;
int n;
int dx[] = {1, -1, 0, 0};
int dy[] = {0, 0, 1, -1};
int bfs(int r, int c, vector<vector<int>> &mat, vector<vector<bool>> &visited) {
queue<pii> q;
q.push({r, c});
visited[r][c] = true;
int cnt = 1;
while (!q.empty()) {
auto curr = q.front();
q.pop();
int x = curr.first;
int y = curr.second;
for (int i = 0; i < 4; ++i) {
int nx = x + dx[i];
int ny = y + dy[i];
if (nx < 0 || ny < 0 || nx >= n || ny >= n)
continue;
if (visited[nx][ny] || mat[nx][ny] == 0)
continue;
cnt++;
q.push({nx, ny});
visited[nx][ny] = true;
}
}
return cnt;
}
int main(int argc, char *argv[]) {
ios_base::sync_with_stdio(0);
cin.tie(0);
cin >> n;
vector<vector<int>> mat(n, vector<int>(n));
vector<vector<bool>> visited(n, vector<bool>(n, false));
for (int i = 0; i < n; ++i) {
string temp;
cin >> temp;
for (int j = 0; j < n; ++j) {
mat[i][j] = temp[j] - '0';
}
}
vector<int> ans;
for (int i = 0; i < n; ++i) {
for (int j = 0; j < n; ++j) {
if (mat[i][j] != 0 && !visited[i][j]) {
int res = bfs(i, j, mat, visited);
ans.emplace_back(res);
}
}
}
sort(ans.begin(), ans.end());
cout << ans.size() << "\n";
for (const auto &elem : ans) {
cout << elem << "\n";
}
return 0;
}
728x90
반응형
'PS > BOJ' 카테고리의 다른 글
[BOJ] 2178 - 미로 탐색 (0) | 2025.01.13 |
---|---|
[BOJ] 2606 - 바이러스 (0) | 2025.01.13 |
[BOJ] 1697 - 숨바꼭질 (0) | 2025.01.13 |
[BOJ] 20303 - 할로윈의 양아치 (0) | 2025.01.13 |
[BOJ] 12100 - 2048(Easy) (0) | 2025.01.12 |