기술 블로그

1941번 소문난 칠공주 본문

알고리즘 문제/BOJ

1941번 소문난 칠공주

parkit 2018. 9. 6. 22:56
728x90
반응형

백트래킹으로 풀려다가 안 풀려서, 다른 사람의 코드를 참고하였다.



문제에서


서로 가로나 세로로 반드시 인접해야한다.


라고 나와있다.


따라서, ┼ 같은 십자 모양은 DFS, 백트래킹으로 탐색할 수 없기 때문에 다른 아이디어가 필요하다.



문제의 조건을 요약하면 다음과 같다.


25명의 여학생들 중에서, 7명을 뽑는다. 7명 중 최소 4명 이상은 '이다솜파'여야 한다.

또한, 뽑은 7명의 학생들은 서로 서로 연결되어 있어야 한다. 



즉, 뽑은 7명의 학생이 연결되어있는지만 DFS로(chk 함수) 검사하면 된다.





https://www.acmicpc.net/problem/1941






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
#include <cstdio>
#include <cstring>
#include <iostream>
#include <algorithm>
#include <string>
#include <queue>
#include <vector>
 
using namespace std;
 
char student[5][5];
 
int result = 0;
 
int save[7= { 0, };
 
int dy[4= { -1010 };
int dx[4= { 0-101 };
 
bool visit[5][5= { true, };
 
void chk(int r, int c)
{
    visit[r][c] = true;
 
    for (int i = 0; i < 4; i++)
    {
        int y = r + dy[i];
        int x = c + dx[i];
 
        if (0 <= y && y < 5 && 0 <= x && x < 5 && !visit[y][x])
        {
            chk(y, x);
        }
    }
}
 
void DFS(int n, int Y_count, int index)
{
    if (Y_count >= 4return// 임도연파가 4명 이상일 수 없다. by 문제 조건
 
    if (n == 7// 7명
    {
        memset(visit, truesizeof(visit));
 
        int chk_cnt = 0;
 
        for (int i = 0; i < n; i++)
        {
            int y = save[i] / 5;
            int x = save[i] % 5;
 
            visit[y][x] = false;
        }
 
        for (int i = 0; i < 5; i++)
        {
            for (int j = 0; j < 5; j++)
            {
                if (!visit[i][j])
                {
                    ++chk_cnt;
 
                    if (chk_cnt >= 2return// 시간을 조금이라도 더 줄일 수 있다.
 
                    chk(i, j);
                }
            }
        }
 
        ++result;
 
        return;
    }
 
    for (int i = index; i <= 24; i++)
    {
        save[n] = i;
 
        if (student[i / 5][i % 5== 'Y') DFS(n + 1, Y_count + 1, i + 1);
        else DFS(n + 1, Y_count, i + 1);
    }
}
 
 
int main(void)
{
    for (int i = 0; i < 5; i++)
    {
        for (int j = 0; j < 5; j++)
        {
            cin >> student[i][j];
        }
    }
 
    DFS(000);
 
    printf("%d\n", result);
 
    return 0;
}
cs








728x90
반응형

'알고리즘 문제 > BOJ' 카테고리의 다른 글

10845번 큐  (0) 2018.09.15
14890번 경사로  (0) 2018.09.08
1613번 역사  (0) 2018.09.05
2146번 다리 만들기  (0) 2018.09.04
14502번 연구소  (0) 2018.09.02