【题目链接】
【题目考点】
1. 广搜
2. 字符串
【解题思路】
该题求的是字符串变化的最短序列,求“最少”,“最短”一类问题,自然要用广搜来做。
结点中保存当前单词,以及从初始单词转为当前单词的序列长度。
设vis数组,vis[i]
为真表示第i个单词已经在序列之中。
设函数getDiff(string s1, string s2)
判断s1与s2两个等长的字符串不同的字符个数。如果两字符串只有1个字符不同,那么经过一次变换就能从s1变为s2。
开始广搜。如果字典里有起始字符串就访问起始字符串。初始结点里面包含起始字符串,序列长度为1,该结点入队。每出队一个结点,判断该结点中的字符串能否经过一次变换就能变成目标字符串,如果可以,输出序列长度。否则,遍历所有字典中的单词,看哪些单词没有使用过,且当前单词可以改变一个字母就可以变为该单词,如果有,生成一个结点包含该单词,序列长度加1,将该结点入队。如果没有找到从起始字符串到目标字符串的序列,返回0。
【题解代码】
解法1:广搜
#include <bits/stdc++.h>
using namespace std;
struct Node
{
string s;
int len;//转换序列长度
Node(){
}
Node(string a, int b):s(a), len(b){
}
};
string st, ed, w[35];
bool vis[35];
int wn, ans;
int getDiff(string s1, string s2)
{
int ct = 0;
for(int i = 0; i < s1.length(); ++i)
if(s1[i] != s2[i])
ct++;
return ct;
}
int findInWords(string s)//如果w中有s,返回下标。否则返回-1
{
for(int i = 0; i < wn; ++i)
if(w[i] == s)
return i;
return -1;
}
int bfs()
{
queue<Node> que;
int sti = findInWords(st);
if(sti != -1)
vis[sti] = true;
que.push(Node(st, 1));
while(que.empty() == false)
{
Node u = que.front();
que.pop();
if(getDiff(u.s, ed) == 1)
return u.len+1;
for(int i = 0; i < wn; ++i)
{
if(vis[i] == false && getDiff(u.s, w[i]) == 1)
{
vis[i] = true;
que.push(Node(w[i], u.len+1));
}
}
}
return 0;
}
int main()
{
cin >> st >> ed;
while(cin >> w[wn])
wn++;
cout << bfs();
return 0;
}