题很巧妙,之前我还真不知道可以把矩阵问题换算到队列,用一维数组、队列解决(可能因为我太菜了),这个题的思路是真的巧妙 原题链接:https://www.acwing.com/problem/content/847/ 解题思路:把不同的矩阵状态转化为一维字符串表示,从第一个初始矩阵开始,把每个可以达到的矩阵状态存入队列,挨个将队首元素出队,判断这个矩阵能达到的状态,将可以达到的状态入队,直到达到最终状态
#include<iostream>
#include<cstring>
#include<algorithm>
#include<unordered_map>
#include<queue>
using namespace std;
int bfs(string start){
string end = "12345678x";
unordered_map<string, int>d;
queue<string>q;
q.push(start);
int dx[4] = {0, 0, 1, -1};
int dy[4] = {1, -1, 0, 0};
while(q.size()){
auto t = q.front();
q.pop();
if(t == end) return d[t];
int dis = d[t];
int k = t.find('x');
int x = k % 3;
int y = k / 3;
for(int i = 0; i < 4; i ++ ){
int x1 = x + dx[i];
int y1 = y + dy[i];
if(x1 >= 0 && x1 < 3 && y1 >= 0 && y1 < 3){
swap(t[k], t[y1 * 3 + x1]);
if(!d.count(t)){
d[t] = dis + 1;
q.push(t);
}
swap(t[k], t[y1 * 3 + x1]);
}
}
}
return -1;
}
int main()
{
string start;
for(int i = 0; i < 9; i ++ ){
char c;
cin>>c;
start += c;
}
cout<<bfs(start)<<endl;
return 0;
}
|