How to find the first solution only with this backtracking

前端 未结 2 1858
遥遥无期
遥遥无期 2021-01-03 17:13

i\'m trying to write a Sudoku solver which will return only the first possible solution. i managed to print all possible solutions with void methods but i can\'t stop on the

相关标签:
2条回答
  • 2021-01-03 17:31

    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.

    0 讨论(0)
  • 2021-01-03 17:36

    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;
    
    0 讨论(0)
提交回复
热议问题