无法找到 N-Queens 谜题的可能解决方案

Not able to find possible solutions for N-Queens puzzle

我正在尝试为 N-Queens 谜题找到所有可能的解决方案。我必须在每一行上打印单个皇后,并且任何两个皇后都不应彼此相邻,例如对角线上没有一个或多个皇后,同一行中没有一个或多个皇后,同一列中没有一个或多个皇后。

我已经写了算法并且认为它的大部分是正确的,但是解决方案没有被打印出来。我不明白为什么。我在这上面花了很多时间。

如有任何帮助,我们将不胜感激。 以下是我的代码:

public class NQueens {

    int[] x;

    public NQueens(int n) {
        x = new int[n];
    }    // CONSTRUCTOR

    public void printQueens(int[] x) {
        int N = x.length;
        for (int i = 0; i < N; i++) {
            for (int j = 0; j < N; j++) {
                if (x[i] == j) {
                    System.out.print("Q ");
                } else {
                    System.out.print("* ");
                }
            }
            System.out.println();
        }
        System.out.println();
    }

    //Promising method
    public boolean canPlaceQueen(int r, int c) {

        for (int i = 0; i < r; i++) {
            if (x[i] == c || (i - r) == (x[i] - c) ||(i - r) == (c - x[i]))
            {
                return false;
            }
        }
        return true;
    }
    //permute method
    public void placeNqueens(int r, int n) {

        for (int c = 0; c < n; c++) {
            if (canPlaceQueen(r, c)) {
                x[r] = c;
                if (validSol(r,n)) {
                    printQueens(x);
                } else {
                    placeNqueens(r + 1, n);
                }
            }
        }
    }

    public boolean validSol(int r, int n){
        if(r== n) {
            return true;
        }
        else {
            return false;
        }
    }

    public void callplaceNqueens() {
        placeNqueens(0, x.length);
    }

    public static void main(String args[]) {
        NQueens Q = new NQueens(8);
        Q.callplaceNqueens();

    }
}

您的代码看起来不错。它只是缺少 validSol 方法中的关键检查。 将 validSold 方法更改为以下内容,您的代码应该可以正常工作。

public boolean validSol(int r, int n){
        if(r== n-1) {
            return true;
        }
        else {
            return false;
        }
    }

让我知道这是否适合你。