거북이의 IT 공부
[백준 14502] 연구소 - C++ / 백트래킹 알고리즘 본문
문제
https://www.acmicpc.net/problem/14502
나의 코드
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
|
/*탐색:dfs(백트래킹), 바이러스 감염경로:bfs*/
#include <iostream>
#include <queue>
#include <vector>
#define MAX 8
using namespace std;
int map[MAX][MAX];
queue<pair<int, int>> q;
vector<pair<int, int> > virus;
int direct[4][2] = { {0,1}, {0,-1},{1,0},{-1,0} };
int safe_area, bfs_area, max_area;
int n, m;
//바이러스의 위치(x1, y1)
void BFS(int x1, int y1, bool visited[][MAX]) {
bfs_area = 0;
visited[y1][x1] = true;
q.push(make_pair(x1, y1));
while (!q.empty()) {
pair<int, int> now = q.front();
q.pop();
for (int i = 0; i < 4; i++) {
pair<int, int> next = make_pair(now.first + direct[i][0], now.second + direct[i][1]);
if (next.first < m && next.first >= 0 && next.second < n && next.second >= 0 && !visited[next.second][next.first] && map[next.second][next.first] == 0) {
q.push(next);
visited[next.second][next.first] = true;
bfs_area++;
}
}
}
}
void DFS(int cnt, int x, int y) {
if (cnt == 3) {
int area = safe_area - 3;
bool visited[MAX][MAX] = { 0, };
for (int i = 0;i < virus.size(); i++) {
BFS(virus[i].first, virus[i].second, visited);
area -= bfs_area;
}
if (max_area < area)
max_area = area;
return;
}
if (x >= m) {
x = 0;
y++;
}
if (y >= n)
return;
if (map[y][x] == 0) {
map[y][x] = 1;
DFS(cnt + 1, x + 1, y);
map[y][x] = 0;
}
DFS(cnt, x + 1, y);
}
int main(void) {
cin >> n >> m;
for(int i=0;i<n;i++)
for (int j = 0; j < m; j++) {
cin >> map[i][j];
if (map[i][j] == 0)
safe_area++;
if (map[i][j] == 2)
virus.push_back(make_pair(j, i));
}
DFS(0, 0, 0);
cout << max_area << '\n';
}
|
cs |
여기서 중요한 포인트
1) 벽을 세우는 것은 DFS(재귀함수) 즉, 백트래킹 알고리즘으로
2) 벽을 세운 상태에서 바이러스 감염 상태는 BFS로 확인한다.
'Baekjoon' 카테고리의 다른 글
[백준 14499] 주사위 굴리기 / 시뮬레이션 (0) | 2020.06.16 |
---|---|
[백준 1799] 비숍 - C++ / 백트래킹 (0) | 2020.06.15 |
[백준 1759] 암호 만들기 / 백트래킹 (0) | 2020.06.15 |
[백준 15651] N과 M(3) / 백트래킹 (0) | 2020.06.15 |
[백준 1182] 부분수열의 합 - C++ / 시뮬레이션 알고리즘 (0) | 2020.05.24 |
Comments