马走日
作者:互联网
马走日
题目描述
核心思路
- dfs(x,y,cnt)表示当前已经走到了点(x,y),且该坐标已经被遍历过了,cnt表示已经访问过的点的数量
- 向8个方向深搜遍历每一个方向,如果cnt==n*m,表示当前遍历方式已走过所有点,更新ans
这道题为什么需要恢复现场呢?
代码
#include<iostream>
#include<cstring>
using namespace std;
const int N=10;
int n,m;
bool st[N][N]; //判断某个点是否被访问过
//偏移数组
int dx[8]={-2,-1,1,2,2,1,-1,-2};
int dy[8]={1,2,2,1,-1,-2,-2,-1};
int ans; //记录马可以有多少途径遍历棋盘上的所有点,记录总途径数量
void dfs(int x,int y,int cnt)//cnt表示已经访问的点的个数,如果等于棋盘上的所有点的数量,则回溯
{
if(cnt==n*m)
{
ans++; //回溯的同时记录路径个数
return; //开始回溯
}
st[x][y]=true; //标记点(x,y)已经被访问过了
//遍历8个方向
for(int i=0;i<8;i++)
{
//获得从点(x,y)偏移后的点(a,b)
int a=x+dx[i];
int b=y+dy[i];
//判断是否满足题意
if(a<0||a>=n||b<0||b>=m||st[a][b])
continue;
//递归点(a,b) 由于又访问到了点(a,b),所以cnt+1
dfs(a,b,cnt+1);
}
//恢复现场
st[x][y]=false;
}
int main()
{
int T;
scanf("%d",&T);
while(T--)
{
//多组测试数据,清空上一组数据的信息.但是由于刚开始递归时,st就是fasle.然后我们又回溯了,又回到最初状态fasle
//因此这里不清空也行。
memset(st,false,sizeof st);
//这里要记得清空上一组的数据
ans=0;
int x,y; //起点
scanf("%d%d%d%d",&n,&m,&x,&y);
dfs(x,y,1);
printf("%d\n",ans);
}
return 0;
}
标签:cnt,遍历,int,dfs,st,马走,ans 来源: https://blog.csdn.net/qq_45832461/article/details/115413585