체스판 위에 한 나이트가 놓여져 있다. 나이트가 한 번에 이동할 수 있는 칸은 아래 그림에 나와있다. 나이트가 이동하려고 하는 칸이 주어진다. 나이트는 몇 번 움직이면 이 칸으로 이동할 수 있을까?
Input | Output |
---|---|
3 8 0 0 7 0 100 0 0 30 50 10 1 1 1 1 | 5 28 0 |
# 코드
# import sys
from collections import deque
# input = sys.stdin.readline
t = int(input())
for _ in range(t):
i = int(input())
start_r, start_c = map(int, input().split(' '))
end_r, end_c = map(int, input().split(' '))
visited = {}
points = deque([])
answer = 0
points.append((start_r, start_c, 0))
visited[(start_r, start_c)] = True
while points:
r_, c_, cnt = points.popleft()
if r_ == end_r and c_ == end_c:
answer = cnt
break
for d_r, d_c in [(2, 1), (1, 2), (-1, 2), (-2, 1), (-2, -1), (-1, -2), (1, -2), (2, -1)]:
new_r = r_ + d_r
new_c = c_ + d_c
if new_r < 0 or new_r >= i or new_c < 0 or new_c >= i:
continue
if (new_r, new_c) not in visited:
points.append((new_r, new_c, cnt+1))
visited[(new_r, new_c)] = True
print(answer)