现在在一块空的场地上会有一个大的二维棋盘,裁判会给你指定初始位置及一座贝多芬雕像所处的位置,你开始时就站在裁判指定的初始位置处,你的目标是跳到贝多芬雕像的位置。为了给比赛增加一定的难度,你在棋盘上行走时,必须按照中国象棋中的马的走步方式来走。玩过中国象棋的人都知道,马走“日”,象走“田”。最后,你只需要告诉裁判最少多少步能到达贝多芬的雕像。如果根本就到不了贝多芬的雕像处,你直接告诉裁判就可以了。
玄影游侠站在棋盘的某一个位置,不知道该如何走,他知道你们都学过程序设计,所以想请你们帮帮忙编一个程序来帮助他找到想要到达贝多芬的雕像处所需要的最少的步数。
- 输入:
每组测试数据可能有多组输入,对于每一组输入,
输入的第一行包括一个整数N(1<=N<=100),代表棋盘的大小是N*N。
输入的第二行包括四个数start_x, start_y, end_x, end_y(1 <= start_x,start_y,end_x,end_y <= N),分别代表你开始时的位置的x坐标和y坐标以及贝多芬雕像的x坐标和y坐标。
- 输出:
如果你能够到达贝多芬雕像的位置,请输出最少需要多少步。
如果不能到达,则输出-1。
- 样例输入:
3
1 1 3 2
3
1 1 2 2
- 样例输出:
1
-1
用广度优先搜索即可#include <cstdio>
#include <cstring>
#include <iostream>
#include <queue>
using namespace std;
int n;
int sx,sy,ex,ey;
int dir[][] = {{,},{,},{,-},{,-},{-,-},{-,-},{-,},{-,}};
typedef pair<int ,int> P;
queue <P> que;
int step[][];
int ans; void bfs() {
while(!que.empty()) {
P tmp = que.front(); que.pop();
int cnt = step[tmp.first][tmp.second];
if(tmp.first == ex && tmp.second == ey) {
ans = cnt-;
break;
}
for(int i = ; i < ; i++) {
int x = dir[i][] + tmp.first;
int y = dir[i][] + tmp.second;
if(x >= && y >= && x <= n && y <= n && step[x][y] == ) {
que.push(P(x, y));
step[x][y] = cnt + ;
}
}
}
}
int main(int argc, char const *argv[])
{
//freopen("input.txt","r",stdin);
while(scanf("%d",&n) != EOF) {
scanf("%d %d %d %d",&sx,&sy,&ex,&ey);
memset(step, , sizeof(step));
P start = P(sx, sy);
step[sx][sy] = ; while(!que.empty()) {
que.pop();
}
que.push(start);
ans = -;
bfs();
printf("%d\n",ans);
}
return ;
}