题目大意是,给定整个图中各个点的流向,在这个点上顺着流向前进是不需要消耗体力的,但是往其他方向走是需要消耗体力的.给定终点起点,求从起点到终点,最小消耗的体力是多少
当时看到这个问题之后第一反应是搜索,但是1000*1000个格子,直接去搜索显然是要爆炸的.
赛后发现其实可以用优先队列搜索,或者是A*搜索
这里给出优先队列搜索的方法,A*搜索等自己补上这个知识点之后再说
优先队列搜索大致如下,每次从队列中找到一个耗费最小的节点,然后放入对应的这个节点的下一步的八个方向的节点到优先队列中,然后即可保证第一次出现的到达终点的耗费就是最小耗费.
其实先前有一年的浙江省省赛金牌题也是这个,题面是熊猫烧香病毒的传染.有兴趣的可以看看
#include<bits/stdc++.h>
using namespace std;
#define inf 0x3f3f3f3f3f
struct node
{
int x,y,cost;
bool operator < (const node &a) const
{
return cost>a.cost;//最小值优先
}
};
priority_queue<node>q;
char mp[1005][1005];
int a[1005][1005],vis[1005][1005];
int n,m;
int stx,sty,edx,edy;
int t,ans;
int dx[] = {-1,-1,0, 1,1, 1, 0 ,-1};
int dy[] = { 0,1,1, 1,0,-1,-1 ,-1};
//7 0 1
// \|/
//6-*-2
// /|\
//5 4 3
void bfs()
{
while(!q.empty())q.pop();
memset(vis,0,sizeof(vis));
ans=0;
node add,temp;
add.cost=0;
add.x=stx;
add.y=sty;
q.push(add);
while(!q.empty()){
temp = q.top();
// cout<<temp.x<<" "<<temp.y<<endl;
//cout<<edx<<edy<<endl;
if(temp.x==edx&&temp.y==edy){
ans=temp.cost;
break;
}
vis[temp.x][temp.y]=1;//出队列标记
for(int i=0;i<8;i++){
int nowx,nowy;
nowx = temp.x+dx[i];
nowy = temp.y+dy[i];
//cout<<nowx<<" "<<nowy<<endl;
if(nowx<=n&&nowx>=1&&nowy<=m&&nowy>=1&&vis[nowx][nowy]==0){
add.x=nowx;
add.y=nowy;
add.cost=temp.cost+1;
if(i==a[temp.x][temp.y])
add.cost--;
q.push(add);
}
}
q.pop();
}
}
int main()
{
// freopen("1.txt","r",stdin);
std::ios::sync_with_stdio(false);
cin>>n>>m;
for(int i=1; i<=n; i++)
for(int j=1; j<=m; j++){
cin>>mp[i][j];
a[i][j]=mp[i][j]-'0';
}
cin>>t;
while(t--)
{
cin>>stx>>sty>>edx>>edy;
bfs();
cout<<ans<<endl;
}
return 0;
}