题目描述
输入由多个数据集组成。一个数据集以包含两个正整数W和h的行开始;W和H分别是x和y方向上的块数。W和H不超过20。 数据集中还有H行,每行包括W个字符。每个字符表示一个瓷砖的颜色,如下所示。 “.”-一块黑瓷砖 “#”–红色瓷砖 ‘@’-黑色瓷砖上的人(在数据集中只出现一次)
对于每个数据集,您的程序应该输出一行,其中包含从初始瓷砖(包括其本身)可以到达的瓷砖数量。
样例
6 9
....#.
.....#
......
......
......
......
......
//#@…#
.#..#.
11 9
.#.........
.#.#######.
.#.#.....#.
.#.#.###.#.
.#.#..@#.#.
.#.#####.#.
.#.......#.
.#########.
...........
11 6
..#..#..#..
..#..#..#..
..#..#..###
..#..#..#@.
..#..#..#..
..#..#..#..
7 7
..#.#..
..#.#..
//###.###
…@…
//###.###
..#.#..
..#.#..
0 0
45
59
6
13
算法1
从@开始最多能走多少#相当于墙
从@开始移动,不需要回溯,每次更新就行
C++ 代码1
#include <iostream>
#include <algorithm>
using namespace std;
int ans, fx, fy, n, m;
char g[30][30];
void dfs(int x, int y) {
ans++;
g[x][y] = '#';
int dx[4] = {-1, 0, 1, 0}, dy[4] = {0, 1, 0, -1};
for (int i = 0; i < 4; i++) {
int tx = x + dx[i], ty = y + dy[i];
if (tx < m && tx >= 0 && ty < n && ty >= 0 && g[tx][ty] == '.')
dfs(tx, ty);
}
return ;
}
int main() {
while (cin >> n >> m) {
if (n == 0 && m == 0)
break;
for (int i = 0; i < m; i++)
for (int j = 0; j < n; j++) {
cin >> g[i][j];
if (g[i][j] == '@') fx = i, fy = j;
}
ans = 0;
dfs(fx, fy);
cout << ans << endl;
}
}
C++ 代码1
#include <iostream>
#include <cstring>
#include <queue>
using namespace std;
char g[23][23];
int n, m, num, x, y;
typedef pair<int, int> PII;
void bfs(int a, int b) {
num = 1;
queue<PII> q;
q.push({a, b});
int dx[4] = {-1, 0, 1, 0}, dy[4] = {0, 1, 0, -1};
while (!q.empty()) {
PII t = q.front();
q.pop();
for (int i = 0; i < 4; i++) {
int x = t.first + dx[i], y = t.second + dy[i];
if (x < n && x >= 0 && y < m && y >= 0 && g[x][y] == '.') {
g[x][y] = '#';
num++;
q.push({x, y});
}
}
}
}
int main() {
while (cin >> n >> m) {
if (n == 0 && m == 0) break;
for (int j = 0; j < m; j++)
for (int i = 0; i < n; i++) {
cin >> g[i][j];
if (g[i][j] == '@') x = i,y = j;
}
num = 0;
bfs(x, y);
cout << num << endl;
}
}