Notice
Recent Posts
Recent Comments
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- C++
- 이런게4문제
- dp
- 레벨2
- BFS
- 코딩테스트
- Set
- 문자열
- 삼성SW테스트
- KAKAO
- 모의SW역량테스트
- 코딩스킬
- 완전탐색
- 백준
- substr
- priority_queue
- 브루트포스
- 프로그래머스
- 삼성
- 2018
- Sort
- swea
- find
- 백트래킹
- STL
- 레벨3
- 삼성SW역량테스트
- dfs
- Map
- 시뮬레이션
Archives
- Today
- Total
-
[DFS/백트래킹] 백준 17136번 - 색종이 붙이기 본문
https://www.acmicpc.net/problem/17136
백준 DFS/백트래킹 문제 '색종이 붙이기'문제입니다.
실제로 삼성 A형 모의기출에 출제된 문제이며, 가지치기를 이용한 탐색을 요구하는 문제였습니다.
경사로, 활주로 건설 문제처럼 범위를 고려하며 각 크기의 색종이를 붙일 수 있으면 붙이고 넘어간 뒤 해당하는 탐색을 종료한 뒤에 다시 색종이를 떼주는 작업을 해주는 전형적인 DFS 함수의 틀을 고려해 구현했습니다.
상단에는 종료조건에 대한 구현을 해주었으며, 특히 전역 정답보다 현재 정답이 같거나 큰 경우 더이상 탐색을 하지 않도록 하는 가지치기 부분이 시간을 거의 반으로 줄여주는 역할을 하게 하였습니다.
아래는 C언어 기반의 코드입니다.
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
|
#include <stdio.h>
#pragma warning(disable:4996)
#define MAX 10
#define INF 987654321
int remain[6] = { 0, 5, 5, 5, 5, 5 };
int map[MAX][MAX];
int cnt = 0;
int answer = INF;
int min(int a, int b){
if (a < b) return a;
return b;
}
void solve(int r, int c){
if (answer <= cnt) return;
if (r >= MAX){
answer = min(answer, cnt);
return;
}
if (c >= MAX){
solve(r + 1, 0);
return;
}
if (map[r][c] == 0) {
solve(r, c + 1);
return;
}
for (int len = 5; len >= 1; len--){
if (remain[len] == 0 || r + len > MAX || c + len > MAX){
continue;
}
int flag = 1;
for (int i = r; i <= r + len - 1; i++){
for (int j = c; j <= c + len - 1; j++){
if (map[i][j] == 0) {
flag = -1;
break;
}
}
if (flag == -1) break;
}
if (flag == -1) continue;
for (int i = r; i <= r + len - 1; i++){
for (int j = c; j <= c + len - 1; j++){
map[i][j] = 0;
}
}
remain[len]--;
cnt++;
solve(r, c + len);
for (int i = r; i <= r + len - 1; i++){
for (int j = c; j <= c + len - 1; j++){
map[i][j] = 1;
}
}
remain[len]++;
cnt--;
}
}
int main(){
for (int r = 0; r < 10; r++){
for (int c = 0; c < 10; c++){
scanf("%d", &map[r][c]);
}
}
solve(0, 0);
if (answer == INF)
printf("-1\n");
else
printf("%d\n", answer);
return 0;
}
http://colorscripter.com/info#e" target="_blank" style="color:#4f4f4ftext-decoration:none">Colored by Color Scripter
|
http://colorscripter.com/info#e" target="_blank" style="text-decoration:none;color:white">cs |
'3. DFS & 백트래킹' 카테고리의 다른 글
[DFS] 백준 2573번 - 빙산 (0) | 2020.02.07 |
---|---|
[백준] 2668번 - 숫자 고르기 (0) | 2020.02.07 |
[DFS] 백준 2468번 - 안전영역 (정답률 33%) (0) | 2020.01.13 |
[DFS] 백준 2583번 - 영역 구하기 (정답률 56%) (0) | 2020.01.13 |
[DFS] 백준 2667번 - 단지번호붙이기 (정답률 38%) (0) | 2020.01.07 |
Comments