Algorithm/BOJ
[BOJ] 색종이 붙이기(JAVA)
goakgoak
2021. 1. 27. 15:37
[17136] 색종이 붙이기
Solution
- 색종이를 붙일 수 있는 칸에(findDot()) 대해서 1~5 사이즈의 색종이를 붙이고(isValid() & drawing()) 지워가며(removing()) count가 가장 작은 값을 answer에 저장했다.
- 처음에 접근했던 방식은 map[i][j] 값이 1인 dot들을 List에 넣고, 순서대로 뽑아서 색종이를 붙이는 식으로 구현했는데 이 경우에는 위 6, 7번 예제의 답이 제대로 나오지 않아서 findDot()으로 칸을 찾도록 만들었다.
소스코드
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
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
|
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.*;
public class Main {
static int answer;
static int[][] map;
static int[] paper = {0, 5, 5, 5, 5, 5};
static class Dot {
private int x;
private int y;
public Dot(int x, int y) {
this.x = x;
this.y = y;
}
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
map = new int[10][10];
int count = 0;
StringTokenizer st;
for (int i = 0; i < 10; i++) {
st = new StringTokenizer(br.readLine());
for (int j = 0; j < 10; j++) {
map[i][j] = stoi(st.nextToken());
if (map[i][j] == 1) {
map[i][j] = -1;
count++;
}
}
}
answer = Integer.MAX_VALUE;
if (count > 0) {
dfs(0);
answer = (answer == Integer.MAX_VALUE) ? -1 : answer;
} else {
answer = 0;
}
System.out.println(answer);
}
private static void dfs(int count) {
Dot dot = findDot();
if (dot.x == -1 && dot.y == -1) {
answer = Math.min(answer, count);
return;
}
int x = dot.x;
int y = dot.y;
for (int i = 1; i <= 5; i++) {
if (paper[i] == 0) continue;
if (isValid(x, y, i)) {
drawing(x, y, i);
paper[i]--;
dfs(count + 1);
paper[i]++;
removing(x, y, i);
} else {
return;
}
}
}
private static Dot findDot() {
Dot dot = new Dot(-1, -1);
for (int i = 0; i < map.length; i++) {
for (int j = 0; j < map.length; j++) {
if (map[i][j] == -1) {
dot.x = i;
dot.y = j;
return dot;
}
}
}
return dot;
}
private static void removing(int x, int y, int size) {
for (int i = x; i < x + size; i++) {
for (int j = y; j < y + size; j++) {
map[i][j] = -1;
}
}
}
private static void drawing(int x, int y, int size) {
for (int i = x; i < x + size; i++) {
for (int j = y; j < y + size; j++) {
map[i][j] = size;
}
}
}
private static boolean isValid(int x, int y, int size) {
for (int i = x; i < x + size; i++) {
for (int j = y; j < y + size; j++) {
if (i < 0 || j < 0 || i >= 10 || j >= 10 || map[i][j] != -1) {
return false;
}
}
}
return true;
}
private static int stoi(String s) {
return Integer.parseInt(s);
}
}
|
cs |