0

我正在尝试使用本网站上给出的回溯解决骑士巡回赛问题

在 ideone上给出的实现 大约需要 0.49 秒

int solveKTUtil(int x, int y, int movei, int sol[N][N], int xMove[N],
                int yMove[N])
{
   int k, next_x, next_y;
   if (movei == N*N)
       return true;

   /* Try all next moves from the current coordinate x, y */
   for (k = 0; k < 8; k++)
   {
       next_x = x + xMove[k];
       next_y = y + yMove[k];
       if (isSafe(next_x, next_y, sol))
       {
         sol[next_x][next_y] = movei;
         if (solveKTUtil(next_x, next_y, movei+1, sol, xMove, yMove) == true)
             return true;
         else
             sol[next_x][next_y] = -1;// backtracking
       }
   }

   return false;
}

而我实现的几乎相同的一个是在 ideone 上显示超出时间限制(超过 5 秒)

int generateMoves(int x, int y, int moveNum, int soln[][N], int xMoves[], int yMoves[])//making move number 'moveNum' from x and y.
{
        if(moveNum == N*N){
                return 1;
        }
        else{
                int i, nextX, nextY;
                for(i=0; i<8; ++i){
                        nextX = x + xMoves[i];
                        nextY = y + yMoves[i];

                        if(isSafe(nextX, nextY, soln)){
                                soln[nextX][nextY] = moveNum;
                                if( generateMoves(nextX, nextY, moveNum+1, soln, xMoves, yMoves) ){
                                        return 1;
                                }
                                else{
                                        soln[nextX][nextY] = -1;
                                }
                        }
                }
                return 0;
        }
}

什么在我的代码中执行了这么长时间?

4

2 回答 2

6

更改 xMoves/yMoves 似乎有效:ideone。它可能只是导致它更早找到解决方案的搜索顺序。

有太多可能的 63、62、61 等长度的旅行无法到达最后剩余的方格。在最坏的情况下,暴力搜索将不得不遍历所有这些。有效的算法很幸运,它尝试了一系列动作,并尽早找到了解决方案。

于 2012-07-28T14:01:14.813 回答
1

您的帖子没有显示您的代码与原始代码之间的区别。
事实上,如果您仔细查看您的代码,您的代码和正确的代码之间的唯一区别是:

int xMoves[] = {  2, 1, -1, -2, -2, -1,  1,  2 };//{2, 2,  1,  1, -1, -1, -2, -2};  
int yMoves[] = {  1, 2,  2,  1, -1, -2, -2, -1 };//{1, -1, -2, 2, -2, 2, -1,  1};

顺序不同。你在一张纸上画出可能的动作,你会发现右边的顺序是逆时针的,而你的完全是无序的。
那一定是导致您的问题的原因。

于 2012-07-28T16:30:42.830 回答