-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathuci.py
executable file
·196 lines (163 loc) · 6.2 KB
/
uci.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
import sys
import time
from concurrent.futures import ThreadPoolExecutor
from threading import Event
from src.board import STARTING_BOARD_FEN, Board, BoardT
from src.searcher_pvs import Searcher
from src.utils import logger, set_logger_level
set_logger_level('ERROR')
DEFAULT_MAX_DEPTH = 100
def go_loop(
searcher: Searcher,
board: BoardT,
stop_event: Event,
max_movetime: int = 0,
strict_time: bool = False,
max_depth: int = 100,
debug: bool = False,
):
if debug:
print(f"Going movetime={max_movetime}, depth={max_depth}", flush=True)
start = time.time()
depth = 0
t1 = start
t_search = 0
for score, pv in searcher._search_at_depth(board, max_depth):
# Time Management
t2 = time.time()
t_search += t2 - t1
depth += 1
elapsed = time.time() - start
fields = {
"depth": depth,
"time": round(1000 * elapsed),
"nodes": searcher.nodes,
"nps": round(searcher.nodes / elapsed),
"score cp": score,
"pv": ' '.join(pv),
}
info_str = " ".join(f"{k} {v}" for k, v in fields.items())
print(f"info {info_str}",flush=True)
# Have a move (depth > 1), break conditions below
if depth > 1:
# Depth limiting case
if depth - 1 >= max_depth:
break
# same time for last depth search will put us over
# and we are in strict time, just break now
if strict_time and (elapsed + t_search > max_movetime):
break
# currently over time, break now
if elapsed > max_movetime:
break
if stop_event.is_set():
break
# FIXME: If we are in "go infinite" we aren't actually supposed to stop the
# go-loop before we got stop_event. Unfortunately we currently don't know if
# we are in "go infinite" since it's simply translated to "go depth 100".
print("bestmove", pv[0] if pv else "(none)",flush=True)
def main():
"""
Partially implemented UCI protocol
"""
debug = True
searcher = Searcher()
board = Board()
pos_hist = set()
N_MOVES = 100
with ThreadPoolExecutor() as exec:
# Noop future to get started
go_future = exec.submit(lambda: None)
do_stop_event = Event()
while True:
try:
args = input().split()
if not args:
continue
elif args[0] == 'quit':
if go_future.running():
do_stop_event.set()
go_future.result()
break
elif args[0] == 'stop':
if go_future.running():
do_stop_event.set()
go_future.result()
elif args[0] == 'uci':
print('id name Bengal')
print('id author erosten')
print('uciok')
elif args[0] == 'isready':
print('readyok')
elif args[0] == 'debug':
if args[1] == 'on':
debug = True
elif args[1] == 'off':
debug = False
elif args[0] == "position":
if args[1] == 'startpos':
board = Board(STARTING_BOARD_FEN)
pos_hist.clear()
pos_hist.add(board._board_pieces_state())
N_MOVES = 100
for move in args[3:]:
board.push_uci(move)
pos_hist.add(board._board_pieces_state())
N_MOVES -= 1
elif args[1] == 'fen':
fen = ' '.join(args[2:8])
board = Board(fen=fen)
pos_hist.clear()
pos_hist.add(board._board_pieces_state())
N_MOVES = 100
if len(args) > 8:
for move in args[9:]:
board.push_uci(move)
pos_hist.add(board._board_pieces_state())
N_MOVES -= 1
searcher = Searcher(pos_hist=pos_hist)
elif args[0] == "go":
max_depth = 100
strict = False
ttm = 100000
if args[1:] == [] or args[1] == 'infinite':
pass
elif args[1] == 'movetime':
ttm = int(args[2]) / 1000 # seconds
elif args[1] == 'wtime':
# in seconds
wtime, btime = int(args[2]) / 1000, int(args[4]) / 1000
if args[5] == 'movestogo':
movestogo = int(args[6])
else:
movestogo = max(N_MOVES, 1)
t_tot = wtime if board.turn else btime
ttm = t_tot / movestogo
strict = t_tot < 30
elif args[1] == 'depth':
max_depth = int(args[2])
N_MOVES -= 1
do_stop_event.clear()
go_future = exec.submit(
go_loop,
searcher,
board,
do_stop_event,
ttm,
strict,
max_depth,
debug
)
# Make sure we get informed if the job fails
def callback(fut):
fut.result(timeout=0)
go_future.add_done_callback(callback)
except (KeyboardInterrupt, EOFError):
if go_future.running():
if debug:
print("Stopping go loop...")
do_stop_event.set()
go_future.result()
break
if __name__ == "__main__":
main()