home · contact · privacy
Fix various minor, mostly "unused" flake8 complaints.
[plomrogue2] / plomrogue / game.py
1 from plomrogue.errors import GameError, PlayError
2 from plomrogue.io import GameIO
3 from plomrogue.misc import quote
4 from plomrogue.mapping import YX, MapGeometrySquare, MapGeometryHex, Map
5 import string
6
7
8
9 class GameBase:
10
11     def __init__(self):
12         self.turn = 0
13         self.things = []
14         self.map_geometry = MapGeometrySquare(YX(24, 40))
15         self.commands = {}
16
17     def get_thing(self, id_):
18         for thing in self.things:
19             if id_ == thing.id_:
20                 return thing
21         return None
22
23     def _register_object(self, obj, obj_type_desc, prefix):
24         if not obj.__name__.startswith(prefix):
25             raise GameError('illegal %s object name: %s' % (obj_type_desc, obj.__name__))
26         obj_name = obj.__name__[len(prefix):]
27         d = getattr(self, obj_type_desc + 's')
28         d[obj_name] = obj
29
30     def register_command(self, command):
31         self._register_object(command, 'command', 'cmd_')
32
33
34
35 class SaveableMap(Map):
36     modified = False
37
38     def __setitem__(self, *args, **kwargs):
39         super().__setitem__(*args, **kwargs)
40         self.modified = True
41
42     def set_line(self, *args, **kwargs):
43         super().set_line(*args, **kwargs)
44         self.modified = True
45
46     def inside(self, yx):
47         if yx.y < 0 or yx.x < 0 or \
48            yx.y >= self.geometry.size.y or yx.x >= self.geometry.size.x:
49             return False
50         return True
51
52     def draw_presets(self, alternate_hex=0):
53         old_modified = self.modified
54         if type(self.geometry) == MapGeometrySquare:
55             self.set_line(0, 'X' * self.geometry.size.x)
56             self.set_line(1, 'X' * self.geometry.size.x)
57             self.set_line(2, 'X' * self.geometry.size.x)
58             self.set_line(3, 'X' * self.geometry.size.x)
59             self.set_line(4, 'X' * self.geometry.size.x)
60             for y in range(self.geometry.size.y):
61                 self[YX(y,0)] = 'X'
62                 self[YX(y,1)] = 'X'
63                 self[YX(y,2)] = 'X'
64                 self[YX(y,3)] = 'X'
65                 self[YX(y,4)] = 'X'
66         elif type(self.geometry) == MapGeometryHex:
67             # TODO: for this to work we need a map side length divisible by 6.
68
69             def draw_grid(offset=YX(0,0)):
70                 dirs = ('DOWNRIGHT', 'RIGHT', 'UPRIGHT', 'RIGHT')
71
72                 def draw_snake(start):
73                     keep_running = True
74                     yx = start
75                     if self.inside(yx):
76                         self[yx] = 'X'
77                     while keep_running:
78                         for direction in dirs:
79                             if not keep_running:
80                                 break
81                             for dir_progress in range(distance):
82                                 mover = getattr(self.geometry, 'move__' + direction)
83                                 yx = mover(yx)
84                                 if yx.x >= self.geometry.size.x:
85                                     keep_running = False
86                                     break
87                                 if self.inside(yx):
88                                     self[yx] = 'X'
89
90                 if alternate_hex:
91                     draw_snake(offset + YX(0, 0))
92                 draw_snake(offset + YX((0 + alternate_hex) * distance, -int(1.5*distance)))
93                 draw_snake(offset + YX((1 + alternate_hex) * distance, 0))
94                 draw_snake(offset + YX((2 + alternate_hex) * distance, -int(1.5*distance)))
95
96             distance = self.geometry.size.y // 3
97             draw_grid()
98             draw_grid(YX(2,0))
99             draw_grid(YX(0,2))
100             draw_grid(YX(1,0))
101             draw_grid(YX(0,1))
102             draw_grid(YX(-1,0))
103             draw_grid(YX(0,-1))
104             draw_grid(YX(-2,0))
105             draw_grid(YX(0,-2))
106         self.modified = old_modified
107
108
109
110 import os
111 class Game(GameBase):
112
113     def __init__(self, save_file, *args, **kwargs):
114         super().__init__(*args, **kwargs)
115         self.changed = True
116         self.io = GameIO(self, save_file)
117         self.tasks = {}
118         self.thing_types = {}
119         self.sessions = {}
120         self.maps = {}
121         self.map_controls = {}
122         self.map_control_passwords = {}
123         self.annotations = {}
124         self.spawn_point = YX(0,0), YX(0,0)
125         self.portals = {}
126         self.player_chars = string.digits + string.ascii_letters
127         self.player_char_i = -1
128         self.admin_passwords = []
129         self.terrains = {
130             '.': 'floor',
131             'X': 'wall',
132             '=': 'window',
133             '#': 'bed',
134             'T': 'desk',
135             '8': 'cupboard',
136             '[': 'glass door',
137             'o': 'sink',
138             'O': 'toilet'
139         }
140         if os.path.exists(self.io.save_file):
141             if not os.path.isfile(self.io.save_file):
142                 raise GameError('save file path refers to non-file')
143
144     def register_thing_type(self, thing_type):
145         self._register_object(thing_type, 'thing_type', 'Thing_')
146
147     def register_task(self, task):
148         self._register_object(task, 'task', 'Task_')
149
150     def read_savefile(self):
151         if os.path.exists(self.io.save_file):
152             with open(self.io.save_file, 'r') as f:
153                 lines = f.readlines()
154             for i in range(len(lines)):
155                 line = lines[i]
156                 print("FILE INPUT LINE %5s: %s" % (i, line), end='')
157                 self.io.handle_input(line, god_mode=True)
158
159     def can_do_tile_with_pw(self, big_yx, little_yx, pw):
160         map_control = self.get_map(big_yx, 'control')
161         tile_class = map_control[little_yx]
162         if tile_class in self.map_control_passwords.keys():
163             tile_pw = self.map_control_passwords[tile_class]
164             if pw != tile_pw:
165                 return False
166         return True
167
168     def get_string_options(self, string_option_type):
169         if string_option_type == 'direction':
170             return self.map_geometry.get_directions()
171         elif string_option_type == 'char':
172             return [c for c in
173                     string.digits + string.ascii_letters + string.punctuation + ' ']
174         elif string_option_type == 'map_geometry':
175             return ['Hex', 'Square']
176         elif string_option_type == 'thing_type':
177             return self.thing_types.keys()
178         return None
179
180     def get_map_geometry_shape(self):
181         return self.map_geometry.__class__.__name__[len('MapGeometry'):]
182
183     def get_player(self, connection_id):
184         if not connection_id in self.sessions:
185             return None
186         player = self.get_thing(self.sessions[connection_id]['thing_id'])
187         return player
188
189     def send_gamestate(self, connection_id=None):
190         """Send out game state data relevant to clients."""
191
192         self.io.send('TURN ' + str(self.turn))
193         for c_id in self.sessions:
194             player = self.get_player(c_id)
195             visible_terrain = player.fov_stencil_map()
196             self.io.send('FOV %s' % quote(player.fov_stencil.terrain), c_id)
197             self.io.send('MAP %s %s %s' % (self.get_map_geometry_shape(),
198                                            player.fov_stencil.geometry.size,
199                                            quote(visible_terrain)), c_id)
200             visible_control = player.fov_stencil_map('control')
201             self.io.send('MAP_CONTROL %s' % quote(visible_control), c_id)
202             for t in [t for t in self.things if player.fov_test(*t.position)]:
203                 target_yx = player.fov_stencil.target_yx(*t.position)
204                 self.io.send('THING %s %s %s' % (target_yx, t.type_, t.id_), c_id)
205                 if hasattr(t, 'name'):
206                     self.io.send('THING_NAME %s %s' % (t.id_, quote(t.name)), c_id)
207                 if hasattr(t, 'player_char'):
208                     self.io.send('THING_CHAR %s %s' % (t.id_,
209                                                        quote(t.player_char)), c_id)
210             for big_yx in self.portals:
211                 for little_yx in [little_yx for little_yx in self.portals[big_yx]
212                                   if player.fov_test(big_yx, little_yx)]:
213                     target_yx = player.fov_stencil.target_yx(big_yx, little_yx)
214                     portal = self.portals[big_yx][little_yx]
215                     self.io.send('PORTAL %s %s' % (target_yx, quote(portal)), c_id)
216             for big_yx in self.annotations:
217                 for little_yx in [little_yx for little_yx in self.annotations[big_yx]
218                                   if player.fov_test(big_yx, little_yx)]:
219                     target_yx = player.fov_stencil.target_yx(big_yx, little_yx)
220                     self.io.send('ANNOTATION_HINT %s' % (target_yx,), c_id)
221         self.io.send('GAME_STATE_COMPLETE')
222
223     def run_tick(self):
224         to_delete = []
225         for connection_id in self.sessions:
226             connection_id_found = False
227             for server in self.io.servers:
228                 if connection_id in server.clients:
229                     connection_id_found = True
230                     break
231             if not connection_id_found:
232                 t = self.get_player(connection_id)
233                 if hasattr(t, 'name'):
234                     self.io.send('CHAT ' + quote(t.name + ' left the map.'))
235                 self.things.remove(t)
236                 to_delete += [connection_id]
237         for connection_id in to_delete:
238             del self.sessions[connection_id]
239             self.changed = True
240         for t in [t for t in self.things]:
241             if t in self.things:
242                 try:
243                     t.proceed()
244                 except GameError as e:
245                     for connection_id in [c_id for c_id in self.sessions
246                                           if self.sessions[c_id]['thing_id'] == t.id_]:
247                         self.io.send('GAME_ERROR ' + quote(str(e)), connection_id)
248                 except PlayError as e:
249                     for connection_id in [c_id for c_id in self.sessions
250                                           if self.sessions[c_id]['thing_id'] == t.id_]:
251                         self.io.send('PLAY_ERROR ' + quote(str(e)), connection_id)
252         if self.changed:
253             self.turn += 1
254             self.send_gamestate()
255             self.changed = False
256             self.save()
257
258     def get_command(self, command_name):
259
260         def partial_with_attrs(f, *args, **kwargs):
261             from functools import partial
262             p = partial(f, *args, **kwargs)
263             p.__dict__.update(f.__dict__)
264             return p
265
266         def cmd_TASK_colon(task_name, game, *args, connection_id):
267             t = self.get_player(connection_id)
268             if not t:
269                 raise GameError('Not registered as player.')
270             t.set_next_task(task_name, args)
271
272         def task_prefixed(command_name, task_prefix, task_command):
273             if command_name.startswith(task_prefix):
274                 task_name = command_name[len(task_prefix):]
275                 if task_name in self.tasks:
276                     f = partial_with_attrs(task_command, task_name, self)
277                     task = self.tasks[task_name]
278                     f.argtypes = task.argtypes
279                     return f
280             return None
281
282         command = task_prefixed(command_name, 'TASK:', cmd_TASK_colon)
283         if command:
284             return command
285         if command_name in self.commands:
286             f = partial_with_attrs(self.commands[command_name], self)
287             return f
288         return None
289
290     def new_thing_id(self):
291         if len(self.things) == 0:
292             return 1
293         return max([t.id_ for t in self.things]) + 1
294
295     def get_next_player_char(self):
296         self.player_char_i += 1
297         if self.player_char_i >= len(self.player_chars):
298             self.player_char_i = 0
299         return self.player_chars[self.player_char_i]
300
301     def save(self):
302
303       def write(f, msg):
304           f.write(msg + '\n')
305
306       with open(self.io.save_file, 'w') as f:
307           write(f, 'TURN %s' % self.turn)
308           map_geometry_shape = self.get_map_geometry_shape()
309           write(f, 'MAP %s %s' % (map_geometry_shape, self.map_geometry.size,))
310           for big_yx in [yx for yx in self.maps if self.maps[yx].modified]:
311               for y, line in self.maps[big_yx].lines():
312                   write(f, 'MAP_LINE %s %5s %s' % (big_yx, y, quote(line)))
313           for big_yx in self.annotations:
314               for little_yx in self.annotations[big_yx]:
315                   write(f, 'GOD_ANNOTATE %s %s %s' %
316                         (big_yx, little_yx, quote(self.annotations[big_yx][little_yx])))
317           for big_yx in self.portals:
318               for little_yx in self.portals[big_yx]:
319                   write(f, 'GOD_PORTAL %s %s %s' % (big_yx, little_yx,
320                                                     quote(self.portals[big_yx][little_yx])))
321           for big_yx in [yx for yx in self.map_controls
322                          if self.map_controls[yx].modified]:
323               for y, line in self.map_controls[big_yx].lines():
324                   write(f, 'MAP_CONTROL_LINE %s %5s %s' % (big_yx, y, quote(line)))
325           for tile_class in self.map_control_passwords:
326               write(f, 'MAP_CONTROL_PW %s %s' % (tile_class,
327                                                  self.map_control_passwords[tile_class]))
328           for pw in self.admin_passwords:
329                   write(f, 'ADMIN_PASSWORD %s' % pw)
330           for t in [t for t in self.things if not t.type_ == 'Player']:
331               write(f, 'THING %s %s %s %s' % (t.position[0],
332                                               t.position[1], t.type_, t.id_))
333               if hasattr(t, 'name'):
334                   write(f, 'THING_NAME %s %s' % (t.id_, quote(t.name)))
335           write(f, 'SPAWN_POINT %s %s' % (self.spawn_point[0],
336                                           self.spawn_point[1]))
337
338     def get_map(self, big_yx, type_='normal'):
339         if type_ == 'normal':
340             maps = self.maps
341         elif type_ == 'control':
342             maps = self.map_controls
343         if not big_yx in maps:
344             maps[big_yx] = SaveableMap(self.map_geometry)
345             if type_ == 'control':
346                 maps[big_yx].draw_presets(big_yx.y % 2)
347         return maps[big_yx]
348
349     def new_world(self, map_geometry):
350         self.maps = {}
351         self.map_controls = {}
352         self.annotations = {}
353         self.portals = {}
354         self.admin_passwords = []
355         self.spawn_point = YX(0,0), YX(0,0)
356         self.map_geometry = map_geometry
357         self.map_control_passwords = {'X': 'secret'}
358         self.get_map(YX(0,0))
359         self.get_map(YX(0,0), 'control')
360         self.annotations = {}