CodeForces 377A (Maze)[BFS]

题目链接:http://codeforces.com/problemset/problem/377/A

这题需要逆向思维。考虑直接怎么往上放墙的策略非常麻烦。此时我们换个策略,尝试把所有的空缺都放上墙,并从这些新墙中连续拆掉一部分,那么剩下的新墙就是我们需要放的了。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
#include <cstdio>
#include <cstring>
#include <algorithm>
#include <queue>
using namespace std;
const int maxn = 510;
const int dx[] = { -1,0,1,0 };
const int dy[] = { 0,1,0,-1 };
int n,m,k,w=0;
char M[maxn][maxn];
queue<int> qx;
queue<int> qy;
void bfs() {
int cnt=0;
while(!qx.empty()) qx.pop();
while(!qy.empty()) qy.pop();
bool flag=1;
for(int i=1;i<=n && flag;i++)
for(int j=1;j<=m && flag;j++)
if(M[i][j]=='X') {
M[i][j]='.';
cnt++;
if(cnt==n*m-w-k) return ;
qx.push(i);
qy.push(j);
flag=0;
break;
}
while(!qx.empty()) {
int nx=qx.front(); qx.pop();
int ny=qy.front(); qy.pop();
int x,y;
for(int i=0;i<4;i++) {
x=nx+dx[i];
y=ny+dy[i];
if(x>=1 && x<=n && y>=1 && y<=m && M[x][y]=='X') {
M[x][y]='.';
cnt++;
qx.push(x);
qy.push(y);
if(cnt==n*m-w-k) return ;
}
}
}
}
int main() {
scanf("%d%d%d%*c",&n,&m,&k);
for(int i=1;i<=n;i++) {
for(int j=1;j<=m;j++) {
scanf("%c",&M[i][j]);
if(M[i][j]=='#') w++;
else if(M[i][j]=='.') M[i][j]='X';
}
if(i<n) scanf("%*c");
}
bfs();
for(int i=1;i<=n;i++) {
for(int j=1;j<=m;j++) {
printf("%c",M[i][j]);
}
printf("\n");
}
}