5 from plomrogue.parser import ArgError, Parser
6 from plomrogue.commands import cmd_PLAYER_ID, cmd_THING_HEALTH
7 from plomrogue.game import GameBase
8 from plomrogue.mapping import Map, MapGeometryHex, YX
9 from plomrogue.io import PlomSocket
10 from plomrogue.things import ThingBase
17 def y_cut(self, map_lines, center_y, view_height):
18 map_height = len(map_lines)
19 if map_height > view_height and center_y > view_height / 2:
20 if center_y > map_height - view_height / 2:
21 map_lines[:] = map_lines[map_height - view_height:]
23 start = center_y - int(view_height / 2) - 1
24 map_lines[:] = map_lines[start:start + view_height]
26 def x_cut(self, map_lines, center_x, view_width, map_width):
27 if map_width > view_width and center_x > view_width / 2:
28 if center_x > map_width - view_width / 2:
29 cut_start = map_width - view_width
32 cut_start = center_x - int(view_width / 2)
33 cut_end = cut_start + view_width
34 map_lines[:] = [line[cut_start:cut_end] for line in map_lines]
36 def format_to_view(self, map_cells, center, size):
38 def map_cells_to_lines(map_cells):
40 if self.start_indented:
41 map_view_chars += ['0']
44 for cell in map_cells:
46 map_view_chars += [cell, ' ']
48 map_view_chars += [cell[0], cell[1]]
51 map_view_chars += ['\n']
54 if y % 2 == int(not self.start_indented):
55 map_view_chars += ['0']
56 if y % 2 == int(not self.start_indented):
57 map_view_chars = map_view_chars[:-1]
58 map_view_chars = map_view_chars[:-1]
59 return ''.join(map_view_chars).split('\n')
61 map_lines = map_cells_to_lines(map_cells)
62 self.y_cut(map_lines, center[1].y, size.y)
63 map_width = self.size.x * 2 + 1
64 self.x_cut(map_lines, center[1].x * 2, size.x, map_width)
68 def cmd_LAST_PLAYER_TASK_RESULT(game, msg):
71 cmd_LAST_PLAYER_TASK_RESULT.argtypes = 'string'
74 def cmd_TURN_FINISHED(game, n):
75 """Do nothing. (This may be extended later.)"""
77 cmd_TURN_FINISHED.argtypes = 'int:nonneg'
80 def cmd_TURN(game, n):
81 """Set game.turn to n, empty game.things."""
84 game.pickable_items[:] = []
85 cmd_TURN.argtypes = 'int:nonneg'
88 def cmd_VISIBLE_MAP(game, size, indent_first_line):
89 game.new_map(size, indent_first_line)
90 cmd_VISIBLE_MAP.argtypes = 'yx_tuple:pos bool'
93 def cmd_VISIBLE_MAP_LINE(game, y, terrain_line):
94 game.map_.set_line(y, terrain_line)
95 cmd_VISIBLE_MAP_LINE.argtypes = 'int:nonneg string'
98 def cmd_GAME_STATE_COMPLETE(game):
99 game.tui.to_update['turn'] = True
100 game.tui.to_update['map'] = True
101 game.tui.to_update['inventory'] = True
104 def cmd_THING_TYPE(game, i, type_):
105 t = game.get_thing(i)
107 cmd_THING_TYPE.argtypes = 'int:nonneg string'
110 def cmd_THING_POS(game, i, yx):
111 t = game.get_thing(i)
112 t.position = YX(0,0), yx
113 cmd_THING_POS.argtypes = 'int:nonneg yx_tuple:nonneg'
116 def cmd_PLAYER_INVENTORY(game, ids):
117 game.player_inventory[:] = ids # TODO: test whether valid IDs
118 game.tui.to_update['inventory'] = True
119 cmd_PLAYER_INVENTORY.argtypes = 'seq:int:nonneg'
122 def cmd_PICKABLE_ITEMS(game, ids):
123 game.pickable_items[:] = ids
124 game.tui.to_update['pickable_items'] = True
125 cmd_PICKABLE_ITEMS.argtypes = 'seq:int:nonneg'
128 class Game(GameBase):
130 def __init__(self, *args, **kwargs):
131 super().__init__(*args, **kwargs)
132 self.map_ = ClientMap() # we need an empty default map cause we draw
133 self.offset = YX(0,0) # the map widget even before we get a real one
134 self.player_inventory = []
136 self.pickable_items = []
137 self.parser = Parser(self)
138 self.map_geometry = MapGeometryHex()
139 self.thing_type = ThingBase
140 self.commands = {'LAST_PLAYER_TASK_RESULT': cmd_LAST_PLAYER_TASK_RESULT,
141 'TURN_FINISHED': cmd_TURN_FINISHED,
143 'VISIBLE_MAP_LINE': cmd_VISIBLE_MAP_LINE,
144 'PLAYER_ID': cmd_PLAYER_ID,
145 'PLAYER_INVENTORY': cmd_PLAYER_INVENTORY,
146 'GAME_STATE_COMPLETE': cmd_GAME_STATE_COMPLETE,
147 'VISIBLE_MAP': cmd_VISIBLE_MAP,
148 'PICKABLE_ITEMS': cmd_PICKABLE_ITEMS,
149 'THING_TYPE': cmd_THING_TYPE,
150 'THING_HEALTH': cmd_THING_HEALTH,
151 'THING_POS': cmd_THING_POS}
156 def new_map(self, size, indent_first_line):
157 self.map_ = ClientMap(size, start_indented=indent_first_line)
161 return self.get_thing(self.player_id)
163 def get_command(self, command_name):
164 from functools import partial
165 if command_name in self.commands:
166 f = partial(self.commands[command_name], self)
167 if hasattr(self.commands[command_name], 'argtypes'):
168 f.argtypes = self.commands[command_name].argtypes
172 def get_string_options(self, string_option_type):
175 def handle_input(self, msg):
181 command, args = self.parser.parse(msg)
183 self.log('UNHANDLED INPUT: ' + msg)
186 except ArgError as e:
187 self.log('ARGUMENT ERROR: ' + msg + '\n' + str(e))
190 """Prefix msg plus newline to self.log_text."""
191 self.log_text = msg + '\n' + self.log_text
192 self.tui.to_update['log'] = True
194 def symbol_for_type(self, type_):
198 elif type_ == 'monster':
200 elif type_ == 'food':
205 ASCII_printable = ' !"#$%&\'\(\)*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWX'\
206 'YZ[\\]^_\`abcdefghijklmnopqrstuvwxyz{|}~'
209 def recv_loop(plom_socket, game, q):
210 for msg in plom_socket.recv():
216 def __init__(self, tui, start, size, check_updates=[], visible=True):
217 self.check_updates = check_updates
220 self.win = curses.newwin(1, 1, self.start.y, self.start.x)
221 self.size_def = size # store for re-calling .size on SIGWINCH
223 self.do_update = True
224 self.visible = visible
229 return YX(*self.win.getmaxyx())
232 def size(self, size):
233 """Set window size. Size be y,x tuple. If y or x None, use legal max."""
234 n_lines, n_cols = size
235 getmaxyx = YX(*self.tui.stdscr.getmaxyx())
237 n_lines = getmaxyx.y - self.start.y
239 n_cols = getmaxyx.x - self.start.x
240 self.win.resize(n_lines, n_cols)
243 getmaxyx = YX(*self.win.getmaxyx())
244 return getmaxyx.y * getmaxyx.x
246 def safe_write(self, foo):
248 def to_chars_with_attrs(part):
249 attr = curses.A_NORMAL
251 if not type(part) == str:
252 part_string = part[0]
254 return [(char, attr) for char in part_string]
256 chars_with_attrs = []
257 if type(foo) == str or (len(foo) == 2 and type(foo[1]) == int):
258 chars_with_attrs += to_chars_with_attrs(foo)
261 chars_with_attrs += to_chars_with_attrs(part)
263 if len(chars_with_attrs) < len(self):
264 for char_with_attr in chars_with_attrs:
265 self.win.addstr(char_with_attr[0], char_with_attr[1])
266 else: # workaround to <https://stackoverflow.com/q/7063128>
267 cut = chars_with_attrs[:len(self) - 1]
268 last_char_with_attr = chars_with_attrs[len(self) - 1]
269 self.win.addstr(self.size.y - 1, self.size.x - 2,
270 last_char_with_attr[0], last_char_with_attr[1])
271 self.win.insstr(self.size.y - 1, self.size.x - 2, ' ')
273 for char_with_attr in cut:
274 self.win.addstr(char_with_attr[0], char_with_attr[1])
276 def ensure_freshness(self, do_refresh=False):
280 for key in self.check_updates:
281 if key in self.tui.to_update and self.tui.to_update[key]:
289 for child in self.children:
290 did_refresh = child.ensure_freshness(do_refresh) | did_refresh
294 class EditWidget(Widget):
297 self.safe_write((''.join(self.tui.to_send), curses.color_pair(1)))
300 class TextLinesWidget(Widget):
303 lines = self.get_text_lines()
304 line_width = self.size.x
307 to_pad = line_width - (len(line) % line_width)
308 if to_pad == line_width:
310 to_join += [line + ' '*to_pad]
311 self.safe_write((''.join(to_join), curses.color_pair(3)))
314 class LogWidget(TextLinesWidget):
316 def get_text_lines(self):
317 return self.tui.game.log_text.split('\n')
320 class DescriptorWidget(TextLinesWidget):
322 def get_text_lines(self):
324 pos_i = self.tui.game.map_.\
325 get_position_index(self.tui.examiner_position[1])
326 terrain = self.tui.game.map_.terrain[pos_i]
328 for t in self.tui.game.things_at_pos(self.tui.examiner_position):
333 class PopUpWidget(Widget):
336 self.safe_write(self.tui.popup_text)
338 def reconfigure(self):
339 size = (1, len(self.tui.popup_text))
342 getmaxyx = YX(*self.tui.stdscr.getmaxyx())
343 offset_y = int(getmaxyx.y / 2 - size.y / 2)
344 offset_x = int(getmaxyx.x / 2 - size.x / 2)
345 self.start = YX(offset_y, offset_x)
346 self.win.mvwin(self.start.y, self.start.x)
349 class ItemsSelectorWidget(Widget):
351 def __init__(self, headline, selection, *args, **kwargs):
352 super().__init__(*args, **kwargs)
353 self.headline = headline
354 self.selection = selection
356 def ensure_freshness(self, *args, **kwargs):
357 # We only update pointer on non-empty selection so that the zero-ing
358 # of the selection at TURN_FINISHED etc. before pulling in a new
359 # state does not destroy any memory of previous item pointer positions.
360 if len(self.selection) > 0 and\
361 len(self.selection) < self.tui.item_pointer + 1 and\
362 self.tui.item_pointer > 0:
363 self.tui.item_pointer = max(0, len(self.selection) - 1)
364 self.tui.to_update[self.check_updates[0]] = True
365 super().ensure_freshness(*args, **kwargs)
368 lines = [self.headline]
370 for id_ in self.selection:
371 pointer = '*' if counter == self.tui.item_pointer else ' '
372 t = self.tui.game.get_thing(id_)
373 lines += ['%s %s' % (pointer, t.type_)]
375 line_width = self.size.x
378 to_pad = line_width - (len(line) % line_width)
379 if to_pad == line_width:
381 to_join += [line + ' '*to_pad]
382 self.safe_write((''.join(to_join), curses.color_pair(3)))
385 class MapWidget(Widget):
389 def annotated_terrain():
390 terrain_as_list = list(self.tui.game.map_.terrain[:])
391 for t in self.tui.game.things:
392 if t.id_ in self.tui.game.player_inventory:
394 pos_i = self.tui.game.map_.get_position_index(t.position[1])
395 symbol = self.tui.game.symbol_for_type(t.type_)
396 if terrain_as_list[pos_i][0] in {'f', '@', 'm'}:
397 old_symbol = terrain_as_list[pos_i][0]
398 if old_symbol in {'@', 'm'}:
400 terrain_as_list[pos_i] = (symbol, '+')
402 terrain_as_list[pos_i] = symbol
403 if self.tui.examiner_mode:
404 pos_i = self.tui.game.map_.\
405 get_position_index(self.tui.examiner_position[1])
406 terrain_as_list[pos_i] = (terrain_as_list[pos_i][0], '?')
407 return terrain_as_list
409 def pad_or_cut_x(lines):
410 line_width = self.size.x
411 for y in range(len(lines)):
413 if line_width > len(line):
414 to_pad = line_width - (len(line) % line_width)
415 lines[y] = line + '0' * to_pad
417 lines[y] = line[:line_width]
420 if len(lines) < self.size.y:
421 to_pad = self.size.y - len(lines)
422 lines += to_pad * ['0' * self.size.x]
424 def lines_to_colored_chars(lines):
425 chars_with_attrs = []
426 for c in ''.join(lines):
428 chars_with_attrs += [(c, curses.color_pair(1))]
430 chars_with_attrs += [(c, curses.color_pair(4))]
432 chars_with_attrs += [(c, curses.color_pair(2))]
433 elif c in {'x', 'X', '#'}:
434 chars_with_attrs += [(c, curses.color_pair(3))]
436 chars_with_attrs += [(c, curses.color_pair(5))]
438 chars_with_attrs += [c]
439 return chars_with_attrs
441 if self.tui.game.map_.terrain == '':
444 self.safe_write(''.join(lines))
447 annotated_terrain = annotated_terrain()
448 center = self.tui.game.player.position
449 if self.tui.examiner_mode:
450 center = self.tui.examiner_position
451 lines = self.tui.game.map_.\
452 format_to_view(annotated_terrain, center, self.size)
455 self.safe_write(lines_to_colored_chars(lines))
458 class TurnWidget(Widget):
461 self.safe_write((str(self.tui.game.turn), curses.color_pair(2)))
464 class HealthWidget(Widget):
467 if hasattr(self.tui.game.player, 'health'):
468 self.safe_write((str(self.tui.game.player.health),
469 curses.color_pair(2)))
472 class TextLineWidget(Widget):
474 def __init__(self, text_line, *args, **kwargs):
475 self.text_line = text_line
476 super().__init__(*args, **kwargs)
479 self.safe_write(self.text_line)
484 def __init__(self, plom_socket, game, q):
485 self.socket = plom_socket
489 self.parser = Parser(self.game)
491 self.item_pointer = 0
492 self.examiner_position = (YX(0,0), YX(0, 0))
493 self.examiner_mode = False
494 self.popup_text = 'Hi bob'
496 self.draw_popup_if_visible = True
497 curses.wrapper(self.loop)
499 def loop(self, stdscr):
501 def setup_screen(stdscr):
503 self.stdscr.refresh() # will be called by getkey else, clearing screen
504 self.stdscr.timeout(10)
506 def switch_widgets(widget_1, widget_2):
507 widget_1.visible = False
508 widget_2.visible = True
509 trigger = widget_2.check_updates[0]
510 self.to_update[trigger] = True
512 def selectables_menu(key, widget, selectables, f):
514 switch_widgets(widget, map_widget)
516 self.item_pointer += 1
517 elif key == 'k' and self.item_pointer > 0:
518 self.item_pointer -= 1
519 elif not f(key, selectables):
521 trigger = widget.check_updates[0]
522 self.to_update[trigger] = True
524 def pickup_menu(key):
526 def f(key, selectables):
527 if key == 'p' and len(selectables) > 0:
528 id_ = selectables[self.item_pointer]
529 self.socket.send('TASK:PICKUP %s' % id_)
530 self.socket.send('GET_PICKABLE_ITEMS')
535 selectables_menu(key, pickable_items_widget,
536 self.game.pickable_items, f)
538 def inventory_menu(key):
540 def f(key, selectables):
541 if key == 'd' and len(selectables) > 0:
542 id_ = selectables[self.item_pointer]
543 self.socket.send('TASK:DROP %s' % id_)
544 elif key == 'e' and len(selectables) > 0:
545 id_ = selectables[self.item_pointer]
546 self.socket.send('TASK:EAT %s' % id_)
551 selectables_menu(key, inventory_widget,
552 self.game.player_inventory, f)
554 def move_examiner(direction):
555 start_pos = self.examiner_position
556 new_examine_pos = self.game.map_geometry.move(start_pos, direction,
558 if new_examine_pos[0] == (0,0):
559 self.examiner_position = new_examine_pos
560 self.to_update['map'] = True
562 def switch_to_pick_or_drop(target_widget):
563 self.item_pointer = 0
564 switch_widgets(map_widget, target_widget)
565 if self.examiner_mode:
566 self.examiner_mode = False
567 switch_widgets(descriptor_widget, log_widget)
569 def toggle_examiner_mode():
570 if self.examiner_mode:
571 self.examiner_mode = False
572 switch_widgets(descriptor_widget, log_widget)
574 self.examiner_mode = True
575 self.examiner_position = self.game.player.position
576 switch_widgets(log_widget, descriptor_widget)
577 self.to_update['map'] = True
580 if popup_widget.visible:
581 popup_widget.visible = False
582 for w in top_widgets:
583 w.ensure_freshness(True)
585 self.to_update['popup'] = True
586 popup_widget.visible = True
587 popup_widget.reconfigure()
588 self.draw_popup_if_visible = True
590 def try_write_keys():
591 if len(key) == 1 and key in ASCII_printable and \
592 len(self.to_send) < len(edit_line_widget):
593 self.to_send += [key]
594 self.to_update['edit'] = True
595 elif key == 'KEY_BACKSPACE':
596 self.to_send[:] = self.to_send[:-1]
597 self.to_update['edit'] = True
598 elif key == '\n': # Return key
599 self.socket.send(''.join(self.to_send))
601 self.to_update['edit'] = True
603 def try_examiner_keys():
605 move_examiner('UPLEFT')
607 move_examiner('UPRIGHT')
609 move_examiner('LEFT')
611 move_examiner('RIGHT')
613 move_examiner('DOWNLEFT')
615 move_examiner('DOWNRIGHT')
617 def try_player_move_keys():
619 self.socket.send('TASK:MOVE UPLEFT')
621 self.socket.send('TASK:MOVE UPRIGHT')
623 self.socket.send('TASK:MOVE LEFT')
625 self.socket.send('TASK:MOVE RIGHT')
627 self.socket.send('TASK:MOVE DOWNLEFT')
629 self.socket.send('TASK:MOVE DOWNRIGHT')
632 curses.init_pair(1, curses.COLOR_BLACK, curses.COLOR_RED)
633 curses.init_pair(2, curses.COLOR_BLACK, curses.COLOR_GREEN)
634 curses.init_pair(3, curses.COLOR_BLACK, curses.COLOR_BLUE)
635 curses.init_pair(4, curses.COLOR_BLACK, curses.COLOR_YELLOW)
636 curses.init_pair(5, curses.COLOR_BLACK, curses.COLOR_WHITE)
638 # Basic curses initialization work.
640 curses.curs_set(False) # hide cursor
643 # With screen initialized, set up widgets with their curses windows.
644 edit_widget = TextLineWidget('SEND:', self, YX(0, 0), YX(1, 20))
645 edit_line_widget = EditWidget(self, YX(0, 6), YX(1, 14), ['edit'])
646 edit_widget.children += [edit_line_widget]
647 turn_widget = TextLineWidget('TURN:', self, YX(2, 0), YX(1, 20))
648 turn_widget.children += [TurnWidget(self, YX(2, 6), YX(1, 14), ['turn'])]
649 health_widget = TextLineWidget('HEALTH:', self, YX(3, 0), YX(1, 20))
650 health_widget.children += [HealthWidget(self, YX(3, 8), YX(1, 12), ['turn'])]
651 log_widget = LogWidget(self, YX(5, 0), YX(None, 20), ['log'])
652 descriptor_widget = DescriptorWidget(self, YX(5, 0), YX(None, 20),
654 map_widget = MapWidget(self, YX(0, 21), YX(None, None), ['map'])
655 inventory_widget = ItemsSelectorWidget('INVENTORY:',
656 self.game.player_inventory,
657 self, YX(0, 21), YX(None, None),
658 ['inventory'], False)
659 pickable_items_widget = ItemsSelectorWidget('PICKABLE:',
660 self.game.pickable_items,
665 top_widgets = [edit_widget, turn_widget, health_widget, log_widget,
666 descriptor_widget, map_widget, inventory_widget,
667 pickable_items_widget]
668 popup_widget = PopUpWidget(self, YX(0, 0), YX(1, 1), visible=False)
670 # Ensure initial window state before loop starts.
671 for w in top_widgets:
672 w.ensure_freshness(True)
673 self.socket.send('GET_GAMESTATE')
678 for w in top_widgets:
679 if w.ensure_freshness():
680 self.draw_popup_if_visible = True
681 if popup_widget.visible and self.draw_popup_if_visible:
682 popup_widget.ensure_freshness(True)
683 self.draw_popup_if_visible = False
684 for k in self.to_update.keys():
685 self.to_update[k] = False
687 # Handle input from server.
690 command = self.queue.get(block=False)
693 self.game.handle_input(command)
695 # Handle keys (and resize event read as key).
697 key = self.stdscr.getkey()
698 if key == 'KEY_RESIZE':
700 setup_screen(curses.initscr())
701 for w in top_widgets:
703 w.ensure_freshness(True)
704 elif key == '\t': # Tabulator key.
705 write_mode = False if write_mode else True
710 elif map_widget.visible:
712 toggle_examiner_mode()
714 self.socket.send('GET_PICKABLE_ITEMS')
715 switch_to_pick_or_drop(pickable_items_widget)
717 switch_to_pick_or_drop(inventory_widget)
718 elif self.examiner_mode:
721 try_player_move_keys()
722 elif pickable_items_widget.visible:
724 elif inventory_widget.visible:
729 # Quit when server recommends it.
730 if self.game.do_quit:
734 s = socket.create_connection(('127.0.0.1', 5000))
735 plom_socket = PlomSocket(s)
738 t = threading.Thread(target=recv_loop, args=(plom_socket, game, q))
740 TUI(plom_socket, game, q)