brutalmaze/brutalmaze/main.py

216 lines
8.4 KiB
Python
Raw Normal View History

2017-10-12 15:29:55 +02:00
# -*- coding: utf-8 -*-
# main.py - main module, starts game and main loop
# This file is part of brutalmaze
#
# brutalmaze is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# brutalmaze is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with brutalmaze. If not, see <http://www.gnu.org/licenses/>.
#
# Copyright (C) 2017 Nguyễn Gia Phong
2018-02-13 14:51:41 +01:00
__version__ = '0.5.1'
2018-02-08 14:41:08 +01:00
import re
2018-02-13 14:51:41 +01:00
from argparse import ArgumentParser, RawTextHelpFormatter
2017-10-19 10:24:56 +02:00
from collections import deque
2018-02-08 14:41:08 +01:00
try: # Python 3
from configparser import ConfigParser, NoOptionError, NoSectionError
except ImportError: # Python 2
from ConfigParser import ConfigParser, NoOptionError, NoSectionError
2018-02-13 14:51:41 +01:00
from os.path import join, pathsep
2017-10-19 10:24:56 +02:00
2017-10-12 15:29:55 +02:00
import pygame
2018-02-08 14:41:08 +01:00
from pygame import DOUBLEBUF, KEYDOWN, OPENGL, QUIT, RESIZABLE, VIDEORESIZE
2018-02-13 14:51:41 +01:00
from appdirs import AppDirs
2017-10-12 15:29:55 +02:00
2018-02-13 14:51:41 +01:00
from .constants import *
2017-10-12 15:29:55 +02:00
from .maze import Maze
2018-02-08 14:41:08 +01:00
2018-02-13 14:51:41 +01:00
class ConfigReader:
"""Object reading and processing INI configuration file for
Brutal Maze.
2018-02-08 14:41:08 +01:00
"""
2018-02-13 14:51:41 +01:00
DEFAULT_BINDINGS = (('New game', 'new', 'F2'),
('Pause', 'pause', 'p'),
('Move left', 'left', 'Left'),
('Move right', 'right', 'Right'),
('Move up', 'up', 'Up'),
('Move down', 'down', 'Down'),
('Long-range attack', 'shot', 'Mouse1'),
('Close-range attack', 'slash', 'Mouse3'))
WEIRD_MOUSE_ERR = '{}: Mouse is not a suitable control'
INVALID_CONTROL_ERR = '{}: {} is not recognized as a valid control key'
def __init__(self, filenames):
self.config = ConfigParser()
self.config.read(filenames)
def _getconf(self, section, option, val_t):
if val_t == str:
return self.config.get(section, option)
elif val_t == bool:
return self.config.getboolean(section, option)
elif val_t == float:
return self.config.getfloat(section, option)
elif val_t == int:
return self.config.getint(section, option)
def getconf(self, section, option, val_t=str, fallback=None):
"""Return the value of the option in the given section.
If the value is not found, return fallback.
"""
try:
return self._getconf(section, option, val_t)
except NoSectionError, NoOptionError:
return val_t() if fallback is None else fallback
def setconf(self, name, section, option, val_t=str, fallback=None):
"""Set the named attribute to the value of the option in
the given section.
If the value is not found and attribute does not exist,
use fallback.
"""
try:
setattr(self, name, self._getconf(section, option, val_t))
except NoSectionError, NoOptionError:
try:
getattr(self, name)
except AttributeError:
setattr(self, name, val_t() if fallback is None else fallback)
def parse_graphics(self):
"""Parse graphics configurations."""
self.setconf('width', 'Graphics', 'Screen width', int, 640)
self.setconf('height', 'Graphics', 'Screen height', int, 480)
self.setconf('opengl', 'Graphics', 'OpenGL', bool)
self.setconf('max_fps', 'Graphics', 'Maximum FPS', float, 60.0)
def parse_control(self):
"""Parse control configurations."""
self.key, self.mouse = {}, {}
for cmd, alias, bind in self.DEFAULT_BINDINGS:
i = self.getconf('Control', cmd, fallback=bind).lower()
if re.match('mouse[1-3]$', i):
if alias not in ('shot', 'slash'):
raise ValueError(self.WEIRD_MOUSE_ERR.format(cmd))
self.mouse[alias] = int(i[-1]) - 1
continue
if len(i) == 1:
self.key[alias] = ord(i)
continue
try:
self.key[alias] = getattr(pygame, 'K_{}'.format(i.upper()))
except AttributeError:
raise ValueError(self.INVALID_CONTROL_ERR.format(cmd, i))
def read_args(self, arguments):
"""Read and parse a ArgumentParser.Namespace."""
if arguments.size is not None: self.width, self.height = arguments.size
if arguments.opengl is not None: self.opengl = arguments.opengl
if arguments.max_fps is not None: self.max_fps = arguments.max_fps
2017-10-12 15:29:55 +02:00
def main():
"""Start game and main loop."""
2018-02-02 17:33:22 +01:00
# Read configuration file
2018-02-13 14:51:41 +01:00
dirs = AppDirs(appname='brutalmaze', appauthor=False, multipath=True)
parents = dirs.site_config_dir.split(pathsep)
parents.append(dirs.user_config_dir)
filenames = [join(parent, 'settings.ini') for parent in parents]
config = ConfigReader(filenames)
config.parse_graphics()
2018-02-13 16:17:04 +01:00
# Parse command-line arguments
2018-02-13 14:51:41 +01:00
parser = ArgumentParser(formatter_class=RawTextHelpFormatter)
parser.add_argument('-v', '--version', action='version',
version='Brutal Maze {}'.format(__version__))
parser.add_argument(
'-c', '--config', metavar='PATH',
help='location of the configuration file (fallback: {})'.format(
pathsep.join(filenames)))
parser.add_argument(
'-s', '--size', type=int, nargs=2, metavar=('X', 'Y'),
help='the desired screen size (fallback: {}x{})'.format(config.width,
config.height))
parser.add_argument(
'--opengl', action='store_true', default=None,
help='enable OpenGL (fallback: {})'.format(config.opengl))
parser.add_argument('--no-opengl', action='store_false', dest='opengl',
help='disable OpenGL')
parser.add_argument(
'-f', '--max-fps', type=float, metavar='FPS',
help='the desired maximum FPS (fallback: {})'.format(config.max_fps))
args = parser.parse_args()
# Manipulate config
if args.config: config.config.read(args.config)
config.read_args(args)
config.parse_graphics()
config.parse_control()
2018-02-02 17:33:22 +01:00
# Initialization
2017-12-17 11:05:17 +01:00
pygame.mixer.pre_init(frequency=44100)
2017-10-12 15:29:55 +02:00
pygame.init()
2017-12-17 11:05:17 +01:00
pygame.mixer.music.load(MUSIC)
pygame.mixer.music.play(-1)
pygame.display.set_icon(ICON)
2017-10-12 15:29:55 +02:00
pygame.fastevent.init()
2018-02-13 14:51:41 +01:00
clock, flash_time, fps = pygame.time.Clock(), deque(), config.max_fps
scrtype = (config.opengl and DOUBLEBUF|OPENGL) | RESIZABLE
maze = Maze((config.width, config.height), scrtype, fps)
2018-02-02 17:33:22 +01:00
# Main loop
2018-02-13 14:51:41 +01:00
going = True
2017-10-12 15:29:55 +02:00
while going:
events = pygame.fastevent.get()
for event in events:
if event.type == QUIT:
going = False
elif event.type == VIDEORESIZE:
2018-02-02 17:33:22 +01:00
maze.resize((event.w, event.h), scrtype)
2017-10-12 15:29:55 +02:00
elif event.type == KEYDOWN:
2018-02-13 14:51:41 +01:00
if event.key == config.key['new']:
2018-02-08 14:41:08 +01:00
maze.__init__((maze.w, maze.h), scrtype, fps)
2018-02-13 14:51:41 +01:00
elif event.key == config.key['pause'] and not maze.hero.dead:
maze.paused ^= True
2017-11-02 15:39:06 +01:00
if not maze.hero.dead:
keys = pygame.key.get_pressed()
2018-02-13 14:51:41 +01:00
maze.move(keys[config.key['left']] - keys[config.key['right']],
keys[config.key['up']] - keys[config.key['down']], fps)
2017-11-02 15:39:06 +01:00
buttons = pygame.mouse.get_pressed()
2018-02-08 14:41:08 +01:00
try:
2018-02-13 14:51:41 +01:00
maze.hero.firing = keys[config.key['shot']]
2018-02-08 14:41:08 +01:00
except KeyError:
2018-02-13 14:51:41 +01:00
maze.hero.firing = buttons[config.mouse['shot']]
2018-02-08 14:41:08 +01:00
try:
2018-02-13 14:51:41 +01:00
maze.hero.slashing = keys[config.key['slash']]
2018-02-08 14:41:08 +01:00
except KeyError:
2018-02-13 14:51:41 +01:00
maze.hero.slashing = buttons[config.mouse['slash']]
2017-11-02 15:39:06 +01:00
2018-02-08 14:41:08 +01:00
# Compare current FPS with the average of the last 5 seconds
2017-10-19 15:28:56 +02:00
if len(flash_time) > 5:
new_fps = 5000.0 / (flash_time[-1] - flash_time[0])
2017-10-19 10:24:56 +02:00
flash_time.popleft()
if new_fps < fps:
fps -= 1
2018-02-13 14:51:41 +01:00
elif fps < config.max_fps and not maze.paused:
fps += 5
2017-10-19 10:24:56 +02:00
maze.update(fps)
flash_time.append(pygame.time.get_ticks())
clock.tick(fps)
2017-10-12 15:29:55 +02:00
pygame.quit()