/*有一个大小为M*N的园子,雨后积起了水。八连通的积水认为是连接在一起的。
请求出园子里总共有多少水洼*/
//八连通指的是下图中相对W的*的部分
// * * *
// * W *
// * * *
#include <iostream>
using namespace std;
void dfs(char field[10][13], int M, int N, int x, int y)//二维数组必须制定[][]里面的大小
{
//将所在位置替换为"."
field[x][y] = '.';//存储的是字符数组,所以用单引号而不是双引号(为字符串)
//遍历该位置的8个方向
for(int dx = -1; dx <= 1; ++dx)
{
for(int dy = -1; dy <= 1; ++dy)
{
//向x方向移动dx,向y方向移动dy,移动的结果为(nx, ny)
int nx = x + dx;
int ny = y + dy;
//判断(nx, ny)是否在园内,并且是否有积水(运用递归)
if(0 <= nx && nx < M && 0 <= ny && ny < N && field[nx][ny] == 'W')
dfs(field, M, N, nx, ny);
}
}
return;
}
//
//======测试代码=====
void Test()
{
int result = 0;
int M = 10;
int N = 13;
char field[10][13] = {
{'W', '.', '.', '.' , '.', '.', '.', '.', '.', '.', 'W', 'W', '.'},
{'.', 'W', 'W', 'W' , '.', '.', '.', '.', '.', '.', 'W', 'W', 'W'},
{'.', '.', '.', '.' , 'W', 'W', '.', '.', '.', '.', 'W', 'W', '.'},
{'.', '.', '.', '.' , '.', '.', '.', '.', '.', '.', 'W', 'W', '.'},
{'.', '.', '.', '.' , '.', '.', '.', '.', '.', '.', 'W', '.', '.'},
{'.', '.', 'W', '.' , '.', '.', '.', '.', '.', '.', 'W', '.', '.'},
{'.', 'W', '.', 'W' , '.', '.', '.', '.', '.', '.', 'W', 'W', '.'},
{'W', '.', 'W', '.' , 'W', '.', '.', '.', '.', '.', '.', 'W', '.'},
{'.', 'W', '.', 'W' , '.', '.', '.', '.', '.', '.', '.', 'W', '.'},
{'.', '.', 'W', '.' , '.', '.', '.', '.', '.', '.', '.', 'W', '.'},
};
//遍历整个数组
for(int i = 0; i < M; ++i)
{
for(int j = 0; j < N; ++j)
{
if(field[i][j] == 'W')
{
dfs(field, M, N, i, j);
++result;
}
}
}
cout << result << endl;
}
int main()
{
Test();
return 0;
}
Lake Counting
最新推荐文章于 2024-02-03 18:31:20 发布