-
Notifications
You must be signed in to change notification settings - Fork 0
/
chess_board.py
94 lines (73 loc) · 2.19 KB
/
chess_board.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
import argparse
import chess
from move_generation import next_move
def start():
"""
Start the command line user interface
"""
board = chess.Board()
user_side = (
chess.WHITE if input("Start as white or black (w/b):\n") == "w" else chess.BLACK
)
if user_side == chess.WHITE:
print(render(board))
board.push(get_move(board))
while not board.is_game_over():
board.push(next_move(get_depth(), board, debug=False))
print(render(board))
board.push(get_move(board))
print(f"\nResult: [w] {board.result()} [b]")
def render(board: chess.Board) -> str:
"""
Print a side-relative chess board with special chess characters
"""
board_string = list(str(board))
chess_pieces = {
"R": "♖",
"N": "♘",
"B": "♗",
"Q": "♕",
"K": "♔",
"P": "♙",
"r": "♜",
"n": "♞",
"b": "♝",
"q": "♛",
"k": "♚",
"p": "♟",
".": "·",
}
for index, char in enumerate(board_string):
if char in chess_pieces:
board_string[index] = chess_pieces[char]
ranks = ["1", "2", "3", "4", "5", "6", "7", "8"]
display = []
for rank in "".join(board_string).split("\n"):
display.append(f" {ranks.pop()} {rank}")
if board.turn == chess.BLACK:
display.reverse()
display.append(" a b c d e f g h")
return "\n" + "\n".join(display)
def get_move(board: chess.Board) -> chess.Move:
"""
Try (and keep trying) to get a legal next move from the user
Play the move by mutating the game board
"""
move = input(f"\nYour move (e.g. {list(board.legal_moves)[0]}):\n")
for legal_move in board.legal_moves:
if move == str(legal_move):
return legal_move
return get_move(board)
def get_depth() -> int:
"""
Return the depth of the search tree
"""
parser = argparse.ArgumentParser()
parser.add_argument("--depth", default=3, help="Provide an integer (default: 3)")
args = parser.parse_args()
return max([1, int(args.depth)])
if __name__ == "__main__":
try:
start()
except KeyboardInterrupt:
pass