Skip to content
Snippets Groups Projects
Commit 056e5646 authored by Florian Schröder's avatar Florian Schröder
Browse files

Merge branch '54-game-menus-start-and-end' into 'main'

Resolve "Game menus start and end"

Closes #54

See merge request scs/cocosy/overcooked-simulator!23
parents 2b8de833 3d2be0fc
No related branches found
No related tags found
1 merge request!23Resolve "Game menus start and end"
Pipeline #43013 passed
Showing
with 324 additions and 53 deletions
_____ _____
_____ _____
____P ____P
\ No newline at end of file
radius: 0.4 radius: 0.4
move_dist: 0.2 move_dist: 0.12
interaction_range: 1.6 interaction_range: 1.6
\ No newline at end of file
{
"defaults": {
"colours": {
"normal_bg": "#45494e",
"hovered_bg": "#35393e",
"disabled_bg": "#25292e",
"selected_bg": "#193754",
"dark_bg": "#15191e",
"normal_text": "#c5cbd8",
"hovered_text": "#FFFFFF",
"selected_text": "#FFFFFF",
"disabled_text": "#6d736f",
"link_text": "#0000EE",
"link_hover": "#2020FF",
"link_selected": "#551A8B",
"text_shadow": "#777777",
"normal_border": "#DDDDDD",
"hovered_border": "#B0B0B0",
"disabled_border": "#808080",
"selected_border": "#8080B0",
"active_border": "#8080B0",
"filled_bar": "#f4251b",
"unfilled_bar": "#CCCCCC"
}
},
"button": {
"colours": {
"normal_bg": "#45494e",
"hovered_bg": "#35393e",
"disabled_bg": "#25292e",
"selected_bg": "#193754",
"active_bg": "#193754",
"dark_bg": "#15191e",
"normal_text": "#c5cbd8",
"hovered_text": "#FFFFFF",
"selected_text": "#FFFFFF",
"disabled_text": "#6d736f",
"active_text": "#FFFFFF",
"normal_border": "#DDDDDD",
"hovered_border": "#B0B0B0",
"disabled_border": "#808080",
"selected_border": "#8080B0",
"active_border": "#8080B0"
},
"misc": {
"tool_tip_delay": "1.5"
}
}
}
\ No newline at end of file
...@@ -3,10 +3,12 @@ import logging ...@@ -3,10 +3,12 @@ import logging
import math import math
import sys import sys
from collections import deque from collections import deque
from enum import Enum
import numpy as np import numpy as np
import numpy.typing as npt import numpy.typing as npt
import pygame import pygame
import pygame_gui
import yaml import yaml
from scipy.spatial import KDTree from scipy.spatial import KDTree
...@@ -19,9 +21,9 @@ from overcooked_simulator.game_items import ( ...@@ -19,9 +21,9 @@ from overcooked_simulator.game_items import (
Meal, Meal,
Plate, Plate,
) )
from overcooked_simulator.gui_2d_vis.game_colors import BLUE
from overcooked_simulator.gui_2d_vis.game_colors import colors, Color
from overcooked_simulator.overcooked_environment import Action from overcooked_simulator.overcooked_environment import Action
from overcooked_simulator.pygame_gui.game_colors import BLUE
from overcooked_simulator.pygame_gui.game_colors import colors, Color
from overcooked_simulator.simulation_runner import Simulator from overcooked_simulator.simulation_runner import Simulator
USE_PLAYER_COOK_SPRITES = True USE_PLAYER_COOK_SPRITES = True
...@@ -29,6 +31,12 @@ SHOW_INTERACTION_RANGE = False ...@@ -29,6 +31,12 @@ SHOW_INTERACTION_RANGE = False
SHOW_COUNTER_CENTERS = False SHOW_COUNTER_CENTERS = False
class MenuStates(Enum):
Start = "Start"
Game = "Game"
End = "End"
def create_polygon(n, length): def create_polygon(n, length):
if n == 0: if n == 0:
return np.array([0, 0]) return np.array([0, 0])
...@@ -86,9 +94,10 @@ class PyGameGUI: ...@@ -86,9 +94,10 @@ class PyGameGUI:
player_names: list[str], player_names: list[str],
player_keys: list[pygame.key], player_keys: list[pygame.key],
): ):
self.screen = None self.game_screen = None
self.FPS = 60 self.FPS = 60
self.simulator = simulator self.simulator: Simulator = simulator
self.player_names = player_names self.player_names = player_names
self.player_keys = player_keys self.player_keys = player_keys
...@@ -100,29 +109,43 @@ class PyGameGUI: ...@@ -100,29 +109,43 @@ class PyGameGUI:
] ]
# TODO cache loaded images? # TODO cache loaded images?
with open(ROOT_DIR / "pygame_gui" / "visualization.yaml", "r") as file: with open(ROOT_DIR / "gui_2d_vis" / "visualization.yaml", "r") as file:
self.visualization_config = yaml.safe_load(file) self.visualization_config = yaml.safe_load(file)
if self.visualization_config["GameWindow"]["WhatIsFixed"] == "window_width": if self.visualization_config["GameWindow"]["WhatIsFixed"] == "window_width":
self.window_width = self.visualization_config["GameWindow"]["size"] self.world_width = self.visualization_config["GameWindow"]["size"]
kitchen_aspect_ratio = ( kitchen_aspect_ratio = (
simulator.env.kitchen_height / simulator.env.kitchen_width simulator.env.kitchen_height / simulator.env.kitchen_width
) )
self.window_height = int(self.window_width * kitchen_aspect_ratio) self.world_height = int(self.world_width * kitchen_aspect_ratio)
self.grid_size = int(self.window_width / simulator.env.kitchen_width) self.grid_size = int(self.world_width / simulator.env.kitchen_width)
elif self.visualization_config["GameWindow"]["WhatIsFixed"] == "grid": elif self.visualization_config["GameWindow"]["WhatIsFixed"] == "grid":
self.grid_size = self.visualization_config["GameWindow"]["size"] self.grid_size = self.visualization_config["GameWindow"]["size"]
self.window_width, self.window_height = ( self.world_width, self.world_height = (
simulator.env.kitchen_width * self.grid_size, simulator.env.kitchen_width * self.grid_size,
simulator.env.kitchen_height * self.grid_size, simulator.env.kitchen_height * self.grid_size,
) )
self.screen_margin = self.visualization_config["GameWindow"]["screen_margin"]
self.window_width, self.window_height = (
self.world_width + (2 * self.screen_margin),
self.world_height + (2 * self.screen_margin),
)
self.game_width, self.game_height = (
self.world_width,
self.world_height,
)
self.images_path = ROOT_DIR / "pygame_gui" / "images" self.images_path = ROOT_DIR / "pygame_gui" / "images"
self.player_colors = self.create_player_colors() self.player_colors = self.create_player_colors()
self.image_cache_dict = {} self.image_cache_dict = {}
self.menu_state = MenuStates.Start
self.manager: pygame_gui.UIManager
def create_player_colors(self) -> list[Color]: def create_player_colors(self) -> list[Color]:
number_player = len(self.simulator.env.players) number_player = len(self.simulator.env.players)
hue_values = np.linspace(0, 1, number_player + 1) hue_values = np.linspace(0, 1, number_player + 1)
...@@ -192,11 +215,14 @@ class PyGameGUI: ...@@ -192,11 +215,14 @@ class PyGameGUI:
def draw_background(self): def draw_background(self):
"""Visualizes a game background.""" """Visualizes a game background."""
block_size = self.grid_size // 2 # Set the size of the grid block block_size = self.grid_size // 2 # Set the size of the grid block
self.game_screen.fill(
colors[self.visualization_config["Kitchen"]["ground_tiles_color"]]
)
for x in range(0, self.window_width, block_size): for x in range(0, self.window_width, block_size):
for y in range(0, self.window_height, block_size): for y in range(0, self.window_height, block_size):
rect = pygame.Rect(x, y, block_size, block_size) rect = pygame.Rect(x, y, block_size, block_size)
pygame.draw.rect( pygame.draw.rect(
self.screen, self.game_screen,
self.visualization_config["Kitchen"]["background_lines"], self.visualization_config["Kitchen"]["background_lines"],
rect, rect,
1, 1,
...@@ -208,7 +234,7 @@ class PyGameGUI: ...@@ -208,7 +234,7 @@ class PyGameGUI:
image = self.image_cache_dict[cache_entry] image = self.image_cache_dict[cache_entry]
else: else:
image = pygame.image.load( image = pygame.image.load(
ROOT_DIR / "pygame_gui" / img_path ROOT_DIR / "gui_2d_vis" / img_path
).convert_alpha() ).convert_alpha()
self.image_cache_dict[cache_entry] = image self.image_cache_dict[cache_entry] = image
...@@ -217,7 +243,7 @@ class PyGameGUI: ...@@ -217,7 +243,7 @@ class PyGameGUI:
image = pygame.transform.rotate(image, rot_angle) image = pygame.transform.rotate(image, rot_angle)
rect = image.get_rect() rect = image.get_rect()
rect.center = pos rect.center = pos
self.screen.blit(image, rect) self.game_screen.blit(image, rect)
def draw_players(self, state): def draw_players(self, state):
"""Visualizes the players as circles with a triangle for the facing direction. """Visualizes the players as circles with a triangle for the facing direction.
...@@ -244,13 +270,13 @@ class PyGameGUI: ...@@ -244,13 +270,13 @@ class PyGameGUI:
color1 = self.player_colors[p_idx] color1 = self.player_colors[p_idx]
color2 = colors["white"] color2 = colors["white"]
pygame.draw.circle(self.screen, color2, pos, size) pygame.draw.circle(self.game_screen, color2, pos, size)
pygame.draw.circle(self.screen, BLUE, pos, size, width=1) pygame.draw.circle(self.game_screen, BLUE, pos, size, width=1)
pygame.draw.circle(self.screen, colors[color1], pos, size // 2) pygame.draw.circle(self.game_screen, colors[color1], pos, size // 2)
facing = player.facing_direction facing = player.facing_direction
pygame.draw.polygon( pygame.draw.polygon(
self.screen, self.game_screen,
BLUE, BLUE,
( (
( (
...@@ -267,14 +293,20 @@ class PyGameGUI: ...@@ -267,14 +293,20 @@ class PyGameGUI:
if SHOW_INTERACTION_RANGE: if SHOW_INTERACTION_RANGE:
pygame.draw.circle( pygame.draw.circle(
self.screen, self.game_screen,
BLUE, BLUE,
player.facing_point * self.grid_size, player.facing_point * self.grid_size,
player.interaction_range * self.grid_size, player.interaction_range * self.grid_size,
width=1, width=1,
) )
pygame.draw.circle( pygame.draw.circle(
self.screen, colors["red1"], player.facing_point * self.grid_size, 4 self.game_screen,
colors["red1"],
player.facing_point * self.grid_size,
4,
)
pygame.draw.circle(
self.game_screen, colors["red1"], player.facing_point, 4
) )
if player.holding is not None: if player.holding is not None:
...@@ -287,7 +319,7 @@ class PyGameGUI: ...@@ -287,7 +319,7 @@ class PyGameGUI:
counter: Counter = player.current_nearest_counter counter: Counter = player.current_nearest_counter
pos = counter.pos * self.grid_size pos = counter.pos * self.grid_size
pygame.draw.rect( pygame.draw.rect(
self.screen, self.game_screen,
colors[self.player_colors[p_idx]], colors[self.player_colors[p_idx]],
rect=pygame.Rect( rect=pygame.Rect(
pos[0] - (self.grid_size // 2), pos[0] - (self.grid_size // 2),
...@@ -325,7 +357,7 @@ class PyGameGUI: ...@@ -325,7 +357,7 @@ class PyGameGUI:
if "center_offset" in part: if "center_offset" in part:
dx, dy = np.array(part["center_offset"]) * self.grid_size dx, dy = np.array(part["center_offset"]) * self.grid_size
rect = pygame.Rect(pos[0] + dx, pos[1] + dy, height, width) rect = pygame.Rect(pos[0] + dx, pos[1] + dy, height, width)
pygame.draw.rect(self.screen, color, rect) pygame.draw.rect(self.game_screen, color, rect)
else: else:
rect = pygame.Rect( rect = pygame.Rect(
pos[0] - (height / 2), pos[0] - (height / 2),
...@@ -333,19 +365,19 @@ class PyGameGUI: ...@@ -333,19 +365,19 @@ class PyGameGUI:
height, height,
width, width,
) )
pygame.draw.rect(self.screen, color, rect) pygame.draw.rect(self.game_screen, color, rect)
case "circle": case "circle":
radius = part["radius"] * self.grid_size radius = part["radius"] * self.grid_size
color = colors[part["color"]] color = colors[part["color"]]
if "center_offset" in part: if "center_offset" in part:
pygame.draw.circle( pygame.draw.circle(
self.screen, self.game_screen,
color, color,
pos + (np.array(part["center_offset"])*self.grid_size), pos + (np.array(part["center_offset"]) * self.grid_size),
radius, radius,
) )
else: else:
pygame.draw.circle(self.screen, color, pos, radius) pygame.draw.circle(self.game_screen, color, pos, radius)
def draw_item(self, pos: npt.NDArray[float], item: Item, scale: float = 1.0): def draw_item(self, pos: npt.NDArray[float], item: Item, scale: float = 1.0):
"""Visualization of an item at the specified position. On a counter or in the hands of the player. """Visualization of an item at the specified position. On a counter or in the hands of the player.
...@@ -390,7 +422,7 @@ class PyGameGUI: ...@@ -390,7 +422,7 @@ class PyGameGUI:
progress_width, progress_width,
bar_height, bar_height,
) )
pygame.draw.rect(self.screen, colors["green1"], progress_bar) pygame.draw.rect(self.game_screen, colors["green1"], progress_bar)
def draw_counter(self, counter): def draw_counter(self, counter):
"""Visualization of a counter at its position. If it is occupied by an item, it is also shown. """Visualization of a counter at its position. If it is occupied by an item, it is also shown.
...@@ -431,9 +463,7 @@ class PyGameGUI: ...@@ -431,9 +463,7 @@ class PyGameGUI:
for counter in state["counters"]: for counter in state["counters"]:
self.draw_counter(counter) self.draw_counter(counter)
if SHOW_COUNTER_CENTERS: if SHOW_COUNTER_CENTERS:
pygame.draw.circle( pygame.draw.circle(self.game_screen, colors["green1"], counter.pos, 3)
self.screen, colors["green1"], counter.pos * self.grid_size, 3
)
def draw(self, state): def draw(self, state):
"""Main visualization function. """Main visualization function.
...@@ -441,15 +471,150 @@ class PyGameGUI: ...@@ -441,15 +471,150 @@ class PyGameGUI:
Args: Args:
state: The game state returned by the environment. state: The game state returned by the environment.
""" """
self.screen.fill(
colors[self.visualization_config["Kitchen"]["ground_tiles_color"]]
)
self.draw_background() self.draw_background()
self.draw_counters(state) self.draw_counters(state)
self.draw_players(state) self.draw_players(state)
self.manager.draw_ui(self.game_screen)
def init_ui_elements(self):
self.manager = pygame_gui.UIManager((self.window_width, self.window_height))
self.manager.get_theme().load_theme(ROOT_DIR / "gui_2d_vis" / "gui_theme.json")
button_width, button_height = 200, 60
self.start_button = pygame_gui.elements.UIButton(
relative_rect=pygame.Rect(
(
(self.window_width // 2) - button_width // 2,
(self.window_height / 2) - button_height // 2,
),
(button_width, button_height),
),
text="Start Game",
manager=self.manager,
)
self.start_button.can_hover()
self.quit_button = pygame_gui.elements.UIButton(
relative_rect=pygame.Rect(
(
(self.window_width - button_width),
0,
),
(button_width, button_height),
),
text="Quit Game",
manager=self.manager,
)
self.quit_button.can_hover()
self.finished_button = pygame_gui.elements.UIButton(
relative_rect=pygame.Rect(
(
(self.window_width - button_width),
(self.window_height - button_height),
),
(button_width, button_height),
),
text="End screen",
manager=self.manager,
)
self.finished_button.can_hover()
self.back_button = pygame_gui.elements.UIButton(
relative_rect=pygame.Rect(
(
(0),
(self.window_height - button_height),
),
(button_width, button_height),
),
text="Back to Start",
manager=self.manager,
)
self.back_button.can_hover()
self.score_rect = pygame.Rect(
(
(self.window_width // 2) - button_width // 2,
(self.window_height / 2) - button_height // 2,
),
(button_width, button_height),
)
self.score_label = pygame_gui.elements.UILabel(
text=f"Your score: _",
relative_rect=self.score_rect,
manager=self.manager,
object_id="#score_label",
)
layout_file_paths = [
str(p.name)
for p in (ROOT_DIR / "game_content" / "layouts").glob("*.layout")
]
assert len(layout_file_paths) != 0, "No layout files."
dropdown_width, dropdown_height = 200, 40
self.layout_selection = pygame_gui.elements.UIDropDownMenu(
relative_rect=pygame.Rect(
(
0,
0,
),
(dropdown_width, dropdown_height),
),
manager=self.manager,
options_list=layout_file_paths,
starting_option=layout_file_paths[-1],
)
pygame.display.flip() def setup_simulation(self, config_path, layout_path):
self.simulator = Simulator(config_path, layout_path, 600)
number_player = len(self.player_names)
for i in range(number_player):
player_name = f"p{i}"
self.simulator.register_player(player_name)
self.simulator.start()
def change_to_start_window(self):
self.simulator.stop()
self.menu_state = MenuStates.Start
self.back_button.hide()
self.quit_button.show()
self.start_button.show()
self.score_label.hide()
self.finished_button.hide()
self.layout_selection.show()
def change_to_game_window(self):
self.menu_state = MenuStates.Game
self.start_button.hide()
self.back_button.show()
self.score_label.hide()
self.finished_button.show()
self.layout_selection.hide()
layout_path = (
ROOT_DIR
/ "game_content"
/ "layouts"
/ self.layout_selection.selected_option
)
config_path = ROOT_DIR / "game_content" / "environment_config.yaml"
self.setup_simulation(config_path, layout_path)
def change_to_end_window(self):
self.simulator.stop()
self.menu_state = MenuStates.End
self.start_button.hide()
self.back_button.show()
self.score_label.show()
self.score_label.set_text(
f"Your Score is {self.simulator.env.game_score.score}"
)
self.finished_button.hide()
self.layout_selection.hide()
def start_pygame(self): def start_pygame(self):
"""Starts pygame and the gui loop. Each frame the game state is visualized and keyboard inputs are read.""" """Starts pygame and the gui loop. Each frame the game state is visualized and keyboard inputs are read."""
...@@ -457,32 +622,90 @@ class PyGameGUI: ...@@ -457,32 +622,90 @@ class PyGameGUI:
pygame.init() pygame.init()
pygame.font.init() pygame.font.init()
self.screen = pygame.display.set_mode((self.window_width, self.window_height)) self.init_ui_elements()
pygame.display.set_caption("Simple Overcooked Simulator")
self.screen.fill( self.screen_margin = 100
colors[self.visualization_config["Kitchen"]["ground_tiles_color"]] self.main_window = pygame.display.set_mode(
(
self.window_width,
self.window_height,
)
)
self.game_screen = pygame.Surface(
(
self.game_width,
self.game_height,
),
) )
pygame.display.set_caption("Simple Overcooked Simulator")
clock = pygame.time.Clock() clock = pygame.time.Clock()
self.change_to_start_window()
# Game loop # Game loop
running = True running = True
while running: while running:
try: try:
time_delta = clock.tick(self.FPS) / 1000.0
for event in pygame.event.get(): for event in pygame.event.get():
if event.type == pygame.QUIT: if event.type == pygame.QUIT:
running = False running = False
if event.type in [pygame.KEYDOWN, pygame.KEYUP]: if event.type == pygame_gui.UI_BUTTON_PRESSED:
if event.ui_element == self.start_button:
self.change_to_game_window()
if event.ui_element == self.back_button:
self.change_to_start_window()
if event.ui_element == self.finished_button:
self.change_to_end_window()
if event.ui_element == self.quit_button:
running = False
log.debug("Quitting game")
if (
event.type in [pygame.KEYDOWN, pygame.KEYUP]
and self.menu_state == MenuStates.Game
):
self.handle_key_event(event) self.handle_key_event(event)
self.handle_keys() self.manager.process_events(event)
clock.tick(self.FPS)
state = self.simulator.get_state() # drawing:
self.draw(state)
self.main_window.fill(colors["lemonchiffon1"])
self.manager.draw_ui(self.main_window)
match self.menu_state:
case MenuStates.Start:
pass
case MenuStates.Game:
self.draw_background()
self.handle_keys()
state = self.simulator.get_state()
self.draw(state)
game_screen_rect = self.game_screen.get_rect()
game_screen_rect.center = [
self.window_width // 2,
self.window_height // 2,
]
self.main_window.blit(self.game_screen, game_screen_rect)
case MenuStates.End:
pygame.draw.rect(
self.game_screen, colors["cornsilk1"], self.score_rect
)
self.manager.update(time_delta)
pygame.display.flip()
except KeyboardInterrupt: except KeyboardInterrupt:
pygame.quit()
self.simulator.stop() self.simulator.stop()
pygame.quit()
sys.exit() sys.exit()
self.simulator.stop()
pygame.quit() pygame.quit()
sys.exit()
...@@ -2,7 +2,8 @@ ...@@ -2,7 +2,8 @@
GameWindow: GameWindow:
WhatIsFixed: window_width # entweder grid oder window_width WhatIsFixed: window_width # entweder grid oder window_width
size: 600 size: 500
screen_margin: 100
Kitchen: Kitchen:
ground_tiles_color: sgigray76 ground_tiles_color: sgigray76
......
...@@ -7,7 +7,7 @@ from datetime import datetime ...@@ -7,7 +7,7 @@ from datetime import datetime
import pygame import pygame
from overcooked_simulator import ROOT_DIR from overcooked_simulator import ROOT_DIR
from overcooked_simulator.pygame_gui.pygame_gui import PyGameGUI from overcooked_simulator.gui_2d_vis.overcooked_gui import PyGameGUI
from overcooked_simulator.simulation_runner import Simulator from overcooked_simulator.simulation_runner import Simulator
log = logging.getLogger(__name__) log = logging.getLogger(__name__)
...@@ -50,12 +50,9 @@ def main(): ...@@ -50,12 +50,9 @@ def main():
pygame.K_i, pygame.K_i,
] ]
keys2 = [pygame.K_a, pygame.K_d, pygame.K_w, pygame.K_s, pygame.K_f, pygame.K_e] keys2 = [pygame.K_a, pygame.K_d, pygame.K_w, pygame.K_s, pygame.K_f, pygame.K_e]
gui = PyGameGUI(simulator, [f"p{i}" for i in range(number_player)], [keys1, keys2])
simulator.start() gui = PyGameGUI(simulator, [f"p{i}" for i in range(number_player)], [keys1, keys2])
gui.start_pygame() gui.start_pygame()
simulator.stop()
sys.exit() sys.exit()
......
...@@ -26,7 +26,7 @@ class Simulator(Thread): ...@@ -26,7 +26,7 @@ class Simulator(Thread):
def __init__( def __init__(
self, self,
env_layout_path, env_config_path,
layout_path, layout_path,
frequency: int, frequency: int,
item_info_path=ROOT_DIR / "game_content" / "item_info.yaml", item_info_path=ROOT_DIR / "game_content" / "item_info.yaml",
...@@ -39,7 +39,7 @@ class Simulator(Thread): ...@@ -39,7 +39,7 @@ class Simulator(Thread):
self.step_frequency: int = frequency self.step_frequency: int = frequency
self.preferred_sleep_time_ns: float = 1e9 / self.step_frequency self.preferred_sleep_time_ns: float = 1e9 / self.step_frequency
self.env: Environment = Environment( self.env: Environment = Environment(
env_layout_path, layout_path, item_info_path env_config_path, layout_path, item_info_path
) )
super().__init__() super().__init__()
......
...@@ -10,7 +10,7 @@ with open("README.md") as readme_file: ...@@ -10,7 +10,7 @@ with open("README.md") as readme_file:
with open("CHANGELOG.md") as history_file: with open("CHANGELOG.md") as history_file:
history = history_file.read() history = history_file.read()
requirements = ["numpy", "pygame", "scipy", "pytest>=3", "pyyaml"] requirements = ["numpy", "pygame", "scipy", "pytest>=3", "pyyaml", "pygame-gui"]
test_requirements = [ test_requirements = [
"pytest>=3", "pytest>=3",
......
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment