从alphabeta框架中收集和检索主要变体

时间:2017-06-03 17:12:21

标签: python artificial-intelligence chess minimax alpha-beta-pruning

我正在尝试在python中编写一个国际象棋引擎,我可以找到给定位置的最佳移动,但我正在努力从该位置收集主要变体,以下是我到目前为止所尝试的:

def alphabeta(board, alpha, beta, depth, pvtable):

    if depth == 0:
        return evaluate.eval(board)

    for move in board.legal_moves:
        board.push(move)
        score = -alphabeta(board, -beta, -alpha, depth - 1, pvtable)
        board.pop()
        if score >= beta:
            return beta
        if score > alpha:
            alpha = score
            pvtable[depth-1] = str(move)
    return alpha

我使用pvtable[depth - 1] = str(move)追加移动但最后我发现pvtable包含随机非一致移动,例如['g1h3', 'g8h6', 'h3g5', 'd8g5']等起始位置。

我知道有类似的问题已被问过,但我仍然没有弄清楚如何解决这个问题。

1 个答案:

答案 0 :(得分:1)

我认为当搜索再次达到相同的深度时(在游戏树的不同分支中),您的动作会被覆盖。

此网站解释了如何检索主要变体:https://web.archive.org/web/20071031100114/http://www.brucemo.com:80/compchess/programming/pv.htm

应用于您的代码示例,它应该是这样的(我没有测试它):

def alphabeta(board, alpha, beta, depth, pline):

    line = []
    if depth == 0:
        return evaluate.eval(board)

    for move in board.legal_moves:
        board.push(move)
        score = -alphabeta(board, -beta, -alpha, depth - 1, line)
        board.pop()
        if score >= beta:
            return beta
        if score > alpha:
            alpha = score
        pline[:] = [str(move)] + line

    return alpha