标签:while cstring i++ 起点到终点 ons ring sizeof printf stream
链接:http://ybt.ssoier.cn:8088/problem_show.php?pid=1248
这题是一个三维的迷宫题目,其中用‘.’表示空地,‘#’表示障碍物,‘S’表示起点,‘E’表示终点,求从起点到终点的最小移动次数,解法和二维的类似,只是在行动时除了东南西北移动外还多了上下。可以上下左右前后移动,每次都只能移到相邻的空位,每次需要花费一分钟,求从起点到终点最少要多久。
多组测试数据。
一组测试测试数据表示一个三维迷宫:
前三个数,分别表示层数、一个面的长和宽,后面是每层的平面图。前三个数据为三个零表示结束。
最小移动次数。
3 4 5 S.... .###. .##.. ###.# ##### ##### ##.## ##... ##### ##### #.### ####E 1 3 3 S## #E# ### 0 0 0
Escaped in 11 minute(s). Trapped!
对于题目给出数据的含义就是输入l,r,c,分别代表迷宫有l层,每层长宽分别是c,r。对于数据以可以这样移动:
(1,1,1)->(1,1,2)->(1,1,3)->(1,1,4)->(1,1,5)->(1,2,5)->
(1,3,5)->(1,3,4)->(1,4,4)->(2,4,4)->(2,4,5)->(3,4,,5)
共11步就可以到达终点 对于数据二明显不能到达,则输出Trapped!
这题用BFS解,每次去队首元素,如果是终点则输出结果移动的次数,否则,从该点开始分别向东南西北上下移动(如果可以走的话)并继续搜,如果到队列为空还没搜到解法,则说明无解。
#include<iostream> #include<cstdio> #include<cstring> #include<queue> using namespace std; int L,r,c,qx,qy,qz; const int maxn=105; char mp[maxn][maxn][maxn]; int x1[7]={0,0,0,0,1,-1}; int y1[7]={1,-1,0,0,0,0}; int z1[7]={0,0,1,-1,0,0}; struct node { int z,x,y,step; node ():z(),x(),y(),step(){} node (const int z,const int x,const int y,const int step):z(z),x(x),y(y),step(step){} }; void bfs() { queue <node>Q; Q.push(node(qz,qx,qy,0)); mp[qz][qx][qy]=‘#‘; while(!Q.empty()) { node nw=Q.front(); Q.pop(); for(int i=0;i<7;i++) { int zn=nw.z+z1[i],xn=nw.x+x1[i],yy1=nw.y+y1[i]; if(zn>=0&&zn<L&&xn>=0&&xn<r&&yy1>=0&&yy1<c&&(mp[zn][xn][yy1]==‘.‘||mp[zn][xn][yy1]==‘E‘)) { if(mp[zn][xn][yy1]==‘E‘) { printf("Escaped in %d minute(s).\n",nw.step+1); return ; } Q.push(node(zn,xn,yy1,nw.step+1)); mp[zn][xn][yy1]=‘#‘; } } } cout<<"Trapped!"<<endl; } int main() { while(cin>>L>>r>>c) { if(r==0&&L==0&&c==0)break; memset(mp,0,sizeof(mp)); char a; for(int i=0;i<L;i++) for(int j=0;j<r;j++) { scanf("%s",mp[i][j]); for(int m=0;m<c;m++) if(mp[i][j][m]==‘S‘) { qz=i;qx=j;qy=m; } } bfs(); } }
标签:while cstring i++ 起点到终点 ons ring sizeof printf stream
原文地址:http://www.cnblogs.com/EdSheeran/p/7709827.html