题目链接:http://acm.sdut.edu.cn/sdutoj/problem.php?action=showproblem&problemid=2156
人可以动,宝藏也可以动,相当于一个追击问题,不过,人每秒可以走两步:1.按照地图来走(如果超出地图的范围,则可以不移动),2.按照自己的意愿来走(选取距离宝藏近的方向移动),宝藏只能按照地图来走。如果人走的时间小于等于100,到达宝藏的位置,输出时间即可,但如果陷于循环内,则输出陷入循环,如果走的时间超过100,还没到达宝藏的位置,即输出结果不确定。
由于地图是不断变化的,但是是有周期性的变化,所以可以按照其周期性得知某时刻地图。然后模拟其追击过程即可。因为走的时间不到100,所以每走一步,记录人的位置以及宝藏的位置,如果某一时刻人的位置和宝藏的位置与以前的一样,并且此时地图变化的时刻也一样,即证明已经陷入死循环内了。代码如下:
#include<iostream> #include<cstdio> using namespace std; int maze[35][35]; int dy1[]={1,-1,0,0},dx1[]={0,0,1,-1};//地图的移动 int dy2[]={1,-1,0,0},dx2[]={0,0,-1,1};//喜好的选择 int n,t,t_x,t_y;//t_x,t_y代表宝藏的位置 int flag; //判断是否循环 struct node { int px,py,tx,ty,t; }no[110]; bool outmap(int x,int y) { if(x<0||y<0||x>=n||y>=n) return true; return false; } bool better(int x,int y,int xx,int yy) { return (x-t_x)*(x-t_x)+(y-t_y)*(y-t_y)<(xx-t_x)*(xx-t_x)+(yy-t_y)*(yy-t_y); } bool check(int x,int y) //是否形成环 { int i=0; for(i=0;i<t;i++) if(no[i].px==x&&no[i].py==y&&no[i].tx==t_x&&no[i].ty==t_y&&no[i].t==t%4) { flag=1; return true; } no[i].px=x,no[i].py=y,no[i].tx=t_x,no[i].ty=t_y,no[i].t=t%4; return false; } void dfs(int x,int y) { if(x==t_x&&y==t_y||t>100) return ; if(check(x,y)) return ; int tmp1=(maze[x][y]+t)%4,tmp2=(maze[t_x][t_y]+t)%4; int i,xx,yy,ttx,tty; xx=x+dx1[tmp1]; yy=y+dy1[tmp1]; if(!outmap(xx,yy)) x=xx,y=yy; xx=x;yy=y; //printf("%d %d\n",x,y); for(i=0;i<4;i++) { if(!outmap(x+dx2[i],y+dy2[i])) if(better(x+dx2[i],y+dy2[i],xx,yy)) { xx=x+dx2[i]; yy=y+dy2[i]; } } x=xx;y=yy; //printf("%d %d\n\n",x,y); ttx=t_x+dx1[tmp2]; tty=t_y+dy1[tmp2]; if(!outmap(ttx,tty)) t_x=ttx,t_y=tty; //printf("%d %d\n\n",t_x,t_y); t++; dfs(x,y); } int main() { int tt=1; while(scanf("%d",&n),n) { int i,j; char c; getchar(); for(i=0;i<n;i++) { for(j=0;j<n;j++) { scanf("%c",&c); if(c=='E') maze[i][j]=0; else if(c=='W') maze[i][j]=1; else if(c=='S') maze[i][j]=2; else maze[i][j]=3; } getchar(); } t_x=n-1;t_y=n-1; t=0; dfs(0,0); printf("Case %d:\n",tt++); if(t<=100) { if(flag) printf("Impossible. At step %d.\n",t); else printf("Get the treasure! At step %d.\n",t); } else printf("Not sure.\n"); printf("\n"); } return 0; }