The Universal chess interface (UCI) and XBoard protocol are standards for communicating with chess engines. This module implements an abstraction for playing moves and analysing positions with both kinds of engines.
Warning
Many popular chess engines make no guarantees, not even memory safety, when parameters and positions are not completely valid
. This module tries to deal with benign misbehaving engines, but ultimately they are executables running on your system.
The preferred way to use the API is with an asyncio event loop. The examples also show a synchronous wrapper SimpleEngine
that automatically spawns an event loop in the background. SimpleEngine
methods block until there is a result.
Example: Let Stockfish play against itself, 100 milliseconds per move.
import chess import chess.engine engine = chess.engine.SimpleEngine.popen_uci(r"C:\Users\xxxxx\Downloads\stockfish_14_win_x64\stockfish_14_win_x64_avx2.exe") board = chess.Board() while not board.is_game_over(): result = engine.play(board, chess.engine.Limit(time=0.1)) board.push(result.move) engine.quit()
import asyncio import chess import chess.engine async def main() -> None: transport, engine = await chess.engine.popen_uci(r"C:\Users\xxxxx\Downloads\stockfish_14_win_x64\stockfish_14_win_x64_avx2.exe") board = chess.Board() while not board.is_game_over(): result = await engine.play(board, chess.engine.Limit(time=0.1)) board.push(result.move) await engine.quit() asyncio.run(main())
Protocol for communicating with a chess engine process.
Plays a position.
board – The position. The entire move stack will be sent to the engine.
limit – An instance of chess.engine.Limit
that determines when to stop thinking.
game – Optional. An arbitrary object that identifies the game. Will automatically inform the engine if the object is not equal to the previous game (e.g., ucinewgame
, new
).
info – Selects which additional information to retrieve from the engine. INFO_NONE
, INFO_BASIC
(basic information that is trivial to obtain), INFO_SCORE
, INFO_PV
, INFO_REFUTATION
, INFO_CURRLINE
, INFO_ALL
or any bitwise combination. Some overhead is associated with parsing extra information.
ponder – Whether the engine should keep analysing in the background even after the result has been returned.
draw_offered – Whether the engine’s opponent has offered a draw. Ignored by UCI engines.
root_moves – Optional. Consider only root moves from this list.
options – Optional. A dictionary of engine options for the analysis. The previous configuration will be restored after the analysis is complete. You can permanently apply a configuration with configure()
.
opponent – Optional. Information about a new opponent. Information about the original opponent will be restored once the move is complete. New opponent information can be made permanent with send_opponent_information()
.
Search-termination condition.
Search exactly time seconds.
Search depth ply only.
Search only a limited number of nodes.
Search for a mate in mate moves.
Time in seconds remaining for White.
Time in seconds remaining for Black.
Fisher increment for White, in seconds.
Fisher increment for Black, in seconds.
Number of moves to the next time control. If this is not set, but white_clock and black_clock are, then it is sudden death.
An identifier to use with XBoard engines to signal that the time control has changed. When this field changes, Xboard engines are sent level or st commands as appropriate. Otherwise, only time and otim commands are sent to update the engine’s clock.
Returned by chess.engine.Protocol.play()
.
The best move according to the engine, or None
.
The response that the engine expects after move, or None
.
A dictionary of extra information
sent by the engine, if selected with the info argument of play()
.
Whether the engine offered a draw before moving.
Whether the engine resigned.
Protocol for communicating with a chess engine process.
Sends the engine information about its opponent. The information will be sent after a new game is announced and before the first move. This method should be called before the first move of a game–i.e., the first call to chess.engine.Protocol.play()
.
opponent – Optional. An instance of chess.engine.Opponent
that has the opponent’s information.
engine_rating – Optional. This engine’s own rating. Only used by XBoard engines.
Used to store information about an engine’s opponent.
The name of the opponent.
The opponent’s title–for example, GM, IM, or BOT.
The opponent’s ELO rating.
Whether the opponent is a chess engine/computer program.
Protocol for communicating with a chess engine process.
Sends the engine the result of the game.
XBoard engines receive the final moves and a line of the form result <winner> {<ending>}
. The <winner>
field is one of 1-0
, 0-1
, 1/2-1/2
, or *
to indicate white won, black won, draw, or adjournment, respectively. The <ending>
field is a description of the specific reason for the end of the game: “White mates”, “Time forfeiture”, “Stalemate”, etc.
UCI engines do not expect end-of-game information and so are not sent anything.
board – The final state of the board.
winner – Optional. Specify the winner of the game. This is useful if the result of the game is not evident from the board–e.g., time forfeiture or draw by agreement. If not None
, this parameter overrides any winner derivable from the board.
game_ending – Optional. Text describing the reason for the game ending. Similarly to the winner parameter, this overrides any game result derivable from the board.
game_complete – Optional. Whether the game reached completion.
Example:
import chess import chess.engine engine = chess.engine.SimpleEngine.popen_uci("/usr/bin/stockfish") board = chess.Board() info = engine.analyse(board, chess.engine.Limit(time=0.1)) print("Score:", info["score"]) # Score: PovScore(Cp(+20), WHITE) board = chess.Board("r1bqkbnr/p1pp1ppp/1pn5/4p3/2B1P3/5Q2/PPPP1PPP/RNB1K1NR w KQkq - 2 4") info = engine.analyse(board, chess.engine.Limit(depth=20)) print("Score:", info["score"]) # Score: PovScore(Mate(+1), WHITE) engine.quit()
import asyncio import chess import chess.engine async def main() -> None: transport, engine = await chess.engine.popen_uci("/usr/bin/stockfish") board = chess.Board() info = await engine.analyse(board, chess.engine.Limit(time=0.1)) print(info["score"]) # Score: PovScore(Cp(+20), WHITE) board = chess.Board("r1bqkbnr/p1pp1ppp/1pn5/4p3/2B1P3/5Q2/PPPP1PPP/RNB1K1NR w KQkq - 2 4") info = await engine.analyse(board, chess.engine.Limit(depth=20)) print(info["score"]) # Score: PovScore(Mate(+1), WHITE) await engine.quit() asyncio.run(main())
Protocol for communicating with a chess engine process.
Analyses a position and returns a dictionary of information
.
board – The position to analyse. The entire move stack will be sent to the engine.
limit – An instance of chess.engine.Limit
that determines when to stop the analysis.
multipv – Optional. Analyse multiple root moves. Will return a list of at most multipv dictionaries rather than just a single info dictionary.
game – Optional. An arbitrary object that identifies the game. Will automatically inform the engine if the object is not equal to the previous game (e.g., ucinewgame
, new
).
info – Selects which information to retrieve from the engine. INFO_NONE
, INFO_BASIC
(basic information that is trivial to obtain), INFO_SCORE
, INFO_PV
, INFO_REFUTATION
, INFO_CURRLINE
, INFO_ALL
or any bitwise combination. Some overhead is associated with parsing extra information.
root_moves – Optional. Limit analysis to a list of root moves.
options – Optional. A dictionary of engine options for the analysis. The previous configuration will be restored after the analysis is complete. You can permanently apply a configuration with configure()
.
Dictionary of aggregated information sent by the engine.
Commonly used keys are: score
(a PovScore
), pv
(a list of Move
objects), depth
, seldepth
, time
(in seconds), nodes
, nps
, multipv
(1
for the mainline).
Others: tbhits
, currmove
, currmovenumber
, hashfull
, cpuload
, refutation
, currline
, ebf
(effective branching factor), wdl
(a PovWdl
), and string
.
A relative Score
and the point of view.
The relative Score
.
The point of view (chess.WHITE
or chess.BLACK
).
Gets the score from White’s point of view.
Gets the score from Black’s point of view.
Gets the score from the point of view of the given color.
Tests if this is a mate score.
See wdl()
.
Evaluation of a position.
The score can be Cp
(centi-pawns), Mate
or MateGiven
. A positive value indicates an advantage.
There is a total order defined on centi-pawn and mate scores.
>>> from chess.engine import Cp, Mate, MateGiven >>> >>> Mate(-0) < Mate(-1) < Cp(-50) < Cp(200) < Mate(4) < Mate(1) < MateGiven True
Scores can be negated to change the point of view:
Returns the centi-pawn score as an integer or None
.
You can optionally pass a large value to convert mate scores to centi-pawn scores.
>>> Cp(-300).score() -300 >>> Mate(5).score() is None True >>> Mate(5).score(mate_score=100000) 99995
Returns the number of plies to mate, negative if we are getting mated, or None
.
Warning
This conflates Mate(0)
(we lost) and MateGiven
(we won) to 0
.
Tests if this is a mate score.
Returns statistics for the expected outcome of this game, based on a model, given that this score is reached at ply.
Scores have a total order, but it makes little sense to compute the difference between two scores. For example, going from Cp(-100)
to Cp(+100)
is much more significant than going from Cp(+300)
to Cp(+500)
. It is better to compute differences of the expectation values for the outcome of the game (based on winning chances and drawing chances).
>>> Cp(100).wdl().expectation() - Cp(-100).wdl().expectation() 0.379...
>>> Cp(500).wdl().expectation() - Cp(300).wdl().expectation() 0.015...
model –
sf
, the WDL model used by the latest Stockfish (currently sf16
).
sf16
, the WDL model used by Stockfish 16.
sf15.1
, the WDL model used by Stockfish 15.1.
sf15
, the WDL model used by Stockfish 15.
sf14
, the WDL model used by Stockfish 14.
sf12
, the WDL model used by Stockfish 12.
lichess
, the win rate model used by Lichess. Does not use ply, and does not consider drawing chances.
ply – The number of half-moves played since the starting position. Models may scale scores slightly differently based on this. Defaults to middle game.
Relative win/draw/loss statistics
and the point of view.
The relative Wdl
.
The point of view (chess.WHITE
or chess.BLACK
).
Gets the Wdl
from White’s point of view.
Gets the Wdl
from Black’s point of view.
Gets the Wdl
from the point of view of the given color.
Win/draw/loss statistics.
The number of wins.
The number of draws.
The number of losses.
Returns the total number of games. Usually, wdl
reported by engines is scaled to 1000 games.
Returns the relative frequency of wins.
Returns the relative frequency of draws.
Returns the relative frequency of losses.
Returns the expectation value, where a win is valued 1, a draw is valued 0.5, and a loss is valued 0.
Example: Stream information from the engine and stop on an arbitrary condition.
import chess import chess.engine engine = chess.engine.SimpleEngine.popen_uci("/usr/bin/stockfish") with engine.analysis(chess.Board()) as analysis: for info in analysis: print(info.get("score"), info.get("pv")) # Arbitrary stop condition. if info.get("seldepth", 0) > 20: break engine.quit()
import asyncio import chess import chess.engine async def main() -> None: transport, engine = await chess.engine.popen_uci("/usr/bin/stockfish") with await engine.analysis(chess.Board()) as analysis: async for info in analysis: print(info.get("score"), info.get("pv")) # Arbitrary stop condition. if info.get("seldepth", 0) > 20: break await engine.quit() asyncio.run(main())
Protocol for communicating with a chess engine process.
Starts analysing a position.
board – The position to analyse. The entire move stack will be sent to the engine.
limit – Optional. An instance of chess.engine.Limit
that determines when to stop the analysis. Analysis is infinite by default.
multipv – Optional. Analyse multiple root moves.
game – Optional. An arbitrary object that identifies the game. Will automatically inform the engine if the object is not equal to the previous game (e.g., ucinewgame
, new
).
info – Selects which information to retrieve from the engine. INFO_NONE
, INFO_BASIC
(basic information that is trivial to obtain), INFO_SCORE
, INFO_PV
, INFO_REFUTATION
, INFO_CURRLINE
, INFO_ALL
or any bitwise combination. Some overhead is associated with parsing extra information.
root_moves – Optional. Limit analysis to a list of root moves.
options – Optional. A dictionary of engine options for the analysis. The previous configuration will be restored after the analysis is complete. You can permanently apply a configuration with configure()
.
Returns AnalysisResult
, a handle that allows asynchronously iterating over the information sent by the engine and stopping the analysis at any time.
Handle to ongoing engine analysis. Returned by chess.engine.Protocol.analysis()
.
Can be used to asynchronously iterate over information sent by the engine.
Automatically stops the analysis when used as a context manager.
A list of dictionaries with aggregated information sent by the engine. One item for each root move.
A dictionary of aggregated information sent by the engine. This is actually an alias for multipv[0]
.
Stops the analysis as soon as possible.
Waits until the analysis is finished.
Waits for the next dictionary of information from the engine and returns it.
It might be more convenient to use async for info in analysis: ...
.
chess.engine.AnalysisComplete
if the analysis is complete (or has been stopped) and all information has been consumed. Use next()
if you prefer to get None
instead of an exception.
Checks if calling get()
, calling next()
, or advancing the iterator one step would require waiting for the engine.
These functions would return immediately if information is pending (queue is not empty
) or if the search is finished.
Checks if all current information has been consumed.
If the queue is empty, but the analysis is still ongoing, then further information can become available in the future.
Returned by chess.engine.AnalysisResult.wait()
.
The best move according to the engine, or None
.
The response that the engine expects after move, or None
.
configure()
, play()
, analyse()
and analysis()
accept a dictionary of options.
import chess.engine engine = chess.engine.SimpleEngine.popen_uci("/usr/bin/stockfish") # Check available options. engine.options["Hash"] # Option(name='Hash', type='spin', default=16, min=1, max=131072, var=[]) # Set an option. engine.configure({"Hash": 32}) # [...]
import asyncio import chess.engine async def main() -> None: transport, engine = await chess.engine.popen_uci("/usr/bin/stockfish") # Check available options. print(engine.options["Hash"]) # Option(name='Hash', type='spin', default=16, min=1, max=131072, var=[]) # Set an option. await engine.configure({"Hash": 32}) # [...] asyncio.run(main())
Protocol for communicating with a chess engine process.
Dictionary of available options.
Configures global engine options.
options – A dictionary of engine options where the keys are names of options
. Do not set options that are managed automatically (chess.engine.Option.is_managed()
).
Information about an available engine option.
The name of the option.
The type of the option.
type
UCI
CECP
value
check
X
X
True
or False
spin
X
X
integer, between min and max
combo
X
X
string, one of var
button
X
X
None
reset
X
None
save
X
None
string
X
X
string without line breaks
file
X
string, interpreted as the path to a file
path
X
string, interpreted as the path to a directory
The default value of the option.
The minimum integer value of a spin option.
The maximum integer value of a spin option.
A list of allowed string values for a combo option.
Some options are managed automatically: UCI_Chess960
, UCI_Variant
, MultiPV
, Ponder
.
Communication is logged with debug level on a logger named chess.engine
. Debug logs are useful while troubleshooting. Please also provide them when submitting bug reports.
import logging # Enable debug logging. logging.basicConfig(level=logging.DEBUG)AsyncSSH
chess.engine.Protocol
can also be used with AsyncSSH (since 1.16.0) to communicate with an engine on a remote computer.
import asyncio import asyncssh import chess import chess.engine async def main() -> None: async with asyncssh.connect("localhost") as conn: channel, engine = await conn.create_subprocess(chess.engine.UciProtocol, "/usr/bin/stockfish") await engine.initialize() # Play, analyse, ... await engine.ping() asyncio.run(main())Reference
Runtime error caused by a misbehaving engine or incorrect usage.
The engine process exited unexpectedly.
Raised when analysis is complete, all information has been consumed, but further information was requested.
Spawns and initializes a UCI engine.
command – Path of the engine executable, or a list including the path and arguments.
setpgrp – Open the engine process in a new process group. This will stop signals (such as keyboard interrupts) from propagating from the parent process. Defaults to False
.
popen_args – Additional arguments for popen. Do not set stdin
, stdout
, bufsize
or universal_newlines
.
Returns a subprocess transport and engine protocol pair.
Spawns and initializes an XBoard engine.
command – Path of the engine executable, or a list including the path and arguments.
setpgrp – Open the engine process in a new process group. This will stop signals (such as keyboard interrupts) from propagating from the parent process. Defaults to False
.
popen_args –
Additional arguments for popen. Do not set stdin
, stdout
, bufsize
or universal_newlines
.
Returns a subprocess transport and engine protocol pair.
Protocol for communicating with a chess engine process.
Dictionary of information about the engine. Common keys are name
and author
.
Future: Exit code of the process.
Initializes the engine.
Pings the engine and waits for a response. Used to ensure the engine is still alive and idle.
Asks the engine to shut down.
An implementation of the Universal Chess Interface protocol.
An implementation of the XBoard protocol (CECP).
Synchronous wrapper around a transport and engine protocol pair. Provides the same methods and attributes as chess.engine.Protocol
with blocking functions instead of coroutines.
You may not concurrently modify objects passed to any of the methods. Other than that, SimpleEngine
is thread-safe. When sending a new command to the engine, any previous running command will be cancelled as soon as possible.
Methods will raise asyncio.TimeoutError
if an operation takes timeout seconds longer than expected (unless timeout is None
).
Automatically closes the transport when used as a context manager.
Closes the transport and the background event loop as soon as possible.
Spawns and initializes a UCI engine. Returns a SimpleEngine
instance.
Spawns and initializes an XBoard engine. Returns a SimpleEngine
instance.
Synchronous wrapper around AnalysisResult
. Returned by chess.engine.SimpleEngine.analysis()
.
RetroSearch is an open source project built by @garambo | Open a GitHub Issue
Search and Browse the WWW like it's 1997 | Search results from DuckDuckGo
HTML:
3.2
| Encoding:
UTF-8
| Version:
0.7.4