#!/usr/bin/env python3 import sys import re from twisted.internet import defer from twisted.internet import protocol from twisted.internet import reactor from twisted.internet import task from twisted.python import log from twisted.python.logfile import DailyLogFile import pendulum from subprocess import check_output from colorama import Fore, Back, Style from itertools import cycle from deprecated import deprecated from pprint import pformat # This isn't the best configuration, but it's simple # and works. Mostly. try: from config_dev import * except ModuleNotFoundError: from config import * # Extract the version information from git. # The match gives us only tags starting with v[0-9]* Using anything else trips up on double digits. version = check_output( [ "git", "describe", "--abbrev=8", "--long", "--tags", "--dirty", "--always", "--match", "v[0-9]*", ], universal_newlines=True, ).strip() def merge(color_string): """ Given a string of colorama ANSI, merge them if you can. """ return color_string.replace("m\x1b[", ";") # https://en.wikipedia.org/wiki/ANSI_escape_code # Cleans all ANSI cleaner = re.compile(r"\x1b\[[0-9;]*[A-Zmh]") # Looks for ANSI (that should be considered to be a newline) # This needs to see what is send when something enters / leaves # the player's current sector. (That doesn't work/isn't # detected. NNY!) It is "\x1b[K" Erase in Line! makeNL = re.compile(r"\x1b\[[0-9;]*[JK]") def treatAsNL(line): """ Replace any ANSI codes that would be better understood as newlines. """ global makeNL return makeNL.sub("\n", line) def cleanANSI(line): """ Remove all ANSI codes. """ global cleaner return cleaner.sub("", line) # return re.sub(r'\x1b\[([0-9,A-Z]{1,2}(;[0-9]{1,2})?(;[0-9]{3})?)?[m|K]?', '', line) PORT_CLASSES = { 1: 'BBS', 2: 'BSB', 3: 'SBB', 4:'SSB', 5:'SBS', 6:'BSS', 7:'SSS', 8:'BBB'} CLASSES_PORT = { v: k for k,v in PORT_CLASSES.items() } class Observer(object): def __init__(self): self.dispatch = {} def emit(self, signal, message): """ emit a signal, return True if sent somewhere. """ if signal in self.dispatch: # something to do ret = False for listener in self.dispatch[signal]: ret = True reactor.callLater(0, listener, message) return ret return False def connect(self, signal, func): """ Connect a signal to a given function. """ if not signal in self.dispatch: self.dispatch[signal] = [] self.dispatch[signal].append(func) def disconnect(self, signal, func): """ Disconnect a signal with a certain function. """ if signal in self.dispatch: self.dispatch[signal].remove(func) if len(self.dispatch[signal]) == 0: self.dispatch.pop(signal) def save(self): """ Save the current dispatch. """ ret = dict(self.dispatch) self.dispath = {} return ret def load(self, dispatch): """ Load/restore the dispatch. """ self.dispatch = dict(dispatch) @deprecated("Use save/load instead.") def set_funcs(self, dispatch): """ Replaces the dispatch. """ self.dispatch = dict(dispatch) @deprecated("Use save/load instead.") def get_funcs(self): """ Gives a copy of the dispatch. """ return dict(self.dispatch) def get_funcs_(self, signal): """ Gives a copy of the dispatch for a given signal. """ if signal in self.dispatch: return list(self.dispatch[signal]) else: return [] def set_funcs_(self, signal, funcs): """ Replaces the dispatch for a given signal. """ if signal in self.dispatch: if len(funcs) == 0: self.dispatch.pop(signal) else: self.dispatch = list(funcs) else: if len(funcs) != 0: self.dispatch = list(funcs) class MCP(object): def __init__(self, game): self.game = game self.queue_game = None # we don't have this .. yet! self.prompt = None self.observer = None self.keepalive = None # Port Data self.portdata = None self.portcycle = None def finishSetup(self): # if self.queue_game is None: self.queue_game = self.game.queue_game # if self.observer is None: self.observer = self.game.observer self.observer.connect("hotkey", self.activate) self.observer.connect("notyet", self.notyet) def notyet(self, _): """ No, not yet! """ nl = "\n\r" r = Style.RESET_ALL log.msg("NNY!") prompt = self.game.buffer self.queue_game.put(r + nl + "Proxy: I can't activate at this time." + nl) self.queue_game.put(prompt) def stayAwake(self): """ Send a space to the game to keep it alive/don't timeout. """ log.msg("Gameserver, stay awake.") self.game.queue_player.put(" ") def startAwake(self): self.keepalive = task.LoopingCall(self.stayAwake) self.keepalive.start(30) def activate(self, _): log.msg("MCP menu called.") # We want the raw one, not the ANSI cleaned getPrompt. prompt = self.game.buffer if not self.prompt is None: # silly, we're already active log.msg("I think we're already active. Ignoring request.") return # Or will the caller setup/restore the prompt? self.prompt = prompt # queue_game = to player self.displayMenu() self.observer.connect("player", self.fromPlayer) # TODO: Add background "keepalive" event so the game doesn't time out on us. self.startAwake() # self.keepalive = task.LoopingCall(self.stayAwake) # self.keepalive.start(30) def displayMenu(self): nl = "\n\r" c = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE) r = Style.RESET_ALL c1 = merge(Style.BRIGHT + Fore.BLUE) c2 = merge(Style.NORMAL + Fore.BLUE) self.queue_game.put(nl + c + "TradeWars Proxy active." + r + nl) self.queue_game.put(" " + c1 + "D" + c2 + " - " + c1 + "Diagnostics" + nl) self.queue_game.put( " " + c1 + "T" + c2 + " - " + c1 + "Display current Time" + nl ) self.queue_game.put(" " + c1 + "P" + c2 + " - " + c1 + "Port CIM Report" + nl) self.queue_game.put(" " + c1 + "S" + c2 + " - " + c1 + "Scripts" + nl) self.queue_game.put(" " + c1 + "X" + c2 + " - " + c1 + "eXit" + nl) self.queue_game.put(" " + c + "-=>" + r + " ") def fromPlayer(self, chunk): """ Data from player (in bytes). """ chunk = chunk.decode("utf-8", "ignore") nl = "\n\r" c = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE) r = Style.RESET_ALL c1 = merge(Style.BRIGHT + Fore.BLUE) c2 = merge(Style.NORMAL + Fore.BLUE) key = chunk.upper() if key == "T": self.queue_game.put(c + key + r + nl) now = pendulum.now() log.msg("Time") self.queue_game.put( nl + c1 + "It is currently " + now.to_datetime_string() + "." + nl ) self.displayMenu() elif key == "P": log.msg("Port") self.queue_game.put(c + key + r + nl) self.portReport() # self.queue_game.put(nl + c + "NO, NOT YET!" + r + nl) # self.displayMenu() elif key == "S": log.msg("Scripts") self.queue_game.put(c + key + r + nl) self.scripts() elif key == 'D': self.queue_game.put(nl + "Diagnostics" + nl + "portdata:" + nl) line = pformat(self.portdata).replace("\n", "\n\r") self.queue_game.put(line + nl) self.displayMenu() elif key == "X": log.msg('"Quit, return to "normal". (Whatever that means!)') self.queue_game.put(c + key + r + nl) self.observer.disconnect("player", self.fromPlayer) self.queue_game.put(nl + c1 + "Returning to game" + c2 + "..." + r + nl) self.queue_game.put(self.prompt) self.prompt = None self.keepalive.stop() self.keepalive = None self.game.to_player = True else: if key.isprintable(): self.queue_game.put(r + nl) self.queue_game.put("Excuse me? I don't understand '" + key + "'." + nl) self.displayMenu() def portReport(self): """ Activate CIM and request Port Report """ self.game.to_player = False self.portdata = None self.observer.connect('prompt', self.portPrompt) self.observer.connect('game-line', self.portParse) self.game.queue_player.put("^") def portPrompt(self, prompt): if prompt == ': ': log.msg("CIM Prompt") if self.portdata is None: log.msg("R - Port Report") self.portdata = dict() self.game.queue_player.put("R") self.portcycle = cycle(['/', '-', '\\', '|']) self.queue_game.put(' ') else: log.msg("Q - Quit") self.game.queue_player.put("Q") self.portcycle = None def portBS(self, info): if info[0] == '-': bs = 'B' else: bs = 'S' return (bs, int(info[1:].strip())) def portParse(self, line): if line == '': return if line == ': ': return log.msg("parse line:", line) if line.startswith('Command [TL='): return if line == ': ENDINTERROG': log.msg("CIM Done") log.msg(pformat(self.portdata)) self.queue_game.put("\b \b" + "\n\r") self.observer.disconnect('prompt', self.portPrompt) self.observer.disconnect('game-line', self.portParse) self.game.to_player = True # self.keepalive.start(30) self.startAwake() self.displayMenu() return # Give some sort of feedback to the user. if self.portcycle: if len(self.portdata) % 10 == 0: self.queue_game.put("\b" + next(self.portcycle)) # Ok, we need to parse this line # 436 2870 100% - 1520 100% - 2820 100% # 2 1950 100% - 1050 100% 2780 100% # 5 2800 100% - 2330 100% - 1230 100% # 8 2890 100% 1530 100% - 2310 100% # 9 - 2160 100% 2730 100% - 2120 100% # 324 - 2800 100% 2650 100% - 2490 100% # 492 990 100% 900 100% 1660 100% # 890 1920 100% - 2140 100% 1480 100% # 1229 - 2870 100% - 1266 90% 728 68% # 1643 - 3000 100% - 3000 100% - 3000 100% # 1683 - 1021 97% 1460 100% - 2620 100% # 1898 - 1600 100% - 1940 100% - 1860 100% # 2186 1220 100% - 900 100% - 1840 100% # 2194 2030 100% - 1460 100% - 1080 100% # 2577 2810 100% - 1550 100% - 2350 100% # 2629 2570 100% - 2270 100% - 1430 100% # 3659 - 1720 100% 1240 100% - 2760 100% # 3978 - 920 100% 2560 100% - 2590 100% # 4302 348 25% - 2530 100% - 316 23% # 4516 - 1231 60% - 1839 75% 7 0% work = line.replace('%', '') parts = re.split(r"(?<=\d)\s", work) if len(parts) == 8: port = int(parts[0].strip()) data = dict() data['fuel'] = dict( ) data['fuel']['sale'], data['fuel']['units'] = self.portBS(parts[1]) data['fuel']['pct'] = int(parts[2].strip()) data['org'] = dict( ) data['org']['sale'], data['org']['units'] = self.portBS(parts[3]) data['org']['pct'] = int(parts[4].strip()) data['equ'] = dict( ) data['equ']['sale'], data['equ']['units'] = self.portBS(parts[5]) data['equ']['pct'] = int(parts[6].strip()) # Store what this port is buying/selling data['port'] = data['fuel']['sale'] + data['org']['sale'] + data['equ']['sale'] # Convert BBS/SBB to Class number 1-8 data['class'] = CLASSES_PORT[data['port']] self.portdata[port] = data else: self.queue_game.put("?") log.msg("Line in question is: [{0}].".format(line)) log.msg(repr(parts)) def scripts(self): self.script = dict() self.observer.disconnect("player", self.fromPlayer) self.observer.connect("player", self.scriptFromPlayer) self.observer.connect('game-line', self.scriptLine) nl = "\n\r" c = merge(Style.BRIGHT + Fore.WHITE + Back.BLUE) r = Style.RESET_ALL c1 = merge(Style.BRIGHT + Fore.CYAN) c2 = merge(Style.NORMAL + Fore.CYAN) self.queue_game.put(nl + c + "TradeWars Proxy Script(s)" + r + nl) self.queue_game.put(" " + c1 + "P" + c2 + " - " + c1 + "Port Trading Pair" + nl) self.queue_game.put(" " + c + "-=>" + r + " ") def unscript(self): self.observer.connect("player", self.fromPlayer) self.observer.disconnect("player", self.scriptFromPlayer) self.observer.disconnect('game-line', self.scriptLine) self.displayMenu() def scriptLine(self, line): pass def scriptFromPlayer(self, chunk): """ Data from player (in bytes). """ chunk = chunk.decode("utf-8", "ignore") nl = "\n\r" c = merge(Style.BRIGHT + Fore.WHITE + Back.BLUE) r = Style.RESET_ALL key = chunk.upper() if key == 'Q': self.queue_game.put(c + key + r + nl) self.observer.connect("player", self.fromPlayer) self.observer.disconnect("player", self.scriptFromPlayer) self.observer.disconnect('game-line', self.scriptLine) self.observer.connect('game-line', self.portParse) self.displayMenu() elif key == 'P': self.queue_game.put(c + key + r + nl) d = self.playerInput("Enter sector to trade to: ", 6) d.addCallback(self.save_sector) def save_sector(self, sector): log.msg("save_sector {0}".format(sector)) if sector.strip() == '': self.queue_game.put("Script Aborted.") self.unscript() return s = int(sector.strip()) self.script['sector'] = s d = self.playerInput("Enter times to execute script: ", 6) d.addCallback(self.save_loop) def save_loop(self, loop): log.msg("save_loop {0}".format(loop)) if loop.strip() == '': self.queue_game.put("Script Aborted.") self.unscript() return l = int(loop.strip()) self.script['loop'] = l d = self.playerInput("Enter markup/markdown percentage: ", 3) d.addCallback(self.save_mark) def save_mark(self, mark): log.msg("save_mark {0}".format(mark)) if mark.strip() == "": self.script['mark'] = 5 else: self.script['mark'] = int(mark.strip()) # Ok, we have the values we need to run the Port trade script self.queue_game.put(pformat(self.script).replace("\n", "\n\r")) self.unscript() def playerInput(self, prompt, limit): """ Given a prompt and limit, this handles user input. This displays the prompt, and sets up the proper observers, while preserving the "current" ones. This returns a deferred, so you can chain the results of this. """ log.msg("playerInput({0}, {1}".format(prompt, limit)) nl = "\n\r" c = merge(Style.BRIGHT + Fore.WHITE + Back.BLUE) r = Style.RESET_ALL self.queue_game.put(r + nl + c + prompt) # This should set the background and show the size of the entry area. self.queue_game.put(" " * limit + "\b" * limit) d = defer.Deferred() self.player_input = d self.input_limit = limit self.input_input = '' self.save = self.observer.get_funcs() input_funcs = { 'player': [self.niceInput] } self.observer.set_funcs(input_funcs) return d def niceInput(self, chunk): """ Data from player (in bytes). """ chunk = chunk.decode("utf-8", "ignore") # log.msg("niceInput:", repr(chunk)) r = Style.RESET_ALL for c in chunk: if c == '\b': # Backspace if len(self.input_input) > 0: self.queue_game.put("\b \b") self.input_input = self.input_input[0:-1] else: # Can't self.queue_game.put("\a") if c == "\r": # Ok, completed! self.queue_game.put(r + "\n\r") self.observer.set_funcs(self.save) self.save = None line = self.input_input log.msg("finishing niceInput {0}".format(line)) # self.queue_game.put("[{0}]\n\r".format(line)) self.input_input = '' # Ok, maybe this isn't the way to do this ... # self.player_input.callback(line) reactor.callLater(0, self.player_input.callback, line) self.player_input = None if c.isprintable(): if len(self.input_input) + 1 <= self.input_limit: self.input_input += c self.queue_game.put(c) else: # Limit reached self.queue_game.put("\a") class Game(protocol.Protocol): def __init__(self): self.buffer = "" self.game = None self.usergame = (None, None) self.to_player = True self.mcp = MCP(self) def connectionMade(self): log.msg("Connected to Game Server") self.queue_player = self.factory.queue_player self.queue_game = self.factory.queue_game self.observer = self.factory.observer self.factory.game = self self.setPlayerReceived() self.observer.connect("user-game", self.show_game) self.mcp.finishSetup() def show_game(self, game): self.usergame = game log.msg("## User-Game:", game) def setPlayerReceived(self): """ Get deferred from client queue, callback clientDataReceived. """ self.queue_player.get().addCallback(self.playerDataReceived) def playerDataReceived(self, chunk): if chunk is False: self.queue_player = None log.msg("Player: disconnected, close connection to game") # I don't believe I need this if I'm using protocol.Factory self.factory.continueTrying = False self.transport.loseConnection() else: # Pass received data to the server if type(chunk) == str: self.transport.write(chunk.encode()) else: self.transport.write(chunk) self.setPlayerReceived() def lineReceived(self, line): """ line received from the game. """ if LOG_LINES: log.msg(">> [{0}]".format(line)) if "TWGS v2.20b" in line and "www.eisonline.com" in line: self.queue_game.put( "TWGS Proxy build " + version + " is active. \x1b[1;34m~\x1b[0m to activate.\n\r\n\r", ) if "TradeWars Game Server" in line and "Copyright (C) EIS" in line: # We are not in a game if not self.game is None: # We were in a game. self.game = None self.observer.emit("user-game", (self.factory.player.user, self.game)) if "Selection (? for menu): " in line: game = line[-1] if game >= "A" and game < "Q": self.game = game log.msg("Game: {0}".format(self.game)) self.observer.emit("user-game", (self.factory.player.user, self.game)) self.observer.emit("game-line", line) def getPrompt(self): """ Return the current prompt, stripped of ANSI. """ return cleanANSI(self.buffer) def dataReceived(self, chunk): """ Data received from the Game. Remove backspaces. Treat some ANSI codes as NewLine. Remove ANSI. Break into lines. Trim out carriage returns. Call lineReceived(). "Optionally" pass data to player. FUTURE: trigger on prompt. [cleanANSI(buffer)] """ # Sequence error: # If I don't put the chunk(I received) to the player. # anything I display -- lineReceive() put() ... would # be out of order. (I'd be responding -- before it # was displayed to the user.) if self.to_player: self.queue_game.put(chunk) self.buffer += chunk.decode("utf-8", "ignore") # Process any backspaces while "\b" in self.buffer: part = self.buffer.partition("\b") self.buffer = part[0][:-1] + part[2] # Treat some ANSI codes as a newline self.buffer = treatAsNL(self.buffer) # Break into lines while "\n" in self.buffer: part = self.buffer.partition("\n") line = part[0].replace("\r", "") # Clean ANSI codes from line line = cleanANSI(line) self.lineReceived(line) self.buffer = part[2] self.observer.emit("prompt", self.getPrompt()) def connectionLost(self, why): log.msg("Game connectionLost because: %s" % why) self.queue_game.put(False) self.transport.loseConnection() class GlueFactory(protocol.ClientFactory): # class GlueFactory(protocol.Factory): maxDelay = 10 protocol = Game def __init__(self, player): self.player = player self.queue_player = player.queue_player self.queue_game = player.queue_game self.observer = player.observer self.game = None def closeIt(self): log.msg("closeIt") self.queue_game.put(False) def getUser(self, user): log.msg("getUser( %s )" % user) self.twgs.logUser(user) # This was needed when I replaced ClientFactory with Factory. # def clientConnectionLost(self, connector, why): # log.msg("clientconnectionlost: %s" % why) # self.queue_client.put(False) def clientConnectionFailed(self, connector, why): log.msg("connection to game failed: %s" % why) self.queue_game.put(b"Sorry! I'm Unable to connect to the game server.\r\n") # syncterm gets cranky/locks up if we close this here. # (Because it is still sending rlogin information?) reactor.callLater(2, self.closeIt) class Player(protocol.Protocol): def __init__(self): self.buffer = "" self.user = None self.observer = Observer() self.game = None self.glue = None def connectionMade(self): """ connected, setup queues. queue_player is data from player. queue_game is data to player. (possibly from game) """ self.queue_player = defer.DeferredQueue() self.queue_game = defer.DeferredQueue() self.setGameReceived() # Connect GlueFactory to this Player object. factory = GlueFactory(self) self.glue = factory # Make connection to the game server reactor.connectTCP(HOST, PORT, factory, 5) def setGameReceived(self): """ Get deferred from client queue, callback clientDataReceived. """ self.queue_game.get().addCallback(self.gameDataReceived) def gameDataReceived(self, chunk): """ Data received from the game. """ # If we have received game data, it has to be connected. if self.game is None: self.game = self.glue.game if chunk is False: self.transport.loseConnection() else: if type(chunk) == bytes: self.transport.write(chunk) elif type(chunk) == str: self.transport.write(chunk.encode()) else: log.err("gameDataReceived: type (%s) given!", type(chunk)) self.transport.write(chunk) self.setGameReceived() def dataReceived(self, chunk): if self.user is None: self.buffer += chunk.decode("utf-8", "ignore") parts = self.buffer.split("\x00") if len(parts) >= 5: # rlogin we have the username self.user = parts[1] log.msg("User: {0}".format(self.user)) zpos = self.buffer.rindex("\x00") self.buffer = self.buffer[zpos + 1 :] # but I don't need the buffer anymore, so: self.buffer = "" # Pass user value on to whatever needs it. self.observer.emit("user", self.user) # Unfortunately, the ones interested in this don't exist yet. if not self.observer.emit("player", chunk): # Was not dispatched. Send to game. self.queue_player.put(chunk) if chunk == b"~": if self.game: prompt = self.game.getPrompt() if "Selection (? for menu)" in prompt: self.observer.emit("notyet", prompt) elif "Enter your choice:" in prompt: self.observer.emit("notyet", prompt) elif re.match(r"Computer command \[TL=.* \(\?=Help\)\? :", prompt): self.observer.emit("notyet", prompt) elif re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt): self.observer.emit("hotkey", prompt) else: log.msg("Unsure about [{0}] prompt.".format(prompt)) # but try anyway! :P self.observer.emit("notyet", prompt) # Selection (? for menu): (the game server menu) # Enter your choice: (game menu) # Command [TL=00:00:00]:[1800] (?=Help)? : <- YES! # Computer command [TL=00:00:00]:[613] (?=Help)? def connectionLost(self, why): log.msg("lost connection %s" % why) self.queue_player.put(False) def connectionFailed(self, why): log.msg("connectionFailed: %s" % why) if __name__ == "__main__": if LOGFILE: log.startLogging(DailyLogFile("proxy.log", ".")) else: log.startLogging(sys.stdout) log.msg("This is version: %s" % version) factory = protocol.Factory() factory.protocol = Player reactor.listenTCP(LISTEN_PORT, factory, interface=LISTEN_ON) reactor.run()