SDUT-2449_數據結構實驗之棧與隊列十:走迷宮
阿新 • • 發佈:2018-10-06
什麽 隊列 題目 棧和隊列 lib put 上下左右 表示 printf
數據結構實驗之棧與隊列十:走迷宮
Time Limit: 1000 ms Memory Limit: 65536 KiB
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
比較疑惑這道題為什麽會分到這裏,這是一道簡單的DFS題,上學期的動態規劃有類似的題目,圖的知識點,可以去看看相應知識。
另外這道題沒用棧和隊列
#include <stdio.h> #include <stdlib.h> #include <string.h> int s[10][10],f[10][10],num,n,m; int next[4][2] = {{1,0},{-1,0},{0,1},{0,-1}}; void DFS(int x,int y) { if(x==n-1&&y==m-1) { num++; return; } int dx,dy,i; for(i=0;i<4;i++) { dx = x + next[i][0]; dy = y + next[i][1]; if(dx>=0&&dy>=0&&dx<n&&dy<m&&s[dx][dy]!=1) { if(!f[dx][dy]) { f[dx][dy] = 1; DFS(dx,dy); f[dx][dy] = 0; } } } } int main() { int i,j,t; scanf("%d",&t); while(t--) { scanf("%d%d",&n,&m); for(i=0;i<n;i++) for(j=0;j<m;j++) { f[i][j] = 0; scanf("%d",&s[i][j]); } num = 0; f[0][0] = 1; DFS(0,0); printf("%d\n",num); } return 0; }
SDUT-2449_數據結構實驗之棧與隊列十:走迷宮