[C++] 纯文本查看 复制代码 #include<iostream>
using namespace std;
char f[100][100];
bool vis[100][100];
int dx[] = {-1, 1, 0, 0};
int dy[] = {0, 0, -1, 1};
int n, m;
// 在 (x,y) 这个位置,走到重点的方案数
int dfs(int x, int y) {
if (f[x][y] == 'e') {
return 1;
}
int cnt = 0;
for(int i = 0; i < 4; i++) {
int tx = x + dx[i];
int ty = y + dy[i];
if(tx >= 0 && tx < n && ty >= 0 && ty < m && !vis[tx][ty] && f[tx][ty] != '#') {
vis[tx][ty] = 1;
cnt += dfs(tx, ty);
vis[tx][ty] = 0;
}
}
return cnt;
}
int main() {
int x, y;
cin >> n >> m;
for (int i = 0; i < n; i++) {
cin >> f[i];
for (int j = 0; j < m; j++) {
if (f[i][j] == 's') {
x = i;
y = j;
}
}
}
vis[x][y] = 1;
cout << dfs(x, y) << endl;
return 0;
} |