[USACO08FEB]Meteor Shower S(bfs)

[USACO08FEB]Meteor Shower S(bfs)_第1张图片
思路:简单的bfs,我们可以先将整张图赋值为-1,然后再将陨石砸到的地方和他的周围赋值为砸的时间,要判断一下赋值的边界,记得永远只记录最先砸的时间,意思就是一块地方可能被两个陨石影响,而我们只记录它最早的那个时间,然后进入bfs,先将远点0,0,0压入队列,然后将访问数组的0,0赋值为1,然后进入循环,队列为空时退出循环,每次取队头元素,如果队头的元素为-1,表示它从始至终都没有被陨石砸过,我们就可以输出该队头所记录的步数,否则我们进入下一层循环,判断完边界之后将符合条件的压入队列即可。总之很简单的一道bfs,我在一些小问题上犯了错误,真是不应该啊!
上代码

#include
using namespace std;
int n,xx,yy,tt;
int dx[5]={0,1,0,-1,0},dy[5]={0,0,1,0,-1};
int mm[500][500];
bool a[500][500]; 
struct node{
	int x,y,step;
};
void bfs(){
	node temp;
	queue<node> q;
	q.push((node){0,0,0});
	a[0][0]=1;
	while(!q.empty()){
		temp=q.front();
		q.pop();
		if(mm[temp.x][temp.y]==-1){
    	cout<<temp.step;
        return;	
		}
		for(int i=1;i<=4;i++){
		xx=temp.x+dx[i];
		yy=temp.y+dy[i];
		if(xx<0||yy<0||a[xx][yy]==1)continue;
		if(mm[xx][yy]<temp.step+1&&mm[xx][yy]!=-1)continue;
		a[xx][yy]=1;
		q.push((node){xx,yy,temp.step+1});
		}
	}
	cout<<-1;
}
int main(){
	cin>>n;
	memset(mm,-1,sizeof(mm));
	for(int i=1;i<=n;i++){
		cin>>xx>>yy>>tt;
		for(int j=0;j<=4;j++){
		if(xx+dx[j]<0||yy+dy[j]<0)continue;
		    if(mm[xx+dx[j]][yy+dy[j]]!=-1){
			mm[xx+dx[j]][yy+dy[j]]=min(mm[xx+dx[j]][yy+dy[j]],tt);
		    }else
		        mm[xx+dx[j]][yy+dy[j]]=tt;
	    }
	}
    bfs();
	return 0;
}

你可能感兴趣的:(算法)