-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgameGUI.py
237 lines (207 loc) · 9.85 KB
/
gameGUI.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
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
#!/usr/bin/env python3
import pygame
import sys
from baseGame import Connect4
from engine import Connect4Engine
from neat_player import NEATPlayer
from RL_agent import DQNAgent
import torch
import numpy as np
class Connect4GUI:
# Colors
BLUE = (0, 0, 255)
BLACK = (0, 0, 0)
RED = (255, 0, 0)
YELLOW = (255, 255, 0)
WHITE = (255, 255, 255)
# Game modes
HUMAN_VS_HUMAN = 0
HUMAN_VS_ENGINE = 1
HUMAN_VS_NEAT = 2
HUMAN_VS_RL = 3
def __init__(self, n, cell_size=100):
"""
Initialize the GUI with board size n and cell size in pixels.
Parameters:
n (int): Board size (number of rows and columns)
cell_size (int): Cell size in pixels
"""
self.game = Connect4(n)
self.cell_size = cell_size
self.width = self.game.cols * cell_size
self.height = (self.game.rows + 1) * cell_size # Extra row for piece drop animation
self.engine = Connect4Engine()
self.game_mode = self.HUMAN_VS_HUMAN
self.computer_player = 2
self.show_eval = True
self.neat_available = True
# Initialize NEAT player
try:
self.neat_player = NEATPlayer()
except FileNotFoundError:
print("NEAT model not found. NEAT player mode will be disabled.")
self.neat_player = None
self.neat_available = False
# Initialize RL player
try:
self.rl_agent = DQNAgent(self.game.rows * self.game.cols, self.game.cols)
self.rl_agent.policy_net.load_state_dict(torch.load("connect4_dqn.pth"))
self.rl_agent.policy_net.eval()
except FileNotFoundError:
print("RL model not found. RL player mode will be disabled.")
self.rl_agent = None
# Mode display text
self.mode_texts = {
self.HUMAN_VS_HUMAN: "Human vs Human",
self.HUMAN_VS_ENGINE: "Human vs Engine",
self.HUMAN_VS_NEAT: "Human vs NEAT" + (" (Not Available)" if not self.neat_available else ""),
self.HUMAN_VS_RL: "Human vs RL" + (" (Not Available)" if self.rl_agent is None else "")
}
# Initialize Pygame
pygame.init()
self.screen = pygame.display.set_mode((self.width, self.height))
pygame.display.set_caption('Connect 4')
# Font for text
self.font = pygame.font.Font(None, 74)
def toggle_game_mode(self):
"""Cycle through game modes. If the selected game mode is unavailable (because the NEAT or RL model isn't found), skip to the next available mode."""
# Increment the game mode
self.game_mode = (self.game_mode + 1) % 4
# If the selected game mode is NEAT player mode and the NEAT model isn't found, skip to the next mode
if self.game_mode == self.HUMAN_VS_NEAT and not self.neat_available:
self.game_mode = (self.game_mode + 1) % 4
# If the selected game mode is RL player mode and the RL model isn't found, skip to the next mode
if self.game_mode == self.HUMAN_VS_RL and self.rl_agent is None:
self.game_mode = (self.game_mode + 1) % 4
# Reset the game when the mode is changed
self.game.reset()
def draw_evaluation(self):
"""Draw the engine's evaluation of the current position"""
if not self.show_eval:
return
evaluation = self.engine.evaluate_position(self.game, self.game.current_player)
eval_font = pygame.font.Font(None, 36)
eval_text = f"Eval: {evaluation:+.1f}"
eval_background = pygame.Surface((200, 30))
eval_background.fill(self.WHITE)
eval_background.set_alpha(230)
if evaluation > 0:
text_color = self.RED
elif evaluation < 0:
text_color = self.YELLOW
else:
text_color = self.BLACK
eval_surface = eval_font.render(eval_text, True, text_color)
background_rect = eval_background.get_rect(topright=(self.width - 10, 10))
text_rect = eval_surface.get_rect(center=background_rect.center)
self.screen.blit(eval_background, background_rect)
self.screen.blit(eval_surface, text_rect)
def draw_status(self):
"""Draw the game status text"""
pygame.draw.rect(self.screen, self.WHITE,
(0, 0, self.width, self.cell_size))
if self.game.is_game_over():
if self.game.winner is not None:
text = f"Player {self.game.winner} wins!"
color = self.RED if self.game.winner == 1 else self.YELLOW
else:
text = "Game Draw!"
color = self.BLACK
else:
text = f"Player {self.game.current_player}'s turn"
color = self.RED if self.game.current_player == 1 else self.YELLOW
instruction_font = pygame.font.Font(None, 26)
instruction_text = "Press R to restart, Q to quit, M to change mode, E to toggle eval"
mode_text = self.mode_texts[self.game_mode]
# Add warning color for unavailable modes
mode_color = self.BLACK
if (self.game_mode == self.HUMAN_VS_NEAT and not self.neat_available) or \
(self.game_mode == self.HUMAN_VS_RL and self.rl_agent is None):
mode_color = self.RED
text_surface = self.font.render(text, True, color)
text_rect = text_surface.get_rect(
center=(self.width // 2, self.cell_size // 3))
instruction_surface = instruction_font.render(instruction_text, True, self.BLACK)
instruction_rect = instruction_surface.get_rect(
center=(self.width // 2, self.cell_size * 2 // 3))
mode_surface = instruction_font.render(mode_text, True, mode_color)
mode_rect = mode_surface.get_rect(
center=(self.width // 2, self.cell_size * 0.85))
self.screen.blit(text_surface, text_rect)
self.screen.blit(instruction_surface, instruction_rect)
self.screen.blit(mode_surface, mode_rect)
def draw_board(self):
"""Draw the game board"""
self.screen.fill(self.WHITE)
self.draw_status()
self.draw_evaluation()
# Draw the blue board
pygame.draw.rect(self.screen, self.BLUE,
(0, self.cell_size, self.width, self.height - self.cell_size))
# Draw cells
for row in range(self.game.rows):
for col in range(self.game.cols):
# Calculate center position for the circle
center_x = col * self.cell_size + self.cell_size // 2
center_y = (row + 1) * self.cell_size + self.cell_size // 2
# Draw circle
color = self.BLACK # Empty cell
if self.game.board[row][col] == 1:
color = self.RED # Player 1
elif self.game.board[row][col] == 2:
color = self.YELLOW # Player 2
pygame.draw.circle(self.screen, color,
(center_x, center_y),
self.cell_size // 2 - 5)
# Draw the hovering piece in the top row
if not self.game.is_game_over():
mouse_x = pygame.mouse.get_pos()[0]
col = mouse_x // self.cell_size
if 0 <= col < self.game.cols:
color = self.RED if self.game.current_player == 1 else self.YELLOW
pygame.draw.circle(self.screen, color,
(col * self.cell_size + self.cell_size // 2,
self.cell_size // 2),
self.cell_size // 2 - 5)
pygame.display.update()
def run(self):
"""Main game loop"""
while True:
for event in pygame.event.get():
if event.type == pygame.QUIT:
pygame.quit()
sys.exit()
if event.type == pygame.MOUSEBUTTONDOWN and not self.game.is_game_over():
mouse_x = event.pos[0]
col = mouse_x // self.cell_size
if self.game.make_move(col):
if self.game.is_game_over():
self.draw_board()
elif self.game_mode != self.HUMAN_VS_HUMAN and self.game.current_player == self.computer_player:
computer_move = None
if self.game_mode == self.HUMAN_VS_ENGINE:
computer_move = self.engine.get_best_move(self.game)
elif self.game_mode == self.HUMAN_VS_NEAT and self.neat_player:
computer_move = self.neat_player.get_move(self.game)
elif self.game_mode == self.HUMAN_VS_RL and self.rl_agent:
state = np.array(self.game.get_state()).flatten()
valid_moves = self.game.get_valid_moves()
computer_move = self.rl_agent.get_action(state, valid_moves)
if computer_move is not None:
self.game.make_move(computer_move)
if event.type == pygame.KEYDOWN:
if event.key == pygame.K_r: # Reset game with 'R' key
self.game.reset()
elif event.key == pygame.K_q: # Quit with 'Q' key
pygame.quit()
sys.exit()
elif event.key == pygame.K_m: # Toggle game mode
self.toggle_game_mode()
elif event.key == pygame.K_e: # Toggle evaluation display
self.show_eval = not self.show_eval
self.draw_board()
pygame.time.wait(50) # Small delay to prevent excessive CPU usage
if __name__ == "__main__":
# Create and run the game with a 6x7 board
gui_game = Connect4GUI(6)
gui_game.run()