【题解】洛谷P2324 骑士精神(A*算法 启发式搜索)

第一眼看到就可以枚举空白格子位置然后跑bfs,处理一些细节就可以,这样的话最优能30分。

为了让程序跑的更快,我们可以在读入队列某个元素时记录其和目标状态对应位置不同的数量,因为交换一下最多能消去两个格子(第一次),其他情况最多能消去一个格子,所以当前的步数+数量>16或者当前步数>=15(这里可以为等于因为在其前面已经有循环保证如果步数为15就输出结果并return)。这样还有一个点TLE。那么我们可以在结构体里记录从上一个状态转移到当前状态的方向,这次要扩展的方向与上一个状态转移过来的方向相反,就说明跑回去了,然后就不要这个状态了。这样就能通过了

#include
#include
#include
#include
#include
using namespace std;
const int maxn=2000100;
const int dx[8]={1,2,2,1,-1,-2,-2,-1};
const int dy[8]={2,1,-1,-2,2,1,-1,-2};
struct H
{
	char map[6][6];
	int step;
	int x;
	int y;
	int last; 
}team[maxn];
int tot;
char bz[6][6]=
{{'0','0','0','0','0','0'},
 {'0','1','1','1','1','1'},
 {'0','0','1','1','1','1'},
 {'0','0','0','*','1','1'},
 {'0','0','0','0','0','1'},
 {'0','0','0','0','0','0'}};
void bfs()
{
	int s=1,t=1;
	t++;
	while(s!=t)
	{
		H now=team[s];
		s++;
		s%=maxn;
		int k=0;
//			cout<16||now.step>=15)
		{
			continue;
		}
		for(int q=0;q<8;q++)
		{
			if(q==7-now.last) continue;
			int xx=dx[q]+now.x;
			int yy=dy[q]+now.y;
			if(xx>=1&&xx<=5&&yy>=1&&yy<=5)
			{
				team[t].x=xx;
				team[t].y=yy;
				swap(now.map[xx][yy],now.map[now.x][now.y]);
				for(int i=1;i<=5;i++)
				{
					for(int j=1;j<=5;j++)
					{
						team[t].map[i][j]=now.map[i][j];
					}
				}
				team[t].step=now.step+1;
				team[t].last=q;
				t++;	
				t%=maxn;
				swap(now.map[xx][yy],now.map[now.x][now.y]);
			}
		} 
	}
	cout<<"-1"<

 

你可能感兴趣的:(题解,搜索,A*)