填涂颜色
此时的递归是可以停下来的,我们需要做到开工没有回头箭(不能让他往回走)
此处使用的1标记走过的点,!=0证明走过,走过就停
#include <bits/stdc++.h>
using namespace std;
int a[32][32],b[32][32];
int dx[5]={0,-1,1,0,0};
int dy[5]={0,0,0,-1,1};//第一个表示不动,是充数的,后面的四个分别是上下左右四个方向
int n,i,j;
void dfs(int p,int q){
int i;
if (p<0||p>n+1||q<0||q>n+1||a[p][q]!=0) return;//如果搜过头或者已经被搜过了或者本来就是墙的就往回
a[p][q]=1;//染色
for (i=1;i<=4;i++) dfs(p+dx[i],q+dy[i]);//向四个方向搜索
}
int main(){
cin>>n;
for (i=1;i<=n;i++)
for (j=1;j<=n;j++){
cin>>b[i][j];//其实不拿两个数组也可以,不过我喜欢啦
if (b[i][j]==0) a[i][j]=0;
else a[i][j]=2;
}
//填充颜色是从1,1开始填充
//搜索的时候是从0,0开始搜索,
//如果和水相接的地方是0,那么将他标记为水,其他没有被标记的地方
//就是最后的结果
dfs(0,0);//搜索 从0,0开始搜
for (i=1;i<=n;i++){
for (j=1;j<=n;j++)
if (a[i][j]==0) cout<<2<<' ';//如果染过色以后i,j那个地方还是0,说明没有搜到,就是周围有墙,当然就是被围住了,然后输出2
else cout<<b[i][j]<<' ';//因为被染色了,本来没有被围住的水和墙都染成了1,所以就输出b[i][j]
cout<<'\n';//换行
}
}
bfs
需要特别注意的是我们需要在地图外开一层,防止最外层有一块儿是水,但是搜不到的情况发生
6
0 0 1 1 1 0
1 1 1 0 1 0
1 0 0 0 0 1
1 1 0 1 1 1
0 1 0 1 0 0
0 1 1 1 0 0
#include<iostream>
#include<queue>
using namespace std;
const int N = 40;
int g[N][N];
int n;
typedef pair<int, int> PII;
int dx[4] = { -1,0,1,0 }, dy[4] = { 0,1,0,-1 };
void bfs()
{
queue<PII> q;
q.push({ 0,n + 1 });
while (q.size())
{
//push,pop是一对儿操作
auto e = q.front();
q.pop();
int x = e.first, y = e.second;
g[x][y] = 0;
for (int i = 0; i < 4; i++)
{
int nx = x + dx[i], ny = y + dy[i];
if (nx >= 0 && ny >= 0 && nx <= n+1 && ny <= n+1 && g[nx][ny] == 2)
q.push({ nx,ny });
}
}
}
int main()
{
cin >> n;
for (int i = 0; i <= n+1; i++)
for (int j = 0; j <= n+1; j++)
{
if (i <= n && i>0 && j <= n && j>0)
cin >> g[i][j];
if (g[i][j] == 0) g[i][j] = 2;
}
bfs();
for (int i = 1; i <= n; i++)
{
for (int j = 1; j <= n; j++)
printf("%d ", g[i][j]);
puts("");
}
return 0;
}