문제
체스판 위에 한 나이트가 놓여져 있다. 나이트가 한 번에 이동할 수 있는 칸은 아래 그림에 나와있다. 나이트가 이동하려고 하는 칸이 주어진다. 나이트는 몇 번 움직이면 이 칸으로 이동할 수 있을까?
입력
입력의 첫째 줄에는 테스트 케이스의 개수가 주어진다.
각 테스트 케이스는 세 줄로 이루어져 있다. 첫째 줄에는 체스판의 한 변의 길이 l(4 ≤ l ≤ 300)이 주어진다. 체스판의 크기는 l × l이다. 체스판의 각 칸은 두 수의 쌍 × 로 나타낼 수 있다. 둘째 줄과 셋째 줄에는 나이트가 현재 있는 칸, 나이트가 이동하려고 하는 칸이 주어진다.
출력
각 테스트 케이스마다 나이트가 최소 몇 번만에 이동할 수 있는지 출력한다.
예제
입력1
3
8
0 0
7 0
100
0 0
30 50
10
1 1
1 1
출력1
5
28
0
코드
from sys import stdin
import collections
class Solution:
def moveKnight(self, l: int, startX: int, startY: int, endX: int, endY: int):
count = 0
x = [-2, -2, -1, -1, 1, 1, 2, 2]
y = [-1, 1, -2, 2, -2, 2, -1, 1]
queue = collections.deque([[startX, startY, count]])
visited = [[False] * (l + 1) for tmp in range(l + 1)]
while queue:
popX, popY, count = queue.popleft()
if popX == endX and popY == endY:
return count
if not visited[popY][popX]:
visited[popY][popX] = True
count += 1
for i in range(8):
appendX = popX + y[i]
appendY = popY + x[i]
if 0 <= appendX < l and 0 <= appendY < l:
queue.append([appendX, appendY, count])
T = int(stdin.readline())
answers = []
for i in range(T):
l = int(stdin.readline())
startX, startY = map(int, stdin.readline().split())
endX, endY = map(int, stdin.readline().split())
answers.append(Solution().moveKnight(l, startX, startY, endX, endY))
for answer in answers:
print(answer)