标签:
题目链接:Fire Game
题意:一块n*m的矩形中,‘#’代表是草,‘.‘代表空地,空地点不着火。两个人同时开始点火,问最短多少时间能把所有草地点着,不能输出’-1‘。
解析:先用dfs预判断草地的连通块数,超过2则无法全部点燃
任选两个草地作起点,两者看作是一个整体,用bfs搜到起点到所有草地的最短时间,然后保留其中最长的时间
在所有的最长时间中,选择最短的,即为所求。
AC代码:
#include <cstdio> #include <cstring> #include <queue> #include <utility> using namespace std; char mz[11][11]; int vis[11][11]; int n, m, ans, res; queue<pair<int, int> > q; bool vs[11][11][11][11]; const int dir[4][2] = {0, 1, 0, -1, 1, 0, -1, 0}; void bfs(int x1, int y1, int x2, int y2){ memset(vis, 0, sizeof(vis)); while(!q.empty()) q.pop(); q.push(make_pair(x1, y1)); q.push(make_pair(x2, y2)); vis[x1][y1] = 1; vis[x2][y2] = 1; res = 1; while(!q.empty()){ pair<int, int> now = q.front(); q.pop(); int x = now.first; int y = now.second; for(int i=0; i<4; i++){ int tx = x + dir[i][0]; int ty = y + dir[i][1]; if(tx >=0 && tx < n && ty >= 0 && ty < m && mz[tx][ty] == '#' && !vis[tx][ty]){ vis[tx][ty] = vis[x][y] + 1; q.push(make_pair(tx, ty)); if(res < vis[tx][ty]) res = vis[tx][ty]; //记录最长时间 } } } } void dfs(int x, int y){ //搜索连通块 vis[x][y] = 1; for(int i=0; i<4; i++){ int tx = x + dir[i][0]; int ty = y + dir[i][1]; if(tx >= 0 && tx < n && ty >= 0 && ty < m && mz[tx][ty] == '#' && !vis[tx][ty]) dfs(tx, ty); } } bool ok(){ //判断是否完全点着 for(int i=0; i<n; i++) for(int j=0; j<m; j++) if(mz[i][j] == '#' && !vis[i][j]) return false; return true; } int main(){ #ifdef sxk freopen("in.txt", "r", stdin); #endif //sxk int t; scanf("%d", &t); for(int kase=1; kase<=t; kase++){ scanf("%d%d", &n, &m); for(int i=0; i<n; i++) scanf("%s", mz[i]); memset(vis, 0, sizeof(vis)); memset(vs, false, sizeof(vs)); int cnt = 0; for(int i=0; i<n; i++) for(int j=0; j<m; j++){ if(!vis[i][j] && mz[i][j] == '#'){ dfs(i, j); cnt ++; //记录连通块数 } } ans = 0x7fffffff; printf("Case %d: ", kase); if(cnt > 2){ puts("-1"); continue; } //预处理,超过2块,不可能全点着 while(!q.empty()) q.pop(); for(int i=0; i<n; i++) for(int j=0; j<m; j++){ if(mz[i][j] != '#') continue; for(int p=0; p<n; p++) for(int q=0; q<m; q++){ if(mz[p][q] == '#' && !vs[i][j][p][q]){ vs[i][j][p][q] = vs[p][q][i][j] = true; bfs(i, j, p, q); if(ok() && res-1 < ans) ans = res-1; //找最长时间中最小的 } } } printf("%d\n", ans); } return 0; }
版权声明:本文为sxk原创文章,转载请附加本文链接^_^
FZOJ 2150 Fire Game (DFS + BFS)
标签:
原文地址:http://blog.csdn.net/u013446688/article/details/48005803