| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389 | #!/usr/bin/env python3import sysimport refrom twisted.internet import deferfrom twisted.internet import protocolfrom twisted.internet import reactorfrom twisted.internet import taskfrom twisted.python import logfrom twisted.python.logfile import DailyLogFileimport pendulumfrom subprocess import check_outputfrom colorama import Fore, Back, Stylefrom 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 ANSIcleaner = 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)from observer import Observerfrom flexible import PlayerInput, ProxyMenuclass Game(protocol.Protocol):    def __init__(self):        self.buffer = ""        self.game = None        self.usergame = (None, None)        self.to_player = True    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)    def show_game(self, game):        self.usergame = game        log.msg("## User-Game:", game)        if game[1] is None:            if hasattr(self, "portdata"):                log.msg("Clearing out old portdata.")                self.portdata = {}    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:        # I would still love to "inject" this into the stream        # so it is consistent.        # 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)]        """        # Store the text into the buffer before we inject into it.        self.buffer += chunk.decode("utf-8", "ignore")        # log.msg("data: [{0}]".format(repr(chunk)))        if b"TWGS v2.20b" in chunk and b"www.eisonline.com" in chunk:            # Ok, we have a possible target.            target = b"www.eisonline.com\n\r"            pos = chunk.find(target)            if pos != -1:                # Found it!  Inject!                message = (                    "TWGS Proxy build " + version + ".  ~ to activate in game.\n\r"                )                chunk = (                    chunk[0 : pos + len(target)]                    + message.encode()                    + chunk[pos + len(target) :]                )        # 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")        #        # Begin processing the buffer        #        # 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.observer.emit("close", 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)        else:            # There's an observer.  Don't continue.            return        if chunk == b"~":            prompt = self.game.getPrompt()            # 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)?            # (and others I've yet to see...)            if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):                menu = ProxyMenu(self.game)            else:                nl = "\n\r"                r = Style.RESET_ALL                log.msg("NNY!")                prompt = self.game.buffer                self.queue_game.put(                    r                    + nl                    + Style.BRIGHT                    + "Proxy:"                    + Style.RESET_ALL                    + " I can't activate at this time."                    + nl                )                self.queue_game.put(prompt)                self.queue_player.put("\a")                # self.observer.emit("notyet", prompt)    def connectionLost(self, why):        log.msg("lost connection %s" % why)        self.observer.emit("close", 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()
 |