题意:
地图中有一些点危险,要从起点走到终点,且离危险点最近的距离最大,求出此时的最短路径。
思路:
bfs,重点是如何处理要使离危险点的距离最大,直观的想法是对 离危险点的距离的所有可能从小到大都尝试下,能求得通路的解里面,离危险点距离最大的情况就是正确解。
因此,可以对地图上每个点到危险点的距离预处理一下。
在尝试通路的过程中,可以用二分的方法来取这个离危险点的距离,感觉很好啊。
#include <iostream>
#include <cstring>
#include <string>
#include <cstdio>
#include <cmath>
#include <algorithm>
#include <vector>
#include <queue>
#include <map>
#define inf 0x3f3f3f3f
using namespace std;
struct node
{
int x,y,t;
}tmp,now;
int dx[]={0,0,-1,1};
int dy[]={-1,1,0,0};
int mp[1005][1005],vis[1005][1005],n,X,Y,sx,sy,ex,ey,bot,mid,top,ans,maxd;
queue<node> q;
int ok(int a,int b)
{
if(a>=0&&a<X&&b>=0&&b<Y) return 1;
return 0;
}
void presv()
{
int i;
while(!q.empty())
{
tmp=q.front();
q.pop();
for(int i=0;i<4;i++)
{
now=tmp;
now.x+=dx[i];
now.y+=dy[i];
if(!ok(now.x,now.y)||mp[now.x][now.y]!=-1) continue;
now.t++;
mp[now.x][now.y]=now.t;
if(now.t>maxd) maxd=now.t;
q.push(now);
}
}
}
int bfs(int num)
{
memset(vis,0,sizeof vis);
while(!q.empty()) q.pop();
int i;
tmp.x=sx;
tmp.y=sy;
tmp.t=0;
vis[sx][sy]=1;
q.push(tmp);
while(!q.empty())
{
tmp=q.front();
q.pop();
for(i=0;i<4;i++)
{
now.x=tmp.x+dx[i];
now.y=tmp.y+dy[i];
now.t=tmp.t+1;
if(!ok(now.x,now.y)||mp[now.x][now.y]<num||vis[now.x][now.y]) continue;
if(now.x==ex&&now.y==ey)
{
ans=now.t;
return 1;
}
vis[now.x][now.y]=1;
q.push(now);
}
}
return 0;
}
void solve()//二分
{
bot=0;
top=maxd+10;
while(bot<top)
{
mid=(bot+top)>>1;
if(mp[sx][sy]<mid)//
{
top=mid;
continue;
}
if(bfs(mid))
bot=mid+1;
else top=mid;
}
}
int main()
{
int i,t;
scanf("%d",&t);
while(t--)
{
scanf("%d%d%d",&n,&X,&Y);
scanf("%d%d%d%d",&sx,&sy,&ex,&ey);
memset(mp,-1,sizeof mp);
while(!q.empty()) q.pop();
for(i=0;i<n;i++)
{
scanf("%d%d",&tmp.x,&tmp.y);
tmp.t=0;
mp[tmp.x][tmp.y]=0;
q.push(tmp);
}
maxd=0;ans=0;
presv();
solve();
printf("%d %d\n",bot-1,ans);
}
return 0;
}