题目大意:第一行输入三个整数N,A,B。N表示这个电梯共有多少层(电梯有多少层???貌似这种说法有点错误。。但是意思你懂就是啦····),A表示起点(即你现在所在的层数),
B表示终点(即,你想到达的层数)。接下来有N个数字如k1.......ki.......kn,每个数字分别表示在该层可以向上或者是向下移动多少层.........。求到达终点的最少步数
(如果不能到达终点,则输出-1)
解题思路:BFS
较为详细的讲解在代码中会有所体现。在这里只是提一下需要注意的地方;
1)在BFS的题目中,要注意for( i = 0 ? 1??) ——即,就是要注意for循环里面的i是从0开始方便呢???还是从1开始方便呢。。这个要仔细斟酌。。。。。
2)解题关键:
dir[i]、a[now.floor]共同决定往哪个方向走、走多少步.
/*
* 1548_1.cpp
*
* Created on: 2013年8月16日
* Author: Administrator
*/ 章泽天,我的女神!!!!!
#include <iostream>
#include <queue>
using namespace std;
/**
* N: 总共有几层
* A: 起点(你现在在第几层)
* B: 终点(你要去第几层)
* a[] :用来记录每一层可以上或下的层数
*/
int N,A,B;
int a[201];
const int maxn = 201;
bool visited[maxn];
/**
* dir[2]={1,-1},咋一看,决定了往哪个方向移,移多少步..
* 其实不然。。。。有时他可能只需决定往哪个方向移
* (这道题就是只需决定往哪个方向移即可,移动多少步由a[i]来决定)
*
*/
int dir[2]={1,-1};
struct State{
int floor;
int step_counter;
};
bool checkState(State st){
if(!visited[st.floor]&&( !(st.floor < 1 || st.floor > B) )){
return true;
}
return false;
}
int bfs(){
queue<State> q;
State st,now,next;
st.floor = A;
st.step_counter = 0;
q.push(st);
memset(visited,0,sizeof(visited));//这一句千万不要漏掉,否则一般情况下你只有第一个答案是正确的
visited[st.floor] = 1;
while(!q.empty()){
now = q.front();
if(now.floor == B){
return now.step_counter;
}
int i;
for( i = 0 ; i < 2 ; ++i){
//dir[i]、a[now.floor]共同决定往哪个方向走、走多少步.
next.floor = now.floor + dir[i]*a[now.floor];
next.step_counter = now.step_counter + 1;
if(checkState(next)){
q.push(next);
visited[next.floor] = 1;
}
}
q.pop();
}
return -1;
}
int main(){
while(scanf("%d",&N)!=EOF,N){
scanf("%d%d",&A,&B);
int i;
for( i = 1 ; i <= N ; ++i){
scanf("%d",&a[i]);
}
int ans = bfs();
printf("%d\n",ans);
}
}