Leta Learns

[Python] 백준 7562번 - 나이트의 이동 본문

Coding/백준

[Python] 백준 7562번 - 나이트의 이동

leta 2022. 2. 4. 11:51

문제 https://www.acmicpc.net/problem/7562

 

7562번: 나이트의 이동

체스판 위에 한 나이트가 놓여져 있다. 나이트가 한 번에 이동할 수 있는 칸은 아래 그림에 나와있다. 나이트가 이동하려고 하는 칸이 주어진다. 나이트는 몇 번 움직이면 이 칸으로 이동할 수

www.acmicpc.net

 

단순 bfs 였다.

이제 그래프는 잠시 쉬어도 될 것 같은 느낌..

 

import sys
from collections import deque
input = sys.stdin.readline

def bfs(cur_y, cur_x):
    chess[cur_y][cur_x] = 1
    q = deque()
    q.append((cur_y, cur_x))
    while q:
        y, x = q.popleft()
        if y == des_y and x == des_x:
            return chess[des_y][des_x] - 1
        dxdy = [(-2, -1), (-2, 1), (-1, -2), (-1, 2), (1, -2), (1, 2), (2, -1), (2, 1)]
        for dy, dx in dxdy:
            ny = y + dy
            nx = x + dx
            if -1 < nx < l and -1 < ny < l:
                if chess[ny][nx] == 0:
                    chess[ny][nx] = chess[y][x] + 1
                    q.append((ny, nx))

t = int(input())
for _ in range(t):
    l = int(input())
    chess = [[0 for _ in range(l)] for _ in range(l)]
    cur_y, cur_x = map(int, input().split())
    des_y, des_x = map(int, input().split())
    print(bfs(cur_y, cur_x))

 

 

 

Comments