N * N 크기에 사탕이 채워져있는데 여기서 인접한 사탕 2개를 교환합니다.
그 후에 N * N 크기의 배열에서 사탕의 색이 같은색으로 이루어진 가장 긴 연속된 부분을 찾아야합니다.
이 문제는 모든 경우를 다 해봐야하므로 이중for문을 돌려주었고, 4방향 탐색을 하여 하나씩 교환을 하고, 행, 열에서 연속된 사탕의 최대 갯수를 구하였습니다.
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
|
#include <iostream>
#include <algorithm>
using namespace std;
char list[51][51];
int direct[4][2] = { {0,1},{1,0},{0,-1},{-1,0} };
int N, ans;
void solve() {
for (int i = 0; i < N; i++) {
int cnt = 1;
for (int j = 1; j < N; j++) {
if (list[i][j] == list[i][j - 1]) cnt++;
else {
ans = max(ans, cnt);
cnt = 1;
}
}
ans = max(ans, cnt);
}
for (int j = 0; j < N; j++) {
int cnt = 1;
for (int i = 1; i < N; i++) {
if (list[i][j] == list[i - 1][j]) cnt++;
else {
ans = max(ans, cnt);
cnt = 1;
}
}
ans = max(ans, cnt);
}
}
void func() {
for (int i = 0; i < N; i++) {
for (int j = 0; j < N; j++) {
char ch = list[i][j];
for (int k = 0; k < 4; k++) {
int nx = i + direct[k][0];
int ny = j + direct[k][1];
if (nx < 0 || ny < 0 || nx >= N || ny >= N) continue;
swap(list[i][j], list[nx][ny]);
solve();
swap(list[i][j], list[nx][ny]);
}
}
}
cout << ans << '\n';
}
void input() {
cin >> N;
for (int i = 0; i < N; i++) {
for (int j = 0; j < N; j++) {
cin >> list[i][j];
}
}
}
int main() {
cin.tie(NULL); cout.tie(NULL);
ios::sync_with_stdio(false);
input();
func();
return 0;
}
|
cs |
'algorithm > Implementation' 카테고리의 다른 글
boj 2564 경비원 (0) | 2021.04.13 |
---|---|
boj 16719 ZOAC (0) | 2021.03.15 |
boj 8320 직사각형을 만드는 방법 (0) | 2021.02.25 |
boj 3985 롤 케이크 (0) | 2021.02.25 |
boj 2116 주사위 쌓기 (0) | 2021.02.25 |