MYF

HDU 2717 Catch That Cow

题目链接

HDU 2717

解题方法:BFS

题目分析

题目大意

FJ丢了头牛,现在FJ在N点,牛在K点,FJ有以下两种移动方式:

  1. 一次向左或向右移动一格
  2. 从x点移动到2*x点

    耗时均为1min,问牛不动,FJ从N到K点最少需要多久。

解析

对于FJ所在的每个点有三种操作:向左,向右,加倍。如果FJ的坐标大于牛的坐标了,那么他也没有必要往右了,可以进行一个剪枝操作。对于每个点,他下一步能移动到的点的最短距离为该点加1,然后将这个点push进队列。一旦找到了b点,就结束BFS。

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
#include <set>
#include <map>
#include <stack>
#include <cmath>
#include <queue>
#include <cstdio>
#include <string>
#include <vector>
#include <iomanip>
#include <cstring>
#include <iostream>
#include <algorithm>
#define Memset(a,val) memset(a,val,sizeof(a))
#define PI acos(-1)
#define rt(n) (i == n ? '\n' : ' ')
#define hi printf("Hi----------\n")
#define debug(x) cout<<"Debug : ---"<<x<<"---"<<endl;
#define eps 1e-8
#define INF 0x3f3f3f3f
#pragma comment(linker, "/STACK:1024000000,1024000000")
typedef long long ll;
using namespace std;
#define maxn 200005
int vis[maxn];
int a,b;
void bfs(){
Memset(vis, 0);
queue<int>q;
q.push(a);
vis[a]=1;
while (!q.empty()) {
int tp=q.front();
q.pop();
if (tp<b) {
if (tp+1<maxn&&!vis[tp+1]) {
vis[tp+1]=vis[tp]+1;
if (tp+1==b) return;
else q.push(tp+1);
}
if (tp*2<maxn&&!vis[tp*2]) {
vis[2*tp]=vis[tp]+1;
if (tp*2==b) return;
else q.push(2*tp);
}
}
if (tp-1>=0&&!vis[tp-1]) {
vis[tp-1]=vis[tp]+1;
if (tp-1==b) return;
else q.push(tp-1);
}

}
}
int main(){
while (scanf("%d%d",&a,&b)!=EOF) {
bfs();
printf("%d\n",vis[b]-vis[a]);
}
}