题目意思:给定一个房间,房间四周都是封闭的,但是房间里面会有相通的门,开始里面有个点要求从这个点开始能够填到的地方全部标记为#,包括自己,输出填充后的房间地图
解题思路:简单的floodfill思路,利用dfs就可以做,从起点开始递归搜索,注意输入的格式
代码:
#include <iostream> #include <queue> #include <cstdio> #include <cstring> #include <algorithm> using namespace std; const int MAXN = 100; //结构体存储坐标 struct point{ int x; int y; }; point p; int n , r , c; char maze[MAXN][MAXN];//存储房间的数组 int dir[4][2] = {{-1,0},{0,1},{1,0},{0,-1}}; //处理函数 void Dfs(int i , int j){ for(int k = 0 ; k < 4 ;k++){ if(maze[i+dir[k][0]][j+dir[k][1]] == 'X') continue; if(maze[i+dir[k][0]][j+dir[k][1]] == ' '){ maze[i][j] = '#';//填充 Dfs(i+dir[k][0] , j+dir[k][1]); } } maze[i][j] = '#'; } //输出函数 void output(){ int i , j , len; for(i = 0 ; i <= r ; i++){ len = strlen(maze[i]); for(j = 0 ; j < len ; j++) printf("%c" , maze[i][j]); cout<<endl; } } //主函数 int main(){ int i , j , mark; i = 0 ; cin>>n; getchar(); for(int t = 1 ; t <= n ; t++){ i = 0;mark = 0;//mark标记是否找到了起始点 while(gets(maze[i])){//用gets输入一串字符串 if(maze[i][0] == '_') break; else{ if(mark == 0){ int len = strlen(maze[i]); for(j = 0 ; j < len ; j++){ if(maze[i][j] == '*'){ p.x = i;//存储起始点的坐标 p.y = j; mark = 1; } } } i++; } } r = i ;//记录行数 Dfs(p.x , p.y); output(); } }