ZCMU 1639 残缺的棋盘 (找规律/广搜)

Problem B: 残缺的棋盘

Time Limit: 1 Sec  Memory Limit: 128 MB
Submit: 147  Solved: 56
[Submit][Status][Web Board]

Description

在国际象棋里,王是最重要的一个棋子。每一步,王可以往上下左右或者对角线方向移动一
步,如下图所示。

给定两个格子 A(r1,c1), B(r2,c2),你的任务是计算出一个王从 A 到 B 至少需要走多少步。为了
避免题目太简单,我们从棋盘里拿掉了一个格子 C(r3,c3)(ABC 保证互不相同),要求王从 A
走到 B 的过程中不能进入格子 C。在本题中,各行从上到下编号为 1~8,各列从左到右编号为
1~8。

Input

输入包含不超过 10000 组数据。每组数据包含 6 个整数 r1, c1, r2, c2, r3, c3 (1<=r1, c1, r2, c2, r3,
c3<=8). 三个格子 A, B, C 保证各不相同。

Output

对于每组数据,输出测试点编号和最少步数

Sample Input

1 1 8 7 5 6

1 1 3 3 2 2

Sample Output

Case 1: 7

Case 2: 3

 

题目大意: 用国际象棋中王的走法,在一个8*8的棋盘中定一个起点和终点并挖去一个点王不能在上面停留,要求根据输入的三个点输出从起点走到终点的最小步数。

想法: 这个题从不同角度看,可以很简单也可以很麻烦,简单的是找到步数和三个点位置的规律,多试几次就会发现只有当起点和终点在正方形对角线上并且挖去的点在起点和终点之间的对角线的时候才会使step+1,其他情况下step永远是max(abs(r1-r2),abs(c1-c2)),因此只要判断这三个点是否满足step+1的条件即可。

麻烦的方法是用bfs(广度优先搜索),队友用这个方法wa了很多次花了很多时间才ac。具体就是套用bfs模板注意边界即可。

找规律做法代码:

#include
 
using namespace std;
 
main()
{
    int i=1;
    int x1,y1,x2,y2,x3,y3;
    while(~scanf("%d%d%d%d%d%d",&x1,&y1,&x2,&y2,&x3,&y3))
    {
        int ans;
        if (x1>x2) 
            {swap(x1,x2);swap(y1,y2);}
        if(abs(x2-x1)==abs(y2-y1))
        {
           ans=abs(x2-x1);
           if(abs(x3-x1)==abs(y3-y1) && abs(x3-x2)==abs(y3-y2) && x1

bfs做法:

#include 
#include 
#include 
 
using namespace std;
const int INF = 1000000;
typedef pair P;
int ans;
int dir[8][2] = {{1,0},{1,1},{0,1},{-1,1},{-1,0},{-1,-1},{0,-1},{1,-1}};
int d[9][9];
int sx,sy,ex,ey,cx,cy;
int bfs()
{
	queue 

que; for(int i = 1;i < 9;i++){ for(int j = 1;j < 9;j++){ d[i][j] = INF; } } que.push(P(sx,sy)); d[sx][sy] = 0; while(que.size()){ P p = que.front(); que.pop(); if(p.first == ex && p.second == ey) break; for(int i = 0;i < 8;i++){ int nx = p.first + dir[i][0]; int ny = p.second + dir[i][1]; if(nx < 1 || 9 <= nx || ny < 1 || 9 <= ny || (nx == cx && ny == cy) || d[nx][ny] != INF){ continue; }else{ que.push(P(nx,ny)); d[nx][ny] = d[p.first][p.second] + 1; } } } return d[ex][ey]; } int main() { int ncase,i,j,k; while(scanf("%d %d %d %d %d %d",&sx,&sy,&ex,&ey,&cx,&cy) != EOF){ ans = bfs(); printf("Case %d: %d\n",++ncase,ans); } return 0; }

 

你可能感兴趣的:(ZCMU 1639 残缺的棋盘 (找规律/广搜))