我正在尝试为井字游戏应用程序实现negamax搜索功能,但它不会返回最佳值,而是看起来是半随机的。这是我的代码的相关部分:

public int negamax(Result result, Token token) {
    if (result == Result.WIN) {
        return 1;
    } else if (result == Result.DRAW) {
        return 0;
    }

    int best = -1;

    for (Coordinate move : Board.getAvailableMoves()) {
        Token other = token.getOther();
        Result r = Board.makeMove(move, other);
        int eval = -negamax(r, other);
        Board.unmakeMove(move);

        if (eval > best) {
            best = eval;
        }
    }

    return best;
}

public Coordinate getNegamaxMove(Token token) {
    int score = -1;
    Coordinate bestMove = null;

    for (Coordinate move : Board.getAvailableMoves()) {
        Result result = Board.makeMove(move, token);
        int newScore = negamax(result, token);
        Board.unmakeMove(move);

        if (newScore >= score) {
            score = newScore;
            bestMove = move;
        }
    }

    return bestMove;
}


重要的是要注意,我不是通过董事会作为参数,而是通过行动的结果,可以是WIN,DRAW,VALID或OCCUPIED(最后两个与当前讨论无关),这些都是不言自明。 Coordinate类仅保存移动的行和列值。

非常感谢你 :)

最佳答案

我设法使其正常工作,negamax方法存在2个问题。首先,应该在遍历所有可用的移动之前而不是在循环内部更改令牌。其次,由于我在getNegamaxMove方法中检查了最佳移动,因此在negamax方法中,我必须跟踪最坏的移动而不是最佳的移动。这是工作实现,其中旧部分已注释掉以供比较:

public int negamax(Result result, Token token) {
    if (result == Result.WIN) {
        return 1;
    } else if (result == Result.DRAW) {
        return 0;
    }

    int worst = 1;
    // int best = -1

    Token other = token.getOther();
    for (Coordinate move : Board.getAvailableMoves()) {
        // Token other = token.getOther();
        Result r = Board.makeMove(move, other);
        int eval = -negamax(r, other);
        Board.unmakeMove(move);

        // if (eval > best) {
        //     best = eval;
        // }

        if (eval < worst) {
            worst = eval;
        }
    }

    // return best
    return worst;
}

09-12 03:18