#13913. 숨바꼭질 4
Problem
Solution
- BFS 탐색을 하되, 경로를 알고 있어야 하기에
path[to] = from
을 사용한다. - 즉, 5→6→8→10 이라면 path[10]에는 8, path[8]에는 6이 저장되어 있다.
경로를 출력하기 위해 재귀함수를 사용한다.
1
2
3
4(5, 10) 4. 출력
(5, 8) 3. 출력
(5, 6) 2. 출력
(5, 5) 1. 출력1 Try
code
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
using namespace std;
int N, K;
bool end_flag;
int dist[MAX+1];
vector<int> path;
int dx[4] = { -1, 1, 0, 0 };
int dy[4] = { 0, 0, -1, 1 };
void Input() {
cin >> N >> K;
}
void PrintPath() {
for (auto e : path) cout << e << " ";
cout << "\n";
}
void BFS() {
queue<int> q;
q.push(N);
while (!q.empty()) {
int n = q.front();
q.pop();
if (n == K) return;
if (n > 0 && dist[n - 1] == 0) {
dist[n - 1] = dist[n] + 1;
q.push(n - 1);
}
if (n < MAX && dist[n + 1] == 0) {
dist[n + 1] = dist[n] + 1;
q.push(n + 1);
}
if (2 * n <= MAX && dist[2 * n] == 0) {
dist[2 * n] = dist[n] + 1;
q.push(2 * n);
}
}
}
void DFS(int n, int cnt) {
if (end_flag == true) return;
if (dist[K] == cnt && n == K) {
cout << dist[K] << "\n";
PrintPath();
end_flag = true;
return;
}
if (dist[K] == cnt) return;
if (n > 0) {
path.push_back(n - 1);
DFS(n - 1, cnt + 1);
path.pop_back();
}
if (n < MAX) {
path.push_back(n +1);
DFS(n + 1, cnt + 1);
path.pop_back();
}
if (2 * n <= MAX) {
path.push_back(2 * n);
DFS(2 * n, cnt + 1);
path.pop_back();
}
}
void Solve() {
BFS();
path.push_back(N);
DFS(N, 0);
}
int main() {
Input();
Solve();
return 0;
}BFS + DFS로 구하니 시간초과 (BFS로 depth를 구하고 그 depth만큼 DFS를 수행하도록 하였다.)
2 Try
1 |
|