반응형
문제
풀이
방문을 [y][x][말 이동 사용 횟수]로 체크합니다.
bfs를 돌면서, 각각의 지점에서 말 / 원숭이로 이동할 수 있는 지점을 queue에 push합니다.
소스 코드
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
|
#include <iostream>
#include <queue>
#include <cstring>
#include <vector>
using namespace std;
int dx[] = { 0, 0, -1, 1 };
int dy[] = { -1, 1, 0, 0 };
// 말 이동
int hx[] = { 1, 2, 2, 1, -1, -2, -2, -1 };
int hy[] = { -2, -1, 1, 2, 2, 1, -1, -2 };
int map[200][200];
bool visited[200][200][30];
int K, W, H;
struct info
{
int x;
int y;
// 말 이동 사용 횟수
int move;
// 이동 횟수
int cnt;
};
int bfs() {
queue<info> q;
q.push({ 0, 0, 0 });
visited[0][0][0] = true;
while (!q.empty()) {
int x = q.front().x;
int y = q.front().y;
int move = q.front().move;
int cnt = q.front().cnt;
q.pop();
// 목적지 도착
if (x == W - 1 && y == H - 1) {
return cnt;
}
int temp = 1;
// 말 이동
if (move < K) {
for (int i = 0; i < 8; i++) {
int nx = x + hx[i];
int ny = y + hy[i];
if (nx >= 0 && ny >= 0 && nx < W && ny < H) {
// 방문하지 않았고, 평지일 때
if (!visited[ny][nx][move + 1] && map[ny][nx] == 0) {
visited[ny][nx][move + 1] = true;
q.push({ nx, ny, move + 1, cnt + 1 });
}
}
}
}
// 원숭이 이동
for (int i = 0; i < 4; i++) {
int nx = x + dx[i];
int ny = y + dy[i];
if (nx >= 0 && ny >= 0 && nx < W && ny < H) {
// 방문하지 않았고, 평지일 때
if (!visited[ny][nx][move] && map[ny][nx] == 0) {
visited[ny][nx][move] = true;
q.push({ nx, ny, move, cnt + 1 });
}
}
}
}
return -1;
}
int main() {
ios_base::sync_with_stdio(false);
cin.tie(0);
cin >> K >> W >> H;
for (int i = 0; i < H; i++) {
for (int j = 0; j < W; j++) {
cin >> map[i][j];
}
}
cout << bfs();
return 0;
}
|
cs |
반응형
'알고리즘 > 백준' 카테고리의 다른 글
[백준 12904] A와 B C++ (0) | 2021.12.07 |
---|---|
[백준 17142] 연구소 3 C++ (0) | 2021.12.06 |
[백준 4485] 녹색 옷 입은 애가 젤다지? C++ (0) | 2021.12.03 |
[백준 16235] 나무 재테크 C++ (0) | 2021.12.01 |
[백준 14002] 가장 긴 증가하는 부분 수열 4 C++ (0) | 2021.12.01 |