728x90
1. 문제
https://www.acmicpc.net/problem/14502
2. 문제 풀이
이 문제는 지도를 순회하면서 바이러스가 퍼지지 않은 안전영역의 최대 크기를 구해야 한다. 여기에서 바이러스가 최소한으로 퍼지도록 벽을 총 3개만! 놓을 수 있다.
그래서 지도에서 0인 구역을 찾고 벽을 세운 다음(1로 처리), 3개의 벽을 다 세우고 나면 bfs를 통해서 안전구역의 개수를 구한다. 그래서 0인 구역을 찾을 때는 완전탐색, 바이러스가 퍼지고 난 후 안전구역을 찾을 때는 BFS를 사용해야 한다. 마지막으로 안전구역의 최대값을 구해주면 된다.
#include <iostream>
#include <vector>
#include <queue>
using namespace std;
int dx[4] = {-1, 0, 1, 0};
int dy[4] = {0, 1, 0, -1};
int n, m, cnt = 0;
vector<vector<int> > graph;
vector<vector<int> > tmp;
void bfs() {
queue<pair<int, int> > q;
tmp = graph;
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++){
if (tmp[i][j] == 2) {
q.push(make_pair(i, j));
}
}
}
while (!q.empty()) {
int x = q.front().first;
int y = q.front().second;
q.pop();
for (int k = 0; k < 4; k++) {
int nx = x + dx[k];
int ny = y + dy[k];
if (nx >= 0 && nx < n && ny >= 0 && ny < m && tmp[nx][ny] == 0) {
tmp[nx][ny] = 2;
q.push(make_pair(nx, ny));
}
}
}
int tmp_cnt = 0;
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
if (tmp[i][j] == 0) tmp_cnt++;
}
}
if (cnt < tmp_cnt) cnt = tmp_cnt;
}
void search(int walls) {
if (walls == 3) {
bfs();
return;
}
for (int i = 0; i < n; i++){
for (int j = 0; j < m; j++) {
if (graph[i][j] == 0) {
graph[i][j] = 1;
search(walls+1);
graph[i][j] = 0;
}
}
}
}
int main() {
ios::sync_with_stdio(false);
cin.tie(NULL);
cin >> n >> m;
graph.resize(n, vector<int>(m,0));
tmp.resize(n, vector<int>(m, 0));
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++){
cin >> graph[i][j];
}
}
search(0);
cout << cnt << '\n';
return 0;
}
728x90
'PS > BOJ' 카테고리의 다른 글
[C++] 백준 1753: 최단경로 (0) | 2024.11.17 |
---|---|
[C++] 백준 5427:불 (0) | 2024.10.02 |
[C++] 백준 1697:숨바꼭질 (0) | 2024.10.02 |
[C++] 백준 2573:빙산 (0) | 2024.10.01 |
[C++] 백준 7569:토마토 (0) | 2024.10.01 |