cpp
复制代码
#include<iostream>
#include<map>
#include<iomanip> //出输格式设定
using namespace std;
struct Pos{//定义坐标点
int x;
int y;
Pos(int x,int y){
this->x=x;
this->y=y;
}
};
int count=0;//记录一共有多少种解法
void show(int M,map<Pos,int>& ma);
//马的8种走法
Pos delta[]={Pos(-1,2),Pos(-1,-2),Pos(1,2),Pos(1,-2),
Pos(2,1),Pos(2,-1),Pos(-2,1),Pos(-2,-1)};
//运算符重载
Pos operator+(Pos a,Pos b){
return Pos(a.x+b.x,a.y+b.y);
}
//马走的步法是否有效,如果出了格子表示bad,即为true
bool outOfBounds(int M,Pos p){
if(p.x<0 || p.x>= M) return true;
if(p.y<0 || p.y>= M) return true;
return false;
}
//自定义变量Pos需要用map,则须重载<,确保Pos能比较大小
bool operator< (Pos a,Pos b){
if(a.x != b.x) return a.x < b.x;
return a.y < b.y;
}
//bool operator<(const Pos& p) const{
// if(this->x !=p.x) return this->x < p.x;
// return this->y < p.y;
//}
bool f(int M,map<Pos,int>& ma,Pos p,int k){
if(k==M*M){
++count;
cout<< count<<endl;
show(M,ma);
return true;
}
for(int i=0;i<8;i++){
Pos p1=p+delta[i];
if(outOfBounds(M,p1)) continue;
if(ma.count(p1)) continue;
ma[p1] = k+1;
f(M,ma,p1,k+1);
ma.erase(p1);
}
return false;
}
void show(int M,map<Pos,int>& ma){
for(int i=0;i<M;i++){
for(int j=0;j<M;j++){
cout <<setw(3)<<ma[Pos(i,j)];
}
cout<<endl;
}
cout<<"********************"<<endl;
}
void horse(int M){
map<Pos,int> ma;
Pos p(0,0);
ma[p]=1;
f(M,ma,p,1);
}
int main(){
horse(5);
cout<<"总共有:"<<count<<"种走法";
return 0;
}