题目:
在很久很久以前,有一位大师级程序员,实力高强,深不可测,代码能力无人能及。从来没有人听说过他的真名,只知道他在完成一段代码后,总会跟上一行注释“十四出品,必属精品”,于是他在编程江湖上便有了绰号“十四”。
然而,十四大师并不满足于现有的一切,他想要让自己的实力有更进一步的提升。为此,他专程前往二次元世界修行。
二次元旅程归来的十四大师学习了新的技能——闪现。
在一条既定的直线道路上,“闪现”技能允许十四大师超时空移动。如果把道路视为一条数轴,使用闪现可以让十四大师瞬间移动到脚下坐标两倍的位置上。例如,如果十四大师站在坐标5的位置上,他可以直接闪现到坐标10的位置,如果继续闪现,则可以到达坐标20的位置上。
现在十四大师打算练习一下“闪现”在生活中的应用。我们假定他站在坐标为a的位置上,而他想要到达坐标为b的位置(0 ≤a,b≤100000)。除了使用闪现外,他也可以像常人一样徒步向前或者向后走,而使用闪现视为行走了一步。请问十四大师最少需要走多少步才可以到达目标?
输入:
输入包含多组数据。每组数据占一行,包含两个整数a和b,表示十四大师的起始坐标和目的地坐标。(0 ≤a,b≤100000)
输出:
对于每组输入,输出一个整数,即十四大师到达目的地的最少步数。
样例:
分析:一开始以为是贪心,然后DFS,第二天脑子清醒了。。。BFS,剪枝贼水,随便试了一下就过了?(一发wa在了我高估了这个大师闪现的能力(@_@)~
ac代码:
#include<iostream> #include<sstream> #include<cstdio> #include<string> #include<cstring> #include<algorithm> #include<functional> #include<iomanip> #include<numeric> #include<cmath> #include<queue> #include<vector> #include<set> #include<cctype> #define PI acos(-1.0) const int INF = 0x3f3f3f; const int NINF = -INF - 1; typedef long long ll; using namespace std; int a, b; int used[100005]; int d[100005]; int bfs() { queue <int> q; memset(d, 0x3f, sizeof(d)); d[a] = 0; q.push(a); while (q.size()) { int temp = q.front(); q.pop(); if (temp == b) break; for (int i = 0; i < 3; ++i) { int nx; if (i == 0) nx = temp - 1; else if (i == 1) nx = temp + 1; else nx = 2 * temp; if ((nx > 0 && nx < 2 * b) && used[nx] == 0) { q.push(nx); used[nx] = 1; d[nx] = d[temp] + 1; } } } return d[b]; } int main() { while (cin >> a >> b) { if (a > b) { cout << a - b << endl; continue; } memset(used, 0, sizeof(used)); int num = bfs(); cout << num << endl; } return 0; }