POJ 3278 Catch That Cow(图论:BFS)
http://poj.org/problem?id=3278
题意:
在一个数轴上,给你一个起始点和终点,问你从起点走到终点最少需要多少步.你可以单步走也可以double跳跃.
其中单步走指你当前位置在x上,那么你下一步可以走到x+1或x-1位置上。
double跳跃指,你当前位置在x上,那么你下一步可以走到2*x位置上。
分析:
典型的BFS,不过注意点的坐标范围是[0,100000].
当起点s在终点e右边时,直接输出s-e即可。
其他情况则需要BFS解决了。
AC代码:
#include<cstdio>
#include<cstring>
#include<algorithm>
#include<queue>
using namespace std;
const int maxn=100000+5;
int d[maxn],vis[maxn];
queue<int> Q;
void BFS()
{
while(!Q.empty())
{
int x=Q.front();Q.pop();
for(int dir=0;dir<3;dir++)
{
int nx;
if(dir==0) nx=x-1;
else if(dir==1) nx=x+1;
else nx=x*2;
if(nx>=0&&nx<=100000&&vis[nx]==0)
{
vis[nx]=1;
d[nx]=1+d[x];
Q.push(nx);
}
}
}
}
int main()
{
int a,b;
scanf("%d%d",&a,&b);
if(a>=b)//终点在起点左边时
{
printf("%d\n",a-b);
return 0;
}
memset(vis,0,sizeof(vis));
vis[a]=1;
d[a]=0;
Q.push(a);
BFS();
printf("%d\n",d[b]);
return 0;
}
第二遍AC代码:
#include<cstdio>
#include<queue>
#include<cstring>
using namespace std;
const int maxn=100000+5;
int n,k;
int dist[maxn];
int BFS()
{
queue<int> Q;
Q.push(n);
memset(dist,-1,sizeof(dist));
dist[n]=0;
while(!Q.empty())
{
int x = Q.front();Q.pop();
for(int dir=0;dir<3;dir++)
{
int nx;
if(dir==0) nx = x-1;
else if(dir==1) nx = x+1;
else nx = x*2;
if(nx>=0 && nx<=100000 && dist[nx]==-1)
{
dist[nx] = dist[x]+1;
Q.push(nx);
if(nx == k) return dist[nx];
}
}
}
return -1;
}
int main()
{
while(scanf("%d%d",&n,&k)==2)
{
if(n>=k)
{
printf("%d\n",n-k);
continue;
}
int res = BFS();
printf("%d\n",res);
}
return 0;
}