알고리즘 문제풀이/백준
[백준/BOJ] 2636번 치즈
노력의천재
2022. 4. 24. 18:00
https://www.acmicpc.net/problem/2636
(0,0)부터 차례대로 BFS 탐색을 한다. 탐색 도중 값이 1인 지역을 만난다면, 해당 지역은 가장 바깥부분을 의미한다. 따라서 해당 지역을 0으로 바꿔주고, 큐에는 넣지 않는다. 이렇게 하면 BFS 탐색을 할 때마다, 치즈 안쪽의 구멍을 신경쓰지 않아도 공기에 노출된 겉표면만을 제거할 수 있다.
#include<bits/stdc++.h>
using namespace std;
typedef long long ll;
const int dx[] = {-1, 0, 1, 0};
const int dy[] = {0, 1, 0, -1};
int n, m, answer, x, y;
int board[101][101];
int visited[101][101];
int BFS() {
int cnt = 0;
queue<pair<int, int>> q;
q.push({ 0, 0 });
visited[0][0] = 1;
while(!q.empty()) {
tie(x, y) = q.front();
q.pop();
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 >= m || visited[nx][ny]) continue;
visited[nx][ny] = 1;
if(board[nx][ny] == 0) {
q.push({ nx, ny });
} else {
cnt++;
board[nx][ny] = 0;
}
}
}
if(cnt > 0) answer = cnt;
return cnt > 0;
}
int main() {
//freopen("input.txt", "r", stdin);
ios_base::sync_with_stdio(false); cin.tie(NULL); cout.tie(NULL);
cin >> n >> m;
for(int i = 0; i < n; i++) {
for(int j = 0; j < m; j++) {
cin >> board[i][j];
}
}
int time = 0;
while(BFS()) {
memset(visited, 0, sizeof(visited));
time++;
}
cout << time << "\n" << answer;
}