home · contact · privacy
Add Hex map capabilities.
[plomrogue2-experiments] / new2 / rogue_chat_curses.py
1 #!/usr/bin/env python3
2 import curses
3 import socket
4 import queue
5 import threading
6 from plomrogue.io_tcp import PlomSocket
7 from plomrogue.game import GameBase
8 from plomrogue.parser import Parser
9 from plomrogue.mapping import YX, MapGeometrySquare, MapGeometryHex
10 from plomrogue.things import ThingBase
11 from plomrogue.misc import quote
12
13 def cmd_TURN(game, n):
14     game.turn = n
15     game.things = []
16     game.portals = {}
17     game.turn_complete = False
18 cmd_TURN.argtypes = 'int:nonneg'
19
20 def cmd_LOGIN_OK(game):
21     game.tui.switch_mode('post_login_wait')
22     game.tui.send('GET_GAMESTATE')
23     game.tui.log_msg('@ welcome')
24 cmd_LOGIN_OK.argtypes = ''
25
26 def cmd_CHAT(game, msg):
27     game.tui.log_msg('# ' + msg)
28     game.tui.do_refresh = True
29 cmd_CHAT.argtypes = 'string'
30
31 def cmd_PLAYER_ID(game, player_id):
32     game.player_id = player_id
33 cmd_PLAYER_ID.argtypes = 'int:nonneg'
34
35 def cmd_THING_POS(game, thing_id, position):
36     t = game.get_thing(thing_id, True)
37     t.position = position
38 cmd_THING_POS.argtypes = 'int:nonneg yx_tuple:nonneg'
39
40 def cmd_THING_NAME(game, thing_id, name):
41     t = game.get_thing(thing_id, True)
42     t.name = name
43 cmd_THING_NAME.argtypes = 'int:nonneg string'
44
45 def cmd_MAP(game, geometry, size, content):
46     map_geometry_class = globals()['MapGeometry' + geometry]
47     game.map_geometry = map_geometry_class(size)
48     game.map_content = content
49     if type(game.map_geometry) == MapGeometrySquare:
50         game.tui.movement_keys = {
51             'w': 'UP',
52             'a': 'LEFT',
53             's': 'DOWN',
54             'd': 'RIGHT',
55         }
56     elif type(game.map_geometry) == MapGeometryHex:
57         game.tui.movement_keys = {
58             'w': 'UPLEFT',
59             'e': 'UPRIGHT',
60             'd': 'RIGHT',
61             'c': 'DOWNRIGHT',
62             'x': 'DOWNLEFT',
63             's': 'LEFT',
64         }
65 cmd_MAP.argtypes = 'string:map_geometry yx_tuple:pos string'
66
67 def cmd_GAME_STATE_COMPLETE(game):
68     game.info_db = {}
69     if game.tui.mode.name == 'post_login_wait':
70         game.tui.switch_mode('play')
71         game.tui.help()
72     if game.tui.mode.shows_info:
73         game.tui.query_info()
74     player = game.get_thing(game.player_id, False)
75     if player.position in game.portals:
76         host, port = game.portals[player.position].split(':')
77         game.tui.teleport_target_host = host
78         game.tui.teleport_target_port = port
79         game.tui.switch_mode('teleport')
80     game.turn_complete = True
81     game.tui.do_refresh = True
82 cmd_GAME_STATE_COMPLETE.argtypes = ''
83
84 def cmd_PORTAL(game, position, msg):
85     game.portals[position] = msg
86 cmd_PORTAL.argtypes = 'yx_tuple:nonneg string'
87
88 def cmd_PLAY_ERROR(game, msg):
89     game.tui.flash()
90     game.tui.do_refresh = True
91 cmd_PLAY_ERROR.argtypes = 'string'
92
93 def cmd_GAME_ERROR(game, msg):
94     game.tui.log_msg('? game error: ' + msg)
95     game.tui.do_refresh = True
96 cmd_GAME_ERROR.argtypes = 'string'
97
98 def cmd_ARGUMENT_ERROR(game, msg):
99     game.tui.log_msg('? syntax error: ' + msg)
100     game.tui.do_refresh = True
101 cmd_ARGUMENT_ERROR.argtypes = 'string'
102
103 def cmd_ANNOTATION(game, position, msg):
104     game.info_db[position] = msg
105     if game.tui.mode.shows_info:
106         game.tui.do_refresh = True
107 cmd_ANNOTATION.argtypes = 'yx_tuple:nonneg string'
108
109 class Game(GameBase):
110     commands = {'LOGIN_OK': cmd_LOGIN_OK,
111                 'CHAT': cmd_CHAT,
112                 'PLAYER_ID': cmd_PLAYER_ID,
113                 'TURN': cmd_TURN,
114                 'THING_POS': cmd_THING_POS,
115                 'THING_NAME': cmd_THING_NAME,
116                 'MAP': cmd_MAP,
117                 'PORTAL': cmd_PORTAL,
118                 'ANNOTATION': cmd_ANNOTATION,
119                 'GAME_STATE_COMPLETE': cmd_GAME_STATE_COMPLETE,
120                 'ARGUMENT_ERROR': cmd_ARGUMENT_ERROR,
121                 'GAME_ERROR': cmd_GAME_ERROR,
122                 'PLAY_ERROR': cmd_PLAY_ERROR}
123     thing_type = ThingBase
124     turn_complete = False
125
126     def __init__(self, *args, **kwargs):
127         super().__init__(*args, **kwargs)
128         self.map_content = ''
129         self.player_id = -1
130         self.info_db = {}
131         self.portals = {}
132
133     def get_string_options(self, string_option_type):
134         if string_option_type == 'map_geometry':
135             return ['Hex', 'Square']
136         return None
137
138     def get_command(self, command_name):
139         from functools import partial
140         f = partial(self.commands[command_name], self)
141         f.argtypes = self.commands[command_name].argtypes
142         return f
143
144 class TUI:
145
146     class Mode:
147
148         def __init__(self, name, has_input_prompt=False, shows_info=False,
149                      is_intro = False):
150             self.name = name
151             self.has_input_prompt = has_input_prompt
152             self.shows_info = shows_info
153             self.is_intro = is_intro
154
155     def __init__(self, host, port):
156         self.host = host
157         self.port = port
158         self.mode_play = self.Mode('play')
159         self.mode_study = self.Mode('study', shows_info=True)
160         self.mode_edit = self.Mode('edit')
161         self.mode_annotate = self.Mode('annotate', has_input_prompt=True, shows_info=True)
162         self.mode_portal = self.Mode('portal', has_input_prompt=True, shows_info=True)
163         self.mode_chat = self.Mode('chat', has_input_prompt=True)
164         self.mode_waiting_for_server = self.Mode('waiting_for_server', is_intro=True)
165         self.mode_login = self.Mode('login', has_input_prompt=True, is_intro=True)
166         self.mode_post_login_wait = self.Mode('post_login_wait', is_intro=True)
167         self.mode_teleport = self.Mode('teleport', has_input_prompt=True)
168         self.game = Game()
169         self.game.tui = self
170         self.parser = Parser(self.game)
171         self.log = []
172         self.do_refresh = True
173         self.queue = queue.Queue()
174         self.switch_mode('waiting_for_server')
175         curses.wrapper(self.loop)
176
177     def flash(self):
178         curses.flash()
179
180     def send(self, msg):
181         try:
182             self.socket.send(msg)
183         except BrokenPipeError:
184             self.log_msg('@ server disconnected :(')
185             self.do_refresh = True
186
187     def log_msg(self, msg):
188         self.log += [msg]
189         if len(self.log) > 100:
190             self.log = self.log[-100:]
191
192     def query_info(self):
193         self.send('GET_ANNOTATION ' + str(self.explorer))
194
195     def switch_mode(self, mode_name, keep_position = False):
196         self.mode = getattr(self, 'mode_' + mode_name)
197         if self.mode.shows_info and not keep_position:
198             player = self.game.get_thing(self.game.player_id, False)
199             self.explorer = YX(player.position.y, player.position.x)
200         if self.mode.name == 'waiting_for_server':
201             self.log_msg('@ waiting for server …')
202         elif self.mode.name == 'login':
203             self.log_msg('@ enter username')
204         elif self.mode.name == 'teleport':
205             self.log_msg("@ May teleport to %s:%s" % (self.teleport_target_host,
206                                                       self.teleport_target_port));
207             self.log_msg("@ Enter 'YES!' to affirm.");
208         elif self.mode.name == 'annotate' and self.explorer in self.game.info_db:
209             info = self.game.info_db[self.explorer]
210             if info != '(none)':
211                 self.input_ = info
212         elif self.mode.name == 'portal' and self.explorer in self.game.portals:
213             self.input_ = self.game.portals[self.explorer]
214
215     def help(self):
216         self.log_msg("HELP:");
217         self.log_msg("chat mode commands:");
218         self.log_msg("  :nick NAME - re-name yourself to NAME");
219         self.log_msg("  :msg USER TEXT - send TEXT to USER");
220         self.log_msg("  :help - show this help");
221         self.log_msg("  :p or :play - switch to play mode");
222         self.log_msg("  :? or :study - switch to study mode");
223         self.log_msg("commands common to study and play mode:");
224         self.log_msg("  w,a,s,d - move");
225         self.log_msg("  c - switch to chat mode");
226         self.log_msg("commands specific to play mode:");
227         self.log_msg("  e - write following ASCII character");
228         self.log_msg("  f - flatten surroundings");
229         self.log_msg("  ? - switch to study mode");
230         self.log_msg("commands specific to study mode:");
231         self.log_msg("  e - annotate terrain");
232         self.log_msg("  p - switch to play mode");
233
234     def loop(self, stdscr):
235
236         def safe_addstr(y, x, line):
237             if y < self.size.y - 1 or x + len(line) < self.size.x:
238                 stdscr.addstr(y, x, line)
239             else:  # workaround to <https://stackoverflow.com/q/7063128>
240                 cut_i = self.size.x - x - 1
241                 cut = line[:cut_i]
242                 last_char = line[cut_i]
243                 stdscr.addstr(y, self.size.x - 2, last_char)
244                 stdscr.insstr(y, self.size.x - 2, ' ')
245                 stdscr.addstr(y, x, cut)
246
247         def connect():
248             import time
249
250             def recv_loop():
251                 for msg in self.socket.recv():
252                     if msg == 'BYE':
253                         break
254                     self.queue.put(msg)
255
256             while True:
257                 try:
258                     s = socket.create_connection((self.host, self.port))
259                     self.socket = PlomSocket(s)
260                     self.socket_thread = threading.Thread(target=recv_loop)
261                     self.socket_thread.start()
262                     self.switch_mode('login')
263                     return
264                 except ConnectionRefusedError:
265                     self.log_msg('@ server connect failure, trying again …')
266                     draw_screen()
267                     stdscr.refresh()
268                     time.sleep(1)
269
270         def reconnect():
271             self.send('QUIT')
272             self.switch_mode('waiting_for_server')
273             connect()
274
275         def handle_input(msg):
276             command, args = self.parser.parse(msg)
277             command(*args)
278
279         def msg_into_lines_of_width(msg, width):
280             chunk = ''
281             lines = []
282             x = 0
283             for i in range(len(msg)):
284                 if x >= width or msg[i] == "\n":
285                     lines += [chunk]
286                     chunk = ''
287                     x = 0
288                 if msg[i] != "\n":
289                     chunk += msg[i]
290                 x += 1
291             lines += [chunk]
292             return lines
293
294         def reset_screen_size():
295             self.size = YX(*stdscr.getmaxyx())
296             self.size = self.size - YX(self.size.y % 2, 0)
297             self.size = self.size - YX(0, self.size.x % 4)
298             self.window_width = int(self.size.x / 2)
299
300         def recalc_input_lines():
301             if not self.mode.has_input_prompt:
302                 self.input_lines = []
303             else:
304                 self.input_lines = msg_into_lines_of_width(input_prompt + self.input_,
305                                                            self.window_width)
306
307         def move_explorer(direction):
308             target = self.game.map_geometry.move(self.explorer, direction)
309             if target:
310                 self.explorer = target
311                 self.query_info()
312             else:
313                 self.flash()
314
315         def draw_history():
316             lines = []
317             for line in self.log:
318                 lines += msg_into_lines_of_width(line, self.window_width)
319             lines.reverse()
320             height_header = 2
321             max_y = self.size.y - len(self.input_lines)
322             for i in range(len(lines)):
323                 if (i >= max_y - height_header):
324                     break
325                 safe_addstr(max_y - i - 1, self.window_width, lines[i])
326
327         def draw_info():
328             if not self.game.turn_complete:
329                 return
330             if self.explorer in self.game.portals:
331                 info = 'PORTAL: ' + self.game.portals[self.explorer] + '\n'
332             else:
333                 info = 'PORTAL: (none)\n'
334             if self.explorer in self.game.info_db:
335                 info += 'ANNOTATION: ' + self.game.info_db[self.explorer]
336             else:
337                 info += 'ANNOTATION: waiting …'
338             lines = msg_into_lines_of_width(info, self.window_width)
339             height_header = 2
340             for i in range(len(lines)):
341                 y = height_header + i
342                 if y >= self.size.y - len(self.input_lines):
343                     break
344                 safe_addstr(y, self.window_width, lines[i])
345
346         def draw_input():
347             y = self.size.y - len(self.input_lines)
348             for i in range(len(self.input_lines)):
349                 safe_addstr(y, self.window_width, self.input_lines[i])
350                 y += 1
351
352         def draw_turn():
353             if not self.game.turn_complete:
354                 return
355             safe_addstr(0, self.window_width, 'TURN: ' + str(self.game.turn))
356
357         def draw_mode():
358             safe_addstr(1, self.window_width, 'MODE: ' + self.mode.name)
359
360         def draw_map():
361             if not self.game.turn_complete:
362                 return
363             map_lines_split = []
364             for y in range(self.game.map_geometry.size.y):
365                 start = self.game.map_geometry.size.x * y
366                 end = start + self.game.map_geometry.size.x
367                 map_lines_split += [list(self.game.map_content[start:end])]
368             for t in self.game.things:
369                 map_lines_split[t.position.y][t.position.x] = '@'
370             if self.mode.shows_info:
371                 map_lines_split[self.explorer.y][self.explorer.x] = '?'
372             map_lines = []
373             if type(self.game.map_geometry) == MapGeometryHex:
374                 indent = 0
375                 for line in map_lines_split:
376                     map_lines += [indent*' ' + ' '.join(line)]
377                     indent = 0 if indent else 1
378             else:
379                 for line in map_lines_split:
380                     map_lines += [''.join(line)]
381             window_center = YX(int(self.size.y / 2),
382                                int(self.window_width / 2))
383             player = self.game.get_thing(self.game.player_id, False)
384             center = player.position
385             if self.mode.shows_info:
386                 center = self.explorer
387             if type(self.game.map_geometry) == MapGeometryHex:
388                 center = YX(center.y, center.x * 2)
389             offset = center - window_center
390             if type(self.game.map_geometry) == MapGeometryHex and offset.y % 2:
391                 offset += YX(0, 1)
392             term_y = max(0, -offset.y)
393             term_x = max(0, -offset.x)
394             map_y = max(0, offset.y)
395             map_x = max(0, offset.x)
396             while (term_y < self.size.y and map_y < self.game.map_geometry.size.y):
397                 to_draw = map_lines[map_y][map_x:self.window_width + offset.x]
398                 safe_addstr(term_y, term_x, to_draw)
399                 term_y += 1
400                 map_y += 1
401
402         def draw_screen():
403             stdscr.clear()
404             recalc_input_lines()
405             if self.mode.has_input_prompt:
406                 draw_input()
407             if self.mode.shows_info:
408                 draw_info()
409             else:
410                 draw_history()
411             draw_mode()
412             if not self.mode.is_intro:
413                 draw_turn()
414                 draw_map()
415
416         curses.curs_set(False)  # hide cursor
417         stdscr.timeout(10)
418         reset_screen_size()
419         self.explorer = YX(0, 0)
420         self.input_ = ''
421         input_prompt = '> '
422         connect()
423         while True:
424             if self.do_refresh:
425                 draw_screen()
426                 self.do_refresh = False
427             while True:
428                 try:
429                     msg = self.queue.get(block=False)
430                     handle_input(msg)
431                 except queue.Empty:
432                     break
433             try:
434                 key = stdscr.getkey()
435                 self.do_refresh = True
436             except curses.error:
437                 continue
438             if key == 'KEY_RESIZE':
439                 reset_screen_size()
440             elif self.mode.has_input_prompt and key == 'KEY_BACKSPACE':
441                 self.input_ = self.input_[:-1]
442             elif self.mode.has_input_prompt and key != '\n':  # Return key
443                 self.input_ += key
444                 max_length = self.window_width * self.size.y - len(input_prompt) - 1
445                 if len(self.input_) > max_length:
446                     self.input_ = self.input_[:max_length]
447             elif self.mode == self.mode_login and key == '\n':
448                 self.send('LOGIN ' + quote(self.input_))
449                 self.input_ = ""
450             elif self.mode == self.mode_chat and key == '\n':
451                 if self.input_[0] == ':':
452                     if self.input_ in {':p', ':play'}:
453                         self.switch_mode('play')
454                     elif self.input_ in {':?', ':study'}:
455                         self.switch_mode('study')
456                     if self.input_ == ':help':
457                         self.help()
458                     if self.input_ == ':reconnect':
459                         reconnect()
460                     elif self.input_.startswith(':nick'):
461                         tokens = self.input_.split(maxsplit=1)
462                         if len(tokens) == 2:
463                             self.send('LOGIN ' + quote(tokens[1]))
464                         else:
465                             self.log_msg('? need login name')
466                     elif self.input_.startswith(':msg'):
467                         tokens = self.input_.split(maxsplit=2)
468                         if len(tokens) == 3:
469                             self.send('QUERY %s %s' % (quote(tokens[1]),
470                                                               quote(tokens[2])))
471                         else:
472                             self.log_msg('? need message target and message')
473                     else:
474                         self.log_msg('? unknown command')
475                 else:
476                     self.send('ALL ' + quote(self.input_))
477                 self.input_ = ""
478             elif self.mode == self.mode_annotate and key == '\n':
479                 if self.input_ == '':
480                     self.input_ = ' '
481                 self.send('ANNOTATE %s %s' % (self.explorer, quote(self.input_)))
482                 self.input_ = ""
483                 self.switch_mode('study', keep_position=True)
484             elif self.mode == self.mode_portal and key == '\n':
485                 if self.input_ == '':
486                     self.input_ = ' '
487                 self.send('PORTAL %s %s' % (self.explorer, quote(self.input_)))
488                 self.input_ = ""
489                 self.switch_mode('study', keep_position=True)
490             elif self.mode == self.mode_teleport and key == '\n':
491                 if self.input_ == 'YES!':
492                     self.host = self.teleport_target_host
493                     self.port = self.teleport_target_port
494                     reconnect()
495                 else:
496                     self.log_msg('@ teleport aborted')
497                     self.switch_mode('play')
498                 self.input_ = ''
499             elif self.mode == self.mode_study:
500                 if key == 'C':
501                     self.switch_mode('chat')
502                 elif key == 'P':
503                     self.switch_mode('play')
504                 elif key == 'A':
505                     self.switch_mode('annotate', keep_position=True)
506                 elif key == 'p':
507                     self.switch_mode('portal', keep_position=True)
508                 elif key in self.movement_keys:
509                     move_explorer(self.movement_keys[key])
510             elif self.mode == self.mode_play:
511                 if key == 'C':
512                     self.switch_mode('chat')
513                 elif key == '?':
514                     self.switch_mode('study')
515                 if key == 'E':
516                     self.switch_mode('edit')
517                 elif key == 'f':
518                     self.send('TASK:FLATTEN_SURROUNDINGS')
519                 elif key in self.movement_keys:
520                     self.send('TASK:MOVE ' + self.movement_keys[key])
521             elif self.mode == self.mode_edit:
522                 self.send('TASK:WRITE ' + key)
523                 self.switch_mode('play')
524
525 TUI('127.0.0.1', 5000)