문제 링크 : https://www.acmicpc.net/problem/2573
문제 설명
1. map 이 주어지고 map 에서 자연수로 빙산의 크기가 주어진다 (0이면 물인거임)
2. 빙산은 1년마다 크기가 작아지고 작아지는 기준은 자기 기준 상하좌우 가 물인 즉 0인 갯수 만큼작아짐 .
3. 그래서 몇년후에 빙산이 2조각 이상으로 갈라지겠는가! 안갈라지면 0 을 출력.
알고리즘
1. 일단 dfs로 빙산의 조각 갯수를 구하는 check함수를 만듦
2. bing 함수에서 1년마다 빙산이 녹는 것을 구현.
3. 마지막에 while 문을 이용하여 1년 주기를 나타내 주었다.
코드
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
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
|
#include<iostream>
using namespace std;
int N, M;
int map[305][305];
int map2[305][305];
int visited[305][305];
int dx[] = { 1,-1,0,0 };
int dy[] = { 0,0,1,-1 };
void dfs(int y,int x) {
if (visited[y][x]) return;
visited[y][x] = 1;
for (int i = 0; i < 4; i++) {
int next_x = x + dx[i];
int next_y = y + dy[i];
if (next_x >= 0 && next_x < M && next_y >= 0 && next_y < N) {
if (map[next_y][next_x] != 0){
dfs(next_y, next_x);
}
}
}
}
int check() { //DFS로 덩어리 갯수 확인 ..
int cnt = 0;
for (int i = 0; i < N; i++) {
for (int j = 0; j < M; j++) {
if(!visited[i][j]&&map[i][j]!=0){
dfs(i, j);
cnt++;
}
if (cnt > 2)return 2;
}
}
return cnt;
}
void bing() { //
for(int i = 0 ;i<N;i++){
for (int j = 0; j < M; j++) {
int cnt = 0; //주변에 0의 갯수 확인할 변수
if (map[i][j] == 0)continue; //0이면확인할 필요가없으니까 continue
else{
for (int k = 0; k < 4; k++) {//상하좌우 0 찾는거고
int y = i + dy[k];
int x = j + dx[k];
if (x >= 0 && x < M && y >= 0 && y < N) {
if (map[y][x] == 0) { //0이면 cnt++
cnt++;
}
}
}
map2[i][j] = map[i][j] - cnt; //map2에 map에서 cnt 를 빼준 값 대입
if (map2[i][j] < 0) map2[i][j] = 0; // 음수 처리
}
}
}
for (int i = 0; i < N; i++) {
for (int j = 0; j < M; j++) {
map[i][j] = map2[i][j];
}
}
}
void reset() {
for (int i = 0; i < N; i++)
for (int j = 0; j < M; j++)visited[i][j] = 0;
}
int main() {
cin >> N >> M;
for (int i = 0; i < N; i++) {
for (int j = 0; j < M; j++) {
cin >> map[i][j];
}
}
int result = 0;
while (1) {//여러번 해야되니까 while 문 .
int cnt = check();
if (cnt == 0) {
cout << 0;
return 0;
}
else if (cnt == 2) {
cout << result;
return 0;
}
bing();
reset();
result++;
}
}
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter
|
'c++ > 백준' 카테고리의 다른 글
백준 1700번: 멀티탭 스케줄링 (0) | 2020.04.09 |
---|---|
백준 1003번 : 피보나치 함수 (0) | 2020.04.06 |
백준 9095번 :R G B 거리 (0) | 2020.04.06 |
백준 9095번 : 1,2,3 더하기 (0) | 2020.04.06 |
백준 11055: 가장 큰 증가 부분 수열 (0) | 2020.04.03 |