url: https://www.luogu.com.cn/problem/P1032
tag:
NOIP2002 提高组,字符串,bfs
思路:
因为是求最少的变换次数,所以可以用bfs。每次搜索都遍历字符串的每一个位置,将可以替换的地方都替换,然后判断是否出现过,没有出现过就加入队列。最后第一次出现字符串b的时候步数就是答案。
代码:
#include <iostream>
#include <queue>
#include <map>
#include <unordered_set>
using namespace std;
typedef pair<string, string> PSS;
typedef pair<string, int> PSI;
PSS mp[6];
string a, b;
queue<PSI> q;
unordered_set<string> st;
int idx = 0;
int bfs()
{
q.push({a, 0});
st.insert(a);
while (!q.empty())
{
auto [current, step] = q.front(); q.pop();
if (current == b) return step;
if (step >= 10) continue;
for (int i = 0; i < idx; i++)
{
string from = mp[i].first;
string to = mp[i].second;
size_t pos = current.find(from);
while (pos != string::npos)
{
string newstr = current.substr(0, pos) + to + current.substr(pos + from.size());
if (newstr.size() <= 20)
{
if (!st.count(newstr))
{
st.insert(newstr);
q.push({newstr, step + 1});
}
}
pos = current.find(from, pos + 1);
}
}
}
return -1;
}
int main()
{
ios::sync_with_stdio(false);
cin.tie(0);
cin >> a >> b;
string c, d;
while (cin >> c >> d)
{
if (!c.empty() && idx < 6)
{
mp[idx++] = {c, d};
}
}
int res = bfs();
if (res != -1 && res <= 10)
cout << res;
else
cout << "NO ANSWER!";
return 0;
}