본문 바로가기

BOJ

백준 7562 / 나이트의 이동



최단 거리 문제니 BFS로 풀면된다.


탐색을 


int dx[] = {1,2,2,1,-1,-2,-2,-1 };

int dy[] = { 2,1,-1,-2,-2,-1,1,2 };


로 해야한다는 것이 중요.


테스트케이스마다 모든것들을 초기화시켜줘야하는데 


여기서 사용한 큐도 초기화시켜줘야한다. (그냥 와일문안에 큐를 새로 선언하면 되긴하지만)



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
#include<stdio.h>
#include<iostream>
#include<queue>
#include<algorithm>
#include<memory.h>
 
using namespace std;
 
 
int dx[] = {1,2,2,1,-1,-2,-2,-1 };
int dy[] = { 2,1,-1,-2,-2,-1,1,2 };
 
int n;
int map[301][301];
bool check[301][301];
 
 
queue<pair<intint>>q;
 
int main() {
    freopen("Text.txt""r", stdin);
 
    int testcase;
 
    cin >> testcase;
 
    while (testcase--) {
        cin >> n;
        int a, b;
        int gx, gy;
        cin >> a >> b;
        cin >> gx >> gy;
 
        
        check[a][b] = true;
 
        q.push(make_pair(a, b));
 
        while (!q.empty()) {
            int x = q.front().first;
            int y = q.front().second;
            q.pop();
 
            if (x == gx && y == gy) {
                cout << map[x][y] << endl;
 
                while (!q.empty())q.pop();
 
                break;
            }
 
            for (int i = 0; i < 8; i++) {
                int nx = x + dx[i];
                int ny = y + dy[i];
 
                if (nx >= 0 && ny >= 0 && nx < n && ny < n) {
                    if (check[nx][ny] == false) {
                        check[nx][ny] = true;
                        map[nx][ny] = map[x][y] + 1;
                        q.push(make_pair(nx, ny));
                    }
                }
            }
        }
 
        memset(check, falsesizeof(check));
        memset(map, 0sizeof(map));
 
    }
 
}
 
cs









'BOJ' 카테고리의 다른 글

백준 7569 / 토마토  (0) 2019.01.02
백준 13913 / 숨바꼭질 4  (0) 2019.01.01
백준 2468 / 안전 영역  (0) 2019.01.01
백준 2583 / 영역 구하기  (0) 2019.01.01
백준 11403 / 경로 찾기  (0) 2018.12.31