Codeforces 1105D (BFS)

题面

传送门

分析

考虑BFS

while(棋盘没有满){
    for 玩家 p{
        对p进行BFS,走s[p]步
    }
}

对于每个玩家p

BFS的时候如果到了格子(x,y),就把\(vis[x][y]\)标记为p

最后把vis扫一遍就统计出了每个玩家占领的个数

每次BFS时要把最外层的节点存下来,下一次BFS时直接从那些节点开始搜索

具体实现中对每个玩家维护两个队列q1,q2,队列中的每个元素(x,y,t)表示当前时间为t,位置(x,y)

初始化时向q2插入起点
function expand(p){
    while(q2非空) 把q2的元素插入q1中,并将时间t设为0
    while(q1非空){
        x=q1.front()
        q1.pop()
        if(x的时间为s){
           q2.push(x)
           continue
        }
        从x向四周BFS
    }
}

那么,如何记录BFS是否能停止呢

在BFS中记录每次新增的节点数量

如果所有玩家的新增节点数量都为0就结束

代码

#include<iostream>
#include<cstdio>
#include<cstring>
#include<queue>
#define maxn 1005
#define maxp 15
using namespace std;
int n,m,t;
struct node {
    int x;
    int y;
    int t;
    node() {

    }
    node(int xx,int yy,int d) {
        x=xx;
        y=yy;
        t=d;
    }
};
const int walkx[4]= {1,-1,0,0},walky[4]= {0,0,1,-1};
int s[maxp];
queue<node>q1[maxp];
queue<node>q2[maxp];
char graph[maxn][maxn];
int vis[maxn][maxn];
int expand(int p) {
    int newx=0;
    while(!q2[p].empty()) {
        node x=q2[p].front();
        q2[p].pop();
        x.t=0;
        q1[p].push(x);
    }
    while(!q1[p].empty()) {
        node x=q1[p].front();
        q1[p].pop();
        if(x.t==s[p]) {
            q2[p].push(x);
            continue;
        }
        for(int i=0; i<4; i++) {
            int xx=x.x+walkx[i];
            int yy=x.y+walky[i];
            if(xx<1||yy<1||xx>n||yy>m||graph[xx][yy]=='#'||vis[xx][yy]!=0||x.t+1>s[p]) continue;
            newx++;
            q1[p].push(node(xx,yy,x.t+1));
            vis[xx][yy]=p;

        }
    }
    if(newx>=1) return 1;
    else return 0;
}

int count[maxp];
char tmp[maxn];
int main() {
    scanf("%d %d %d",&n,&m,&t);
    for(int i=1; i<=t; i++) scanf("%d",&s[i]);
    for(int i=1; i<=n; i++) {
        scanf("%s",tmp+1);
        for(int j=1; j<=m; j++) {
            graph[i][j]=tmp[j];
            if(graph[i][j]>='0'&&graph[i][j]<='9') {
                vis[i][j]=graph[i][j]-'0';
                q2[graph[i][j]-'0'].push(node(i,j,0));
            }
        }
    }
    while(1) {
        int flag=0;
        for(int i=1; i<=t; i++) {
            flag+=expand(i);
        }
        if(flag==0) break;
    }
    for(int i=1; i<=n; i++) {
        for(int j=1; j<=m; j++) {
            count[vis[i][j]]++;
        }
    }
    for(int i=1; i<=t; i++) {
        printf("%d ",count[i]);
    }
}
    原文作者:birchtree
    原文地址: https://www.cnblogs.com/birchtree/p/10296965.html
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞