当前位置: 面试刷题>> 骑士的最短路径 (经典算法题500道)


### 题目描述补充 **题目:骑士的最短路径** 在一个标准的8x8国际象棋棋盘上,有一个骑士(马)想要从棋盘上的一个位置移动到另一个位置,但骑士的移动方式受到其走法规则的限制:它每次可以移动到当前位置“日”字形对角线上的两个位置中的任意一个(即,水平和垂直方向上各移动两格,或者水平和垂直方向上各移动一格但另一个方向上移动一格)。 给定棋盘的起始位置和目标位置(以(x, y)坐标表示,其中(0, 0)是棋盘的左上角),请编写一个函数来计算骑士从起始位置移动到目标位置所需的最少步数。如果无法到达目标位置,则返回-1。 ### 示例 **输入**: - 起始位置: (0, 0) - 目标位置: (7, 7) **输出**: - 所需的最少步数(例如:6,因为存在一种方式让骑士在6步内从(0, 0)移动到(7, 7)) ### 解题思路 这个问题是一个典型的图搜索问题,可以使用广度优先搜索(BFS)来解决。我们可以将棋盘上的每个位置看作图中的一个节点,每个节点有8个可能的邻居(但由于棋盘边界和骑士移动规则的限制,实际可移动的邻居可能少于8个)。我们从起始位置开始,逐层向外搜索,直到找到目标位置或确定无法到达。 ### PHP 示例代码 ```php enqueue([$src[0], $src[1], 0]); // [x, y, steps] $visited = array_fill(0, 8, array_fill(0, 8, false)); $visited[$src[0]][$src[1]] = true; while (!$queue->isEmpty()) { [$x, $y, $steps] = $queue->dequeue(); if ($x == $dest[0] && $y == $dest[1]) { return $steps; } for ($i = 0; $i < 8; $i++) { $nx = $x + $dx[$i]; $ny = $y + $dy[$i]; if ($nx >= 0 && $nx < 8 && $ny >= 0 && $ny < 8 && !$visited[$nx][$ny]) { $visited[$nx][$ny] = true; $queue->enqueue([$nx, $ny, $steps + 1]); } } } return -1; // 如果无法到达 } echo knightShortestPath([0, 0], [7, 7]); // 输出示例 ?> ``` ### Python 示例代码 ```python from collections import deque def knight_shortest_path(src, dest): dx = [-2, -1, 1, 2, 2, 1, -1, -2] dy = [1, 2, 2, 1, -1, -2, -2, -1] queue = deque([(src[0], src[1], 0)]) # (x, y, steps) visited = set([(src[0], src[1])]) while queue: x, y, steps = queue.popleft() if (x, y) == dest: return steps for i in range(8): nx, ny = x + dx[i], y + dy[i] if 0 <= nx < 8 and 0 <= ny < 8 and (nx, ny) not in visited: visited.add((nx, ny)) queue.append((nx, ny, steps + 1)) return -1 print(knight_shortest_path((0, 0), (7, 7))) # 输出示例 ``` ### JavaScript 示例代码 ```javascript function knightShortestPath(src, dest) { const dx = [-2, -1, 1, 2, 2, 1, -1, -2]; const dy = [1, 2, 2, 1, -1, -2, -2, -1]; const queue = [[src[0], src[1], 0]]; // [x, y, steps] const visited = new Set(); visited.add(`${src[0]},${src[1]}`); while (queue.length > 0) { const [x, y, steps] = queue.shift(); if (x === dest[0] && y === dest[1]) { return steps; } for (let i = 0; i < 8; i++) { const nx = x + dx[i]; const ny = y + dy[i]; if (nx >= 0 && nx < 8 && ny >= 0 && ny < 8 && !visited.has(`${nx},${ny}`)) { visited.add(`${nx},${ny}`); queue.push([nx, ny, steps + 1]); } } } return -1; } console.log(knightShortestPath([0, 0], [7, 7])); // 输出示例 ``` **码小课**网站中有更多相关内容分享给大家学习,包括但不限于算法基础、数据结构、编程语言进阶等,欢迎访问学习。
推荐面试题