How to find the first solution only with this backtracking

假如想象 提交于 2019-11-30 16:44:35

Here is some pseudocode for most recursive backtracking problems.

If you are already at a solution, report success.

for (every possible choice in the current position ) {

Make that choice and take one step along the path.

Use recursion to solve the problem from the new position.

If the recursive call succeeds, report the success to the next higher level.

Back out of the current choice to restore the state at the beginning of the loop.

}

Report failure.

Here is some actual code based on a lecture from Stanford. I re-wrote it in java and included comments.

Boolean SolveSudoku(int[][] grid)
{
    int row, col;

    if(!FindUnassignedLocation(grid, row, col))
        //all locations successfully assigned
        return true;

    for(int num = 1; num <= 9; num++)
    {
        //if number is allowed to be placed in the square
        if(NoConflicts(grid, row, col, num))
        {
            //place the number in the square
            grid[row][col] = num;

            //recur, if successful then stop
            if(SolveSudoku(grid))
                return true;

            //undo and try again
            grid[row][col] = UNASSIGNED;
        }
     }
     //this triggers backtracking from early decisions
     return false;
}

You just need to implement a few methods, which are pretty trivial.

Change

        if(board1.boardIsOk())           // check if the board is legal
            return nextCell(line, column); // continue

into

        if(board1.boardIsOk()) {          // check if the board is legal
            boolean solved = nextCell(line, column); // continue
            if (solved) {
                return true;
            ]
        }
    ...
    return false;
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!