- 总时间限制:
- 1000ms
- 内存限制:
- 1024kB
- 描述
-
马在中国象棋以日字形规则移动。
请编写一段程序,给定n*m大小的棋盘,以及马的初始位置(x,y),要求不能重复经过棋盘上的同一个点,计算马可以有多少途径遍历棋盘上的所有点。
- 输入
- 第一行为整数T(T < 10),表示测试数据组数。
每一组测试数据包含一行,为四个整数,分别为棋盘的大小以及初始位置坐标n,m,x,y。(0<=x<=n-1,0<=y<=m-1, m < 10, n < 10) - 输出
- 每组测试数据包含一行,为一个整数,表示马能遍历棋盘的途径总数,0为无法遍历一次。
- 样例输入
-
1 5 4 0 0
- 样例输出
-
32
深搜练习1 #include <iostream> 2 #include <cstdlib> 3 #include <cstring> 4 #include <cmath> 5 6 using namespace std; 7 8 int n,m,a,b,T,ans,cnt; 9 bool map[15][15]; 10 11 void DFS(int s,int t,int tot) 12 { 13 if(tot==n*m) 14 { 15 ans++; 16 return ; 17 } 18 for(int i=-2;i<=2;i++) 19 for(int j=-2;j<=2;j++) 20 { 21 if((abs(i)==abs(j))) continue; 22 if(j==0||i==0) continue; 23 int ss=s+i; 24 int tt=t+j; 25 if((ss>=0)&&(ss<n)&&(tt>=0)&&(tt<m)&&(!map[ss][tt])) 26 { 27 map[ss][tt]=1; 28 //cnt++; 29 DFS(ss,tt,tot+1); 30 map[ss][tt]=0; 31 //cnt--; 32 } 33 } 34 return ; 35 } 36 37 int main() 38 { 39 cin>>T; 40 while(T--) 41 { 42 ans=0; 43 memset(map,0,sizeof(map)); 44 cin>>n>>m>>a>>b; 45 map[a][b]=1; 46 DFS(a,b,1); 47 cout<<ans<<endl; 48 } 49 return 0; 50 }