Time Limit: 1000 ms Memory Limit: 65536 KiB
Submit Statistic Discuss
Problem Description
一个由n * m 个格子组成的迷宫,起点是(1, 1), 终点是(n, m),每次可以向上下左右四个方向任意走一步,并且有些格子是不能走动,求从起点到终点经过每个格子至多一次的走法数。
Input
第一行一个整数T 表示有T 组测试数据。(T <= 110)
对于每组测试数据:
第一行两个整数n, m,表示迷宫有n * m 个格子。(1 <= n, m <= 6, (n, m) !=(1, 1) ) 接下来n 行,每行m 个数。其中第i 行第j 个数是0 表示第i 行第j 个格子可以走,否则是1 表示这个格子不能走,输入保证起点和终点都是都是可以走的。
任意两组测试数据间用一个空行分开。
Output
对于每组测试数据,输出一个整数R,表示有R 种走法。
Sample Input
3
2 2
0 1
0 0
2 2
0 1
1 0
2 3
0 0 0
0 0 0
Sample Output
1
0
4
Hint
Source
方法1:
#include
#include
#include
#include
using namespace std;
int map[7][7],vis[7][7];
int t,n,m;
int vx[4]={-1,1,0,0},vy[4]={0,0,-1,1};
int sum=0;
void DFS(int x0,int y0)
{
int x,y;
if(x0==n-1&&y0==m-1)
{
sum++;
return;
}
for(int i=0; i<4; i++)
{
x=x0+vx[i];
y=y0+vy[i];
if(x<0||y<0||x>=n||y>=m)continue;
if(vis[x][y]==0&&map[x][y]==0)
{
vis[x][y]=1;
DFS(x,y);
vis[x][y]=0;
}
}
return ;
}
int main()
{
scanf("%d",&t);
while(t--)
{
sum=0;
memset(vis,0,sizeof(vis));
scanf("%d %d",&n,&m);
for(int i=0; i
方法2:
#include
using namespace std;
int r[1123][1123];
int f[1123][1123];
int m,n;
int sum;
void bfs(int x, int y)
{
if(x == n && y == m)
{
sum++;
return ;
}
f[x][y] = 1;
if(x - 1 > 0 && !r[x - 1][y] && !f[x - 1][y])
bfs(x-1, y);
if(x + 1 <= n && !r[x + 1][y] && !f[x + 1][y])
bfs(x+1, y);
if(y - 1 > 0 && !r[x][y - 1] && !f[x][y - 1])
bfs(x, y-1);
if(y + 1 <= m && !r[x][y + 1] && !f[x][y + 1])
bfs(x, y+1);
f[x][y] = 0;
}
int main()
{
int T;
cin >> T;
while(T--)
{
cin >> n >> m;
for(int i = 1; i <= n; i++)
{
for(int j = 1; j <= m; j++)
{
cin >> r[i][j];
}
}
sum = 0;
bfs(1,1);
cout << sum << endl;
}
return 0;
}