题目描述
X星球的流行宠物是青蛙,一般有两种颜色:白色和黑色。
X星球的居民喜欢把它们放在一排茶杯里,这样可以观察它们跳来跳去。
如下图,有一排杯子,左边的一个是空着的,右边的杯子,每个里边有一只青蛙。
*WWWBBB
其中,W字母表示白色青蛙,B表示黑色青蛙,*表示空杯子。
X星的青蛙很有些癖好,它们只做3个动作之一
- 跳到相邻的空杯子里。
- 隔着1只其它的青蛙(随便什么颜色)跳到空杯子里。
- 隔着2只其它的青蛙(随便什么颜色)跳到空杯子里。
对于上图的局面,只要1步,就可跳成该局面:WWW*BBB
本题的任务就是已知初始局面,询问至少需要几步,才能跳成另一个目标局面。
输入
输入存在多组测试数据,对于每组测试数据:
输入为2行,2个串,表示初始局面和目标局面。输入的串的长度不超过15
输出
对于每组测试数据:输出要求为一个整数,表示至少需要多少步的青蛙跳。
样例输入
WWBB
WWBB
WWWBBB
BBBWWW
样例输出
2
10
解题思路:
如果我们考虑青蛙跳,就有太多青蛙了,要考虑很多情况,但如果我们换个角度,让杯子跳,就可以简化题目,我们用map存储字符串用来标记。
代码如下:
#include <iostream>
#include <cstring>
#include <map>
#include <algorithm>
#include <queue>
using namespace std;
string a, b;
int dian;
int len;int dx[] = {-1, 1, -2, 2, -3, 3};struct node {string str;int dian;int step;node(string str1, int dian1, int step1) {str = str1;dian = dian1;step = step1;}
};int bfs() {queue<node>q;map<string, int>st;q.push(node(a, dian, 0));st[a] = 1;while (q.size()) {node t = q.front();q.pop();if (t.str == b) {return t.step;}for (int i = 0; i < 6; i++) {int dianf = t.dian + dx[i];//杯子要跳的位置if (dianf < 0 || dianf >= len)continue;string strf = t.str;char hhh = strf[t.dian];strf[t.dian] = strf[dianf];strf[dianf] = hhh;if (st.count(strf) == 0) {q.push(node(strf, dianf, t.step + 1));st[strf] = 1;}}}
}int main() {while (cin >> a >> b) {len = a.length();for (int i = 0; i < len; i++) {if (a[i] == '*') {dian = i;//*的位置break;}}cout << bfs() << endl;}return 0;
}