tcp-proxy.py 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578
  1. #!/usr/bin/env python3
  2. import sys
  3. import re
  4. from twisted.internet import defer
  5. from twisted.internet import protocol
  6. from twisted.internet import reactor
  7. from twisted.internet import task
  8. from twisted.python import log
  9. from twisted.python.logfile import DailyLogFile
  10. import pendulum
  11. from subprocess import check_output
  12. from colorama import Fore, Back, Style
  13. from itertools import cycle
  14. from deprecated import deprecated
  15. from pprint import pformat
  16. # This isn't the best configuration, but it's simple
  17. # and works. Mostly.
  18. try:
  19. from config_dev import *
  20. except ModuleNotFoundError:
  21. from config import *
  22. # Extract the version information from git.
  23. # The match gives us only tags starting with v[0-9]* Using anything else trips up on double digits.
  24. version = check_output(
  25. [
  26. "git",
  27. "describe",
  28. "--abbrev=8",
  29. "--long",
  30. "--tags",
  31. "--dirty",
  32. "--always",
  33. "--match",
  34. "v[0-9]*",
  35. ],
  36. universal_newlines=True,
  37. ).strip()
  38. def merge(color_string):
  39. """ Given a string of colorama ANSI, merge them if you can. """
  40. return color_string.replace("m\x1b[", ";")
  41. # https://en.wikipedia.org/wiki/ANSI_escape_code
  42. # Cleans all ANSI
  43. cleaner = re.compile(r"\x1b\[[0-9;]*[A-Zmh]")
  44. # Looks for ANSI (that should be considered to be a newline)
  45. # This needs to see what is send when something enters / leaves
  46. # the player's current sector. (That doesn't work/isn't
  47. # detected. NNY!) It is "\x1b[K" Erase in Line!
  48. makeNL = re.compile(r"\x1b\[[0-9;]*[JK]")
  49. def treatAsNL(line):
  50. """ Replace any ANSI codes that would be better understood as newlines. """
  51. global makeNL
  52. return makeNL.sub("\n", line)
  53. def cleanANSI(line):
  54. """ Remove all ANSI codes. """
  55. global cleaner
  56. return cleaner.sub("", line)
  57. # return re.sub(r'\x1b\[([0-9,A-Z]{1,2}(;[0-9]{1,2})?(;[0-9]{3})?)?[m|K]?', '', line)
  58. PORT_CLASSES = { 1: 'BBS', 2: 'BSB', 3: 'SBB', 4:'SSB', 5:'SBS', 6:'BSS', 7:'SSS', 8:'BBB'}
  59. CLASSES_PORT = { v: k for k,v in PORT_CLASSES.items() }
  60. from observer import Observer
  61. class PlayerInput(object):
  62. def __init__(self, game):
  63. # I think game gives us access to everything we need
  64. self.game = game
  65. self.observer = self.game.observer
  66. self.save = None
  67. self.deferred = None
  68. self.queue_game = game.queue_game
  69. # default colors, and useful consts
  70. self.c = merge(Style.BRIGHT + Fore.WHITE + Back.BLUE)
  71. self.r = Style.RESET_ALL
  72. self.nl = "\n\r"
  73. self.bsb = "\b \b"
  74. self.keepalive = None
  75. def color(self, c):
  76. self.c = c
  77. def alive(self):
  78. log.msg("PlayerInput.alive()")
  79. self.game.queue_player.put(" ")
  80. def prompt(self, prompt, limit, default=''):
  81. log.msg("PlayerInput({0}, {1}, {2}".format(prompt, limit, default))
  82. self.prompt = prompt
  83. self.limit = limit
  84. self.default = default
  85. self.input = ''
  86. assert(self.save is None)
  87. assert(self.keepalive is None)
  88. # Note: This clears out the server "keep alive"
  89. self.save = self.observer.save()
  90. self.observer.connect('player', self.get_input)
  91. self.keepalive = task.LoopingCall(self.alive)
  92. self.keepalive.start(30)
  93. # We need to "hide" the game output.
  94. # Otherwise it WITH mess up the user input display.
  95. self.to_player = self.game.to_player
  96. self.game.to_player = False
  97. # Display prompt
  98. self.queue_game.put(self.r + self.nl + self.c + prompt)
  99. # Set "Background of prompt"
  100. self.queue_game.put( " " * limit + "\b" * limit)
  101. assert(self.deferred is None)
  102. d = defer.Deferred()
  103. self.deferred = d
  104. log.msg("Return deferred ...", self.deferred)
  105. return d
  106. def get_input(self, chunk):
  107. """ Data from player (in bytes) """
  108. chunk = chunk.decode('utf-8', 'ignore')
  109. for ch in chunk:
  110. if ch == "\b":
  111. if len(self.input) > 0:
  112. self.queue_game.put(self.bsb)
  113. self.input = self.input[0:-1]
  114. else:
  115. self.queue_game.put("\a")
  116. if ch == "\r":
  117. self.queue_game.put(self.r + self.nl)
  118. log.msg("Restore observer dispatch", self.save)
  119. assert(not self.save is None)
  120. self.observer.load(self.save)
  121. self.save = None
  122. log.msg("Disable keepalive")
  123. self.keepalive.stop()
  124. self.keepalive = None
  125. line = self.input
  126. self.input = ''
  127. assert(not self.deferred is None)
  128. # Ok, use deferred.callback, or reactor.callLater?
  129. # self.deferred.callback(line)
  130. reactor.callLater(0, self.deferred.callback, line)
  131. self.deferred = None
  132. if ch.isprintable():
  133. if len(self.input) + 1 <= self.limit:
  134. self.input += ch
  135. self.queue_game.put(ch)
  136. else:
  137. self.queue_game.put("\a")
  138. def output(self, line):
  139. """ A default display of what they just input. """
  140. log.msg("PlayerInput.output({0})".format(line))
  141. self.game.queue_game.put(self.r + self.nl + "[{0}]".format(line) + self.nl)
  142. return line
  143. class ProxyMenu(object):
  144. def __init__(self, game):
  145. self.nl = "\n\r"
  146. self.c = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE)
  147. self.r = Style.RESET_ALL
  148. self.c1 = merge(Style.BRIGHT + Fore.BLUE)
  149. self.c2 = merge(Style.NORMAL + Fore.BLUE)
  150. self.game = game
  151. self.queue_game = game.queue_game
  152. self.observer = game.observer
  153. # Yes, at this point we would activate
  154. self.prompt = game.buffer
  155. self.save = self.observer.save()
  156. self.observer.connect("player", self.player)
  157. # If we want it, it's here.
  158. self.defer = None
  159. self.keepalive = task.LoopingCall(self.awake)
  160. self.keepalive.start(30)
  161. self.menu()
  162. def __del__(self):
  163. log.msg("ProxyMenu {0} RIP".format(self))
  164. def whenDone(self):
  165. self.defer = defer.Deferred()
  166. # Call this to chain something after we exit.
  167. return self.defer
  168. def menu(self):
  169. self.queue_game.put(self.nl + self.c + "TradeWars Proxy active." + self.r + self.nl)
  170. def menu_item(ch, desc):
  171. self.queue_game.put(" " + self.c1 + ch + self.c2 + " - " + self.c1 + desc + self.nl)
  172. self.queue_game.put(" " + self.c1 + "D" + self.c2 + " - " + self.c1 + "Diagnostics" + self.nl)
  173. menu_item("Q", "Quest")
  174. menu_item("T", "Display current Time")
  175. self.queue_game.put(" " + self.c1 + "P" + self.c2 + " - " + self.c1 + "Port CIM Report" + self.nl)
  176. self.queue_game.put(" " + self.c1 + "S" + self.c2 + " - " + self.c1 + "Scripts" + self.nl)
  177. self.queue_game.put(" " + self.c1 + "X" + self.c2 + " - " + self.c1 + "eXit" + self.nl)
  178. self.queue_game.put(" " + self.c + "-=>" + self.r + " ")
  179. def awake(self):
  180. log.msg("ProxyMenu.awake()")
  181. self.game.queue_player.put(" ")
  182. def player(self, chunk):
  183. """ Data from player (in bytes). """
  184. chunk = chunk.decode("utf-8", 'ignore')
  185. key = chunk.upper()
  186. log.msg("ProxyMenu.player({0})".format(key))
  187. # Stop the keepalive if we are activating something else
  188. # or leaving...
  189. self.keepalive.stop()
  190. if key == "T":
  191. self.queue_game.put(self.c + key + self.r + self.nl)
  192. # perform T option
  193. now = pendulum.now()
  194. self.queue_game.put(self.nl + self.c1 + "Current time " + now.to_datetime_string() + self.nl)
  195. elif key == 'Q':
  196. self.queue_game.put(self.c + key + self.r + self.nl)
  197. # Ok, keepalive is stop(), and we are leaving this.
  198. # So, when the PlayerInput is done, have it call welcome_back,
  199. # which reinstates keepalive, and displays the menu.
  200. ask = PlayerInput(self.game)
  201. d = ask.prompt("What is your quest? ", 20)
  202. # Display the user's input
  203. d.addCallback(ask.output)
  204. # To "return" to the ProxyMenu, call self.welcome_back
  205. d.addCallback(self.welcome_back)
  206. return
  207. elif key == 'X':
  208. self.queue_game.put(self.c + key + self.r + self.nl)
  209. self.observer.load(self.save)
  210. self.save = None
  211. # It isn't running (NOW), so don't try to stop it.
  212. # self.keepalive.stop()
  213. self.keepalive = None
  214. self.queue_game.put(self.prompt)
  215. self.prompt = None
  216. # Were we asked to do something when we were done here?
  217. if self.defer:
  218. reactor.CallLater(0, self.defer.callback)
  219. # self.defer.callback()
  220. self.defer = None
  221. return
  222. self.keepalive.start(30, True)
  223. self.menu()
  224. def welcome_back(self, _):
  225. log.msg("welcome_back")
  226. self.keepalive.start(30, True)
  227. self.menu()
  228. from mcp import MCP
  229. class Game(protocol.Protocol):
  230. def __init__(self):
  231. self.buffer = ""
  232. self.game = None
  233. self.usergame = (None, None)
  234. self.to_player = True
  235. self.mcp = MCP(self)
  236. def connectionMade(self):
  237. log.msg("Connected to Game Server")
  238. self.queue_player = self.factory.queue_player
  239. self.queue_game = self.factory.queue_game
  240. self.observer = self.factory.observer
  241. self.factory.game = self
  242. self.setPlayerReceived()
  243. self.observer.connect("user-game", self.show_game)
  244. self.mcp.finishSetup()
  245. def show_game(self, game):
  246. self.usergame = game
  247. log.msg("## User-Game:", game)
  248. def setPlayerReceived(self):
  249. """ Get deferred from client queue, callback clientDataReceived. """
  250. self.queue_player.get().addCallback(self.playerDataReceived)
  251. def playerDataReceived(self, chunk):
  252. if chunk is False:
  253. self.queue_player = None
  254. log.msg("Player: disconnected, close connection to game")
  255. # I don't believe I need this if I'm using protocol.Factory
  256. self.factory.continueTrying = False
  257. self.transport.loseConnection()
  258. else:
  259. # Pass received data to the server
  260. if type(chunk) == str:
  261. self.transport.write(chunk.encode())
  262. else:
  263. self.transport.write(chunk)
  264. self.setPlayerReceived()
  265. def lineReceived(self, line):
  266. """ line received from the game. """
  267. if LOG_LINES:
  268. log.msg(">> [{0}]".format(line))
  269. # if "TWGS v2.20b" in line and "www.eisonline.com" in line:
  270. # I would still love to "inject" this into the stream
  271. # so it is consistent.
  272. # self.queue_game.put(
  273. # "TWGS Proxy build "
  274. # + version
  275. # + " is active. \x1b[1;34m~\x1b[0m to activate.\n\r\n\r",
  276. # )
  277. if "TradeWars Game Server" in line and "Copyright (C) EIS" in line:
  278. # We are not in a game
  279. if not self.game is None:
  280. # We were in a game.
  281. self.game = None
  282. self.observer.emit("user-game", (self.factory.player.user, self.game))
  283. if "Selection (? for menu): " in line:
  284. game = line[-1]
  285. if game >= "A" and game < "Q":
  286. self.game = game
  287. log.msg("Game: {0}".format(self.game))
  288. self.observer.emit("user-game", (self.factory.player.user, self.game))
  289. self.observer.emit("game-line", line)
  290. def getPrompt(self):
  291. """ Return the current prompt, stripped of ANSI. """
  292. return cleanANSI(self.buffer)
  293. def dataReceived(self, chunk):
  294. """ Data received from the Game.
  295. Remove backspaces.
  296. Treat some ANSI codes as NewLine.
  297. Remove ANSI.
  298. Break into lines.
  299. Trim out carriage returns.
  300. Call lineReceived().
  301. "Optionally" pass data to player.
  302. FUTURE: trigger on prompt. [cleanANSI(buffer)]
  303. """
  304. # Store the text into the buffer before we inject into it.
  305. self.buffer += chunk.decode("utf-8", "ignore")
  306. # log.msg("data: [{0}]".format(repr(chunk)))
  307. if b'TWGS v2.20b' in chunk and b'www.eisonline.com' in chunk:
  308. # Ok, we have a possible target.
  309. target = b'www.eisonline.com\n\r'
  310. pos = chunk.find(target)
  311. if pos != -1:
  312. # Found it! Inject!
  313. message = "TWGS Proxy build " + version + ". ~ to activate in game.\n\r"
  314. chunk = chunk[0:pos + len(target)] + message.encode() + chunk[pos + len(target):]
  315. # Sequence error:
  316. # If I don't put the chunk(I received) to the player.
  317. # anything I display -- lineReceive() put() ... would
  318. # be out of order. (I'd be responding -- before it
  319. # was displayed to the user.)
  320. if self.to_player:
  321. self.queue_game.put(chunk)
  322. # self.buffer += chunk.decode("utf-8", "ignore")
  323. #
  324. # Begin processing the buffer
  325. #
  326. # Process any backspaces
  327. while "\b" in self.buffer:
  328. part = self.buffer.partition("\b")
  329. self.buffer = part[0][:-1] + part[2]
  330. # Treat some ANSI codes as a newline
  331. self.buffer = treatAsNL(self.buffer)
  332. # Break into lines
  333. while "\n" in self.buffer:
  334. part = self.buffer.partition("\n")
  335. line = part[0].replace("\r", "")
  336. # Clean ANSI codes from line
  337. line = cleanANSI(line)
  338. self.lineReceived(line)
  339. self.buffer = part[2]
  340. self.observer.emit("prompt", self.getPrompt())
  341. def connectionLost(self, why):
  342. log.msg("Game connectionLost because: %s" % why)
  343. self.observer.emit('close', why)
  344. self.queue_game.put(False)
  345. self.transport.loseConnection()
  346. class GlueFactory(protocol.ClientFactory):
  347. # class GlueFactory(protocol.Factory):
  348. maxDelay = 10
  349. protocol = Game
  350. def __init__(self, player):
  351. self.player = player
  352. self.queue_player = player.queue_player
  353. self.queue_game = player.queue_game
  354. self.observer = player.observer
  355. self.game = None
  356. def closeIt(self):
  357. log.msg("closeIt")
  358. self.queue_game.put(False)
  359. def getUser(self, user):
  360. log.msg("getUser( %s )" % user)
  361. self.twgs.logUser(user)
  362. # This was needed when I replaced ClientFactory with Factory.
  363. # def clientConnectionLost(self, connector, why):
  364. # log.msg("clientconnectionlost: %s" % why)
  365. # self.queue_client.put(False)
  366. def clientConnectionFailed(self, connector, why):
  367. log.msg("connection to game failed: %s" % why)
  368. self.queue_game.put(b"Sorry! I'm Unable to connect to the game server.\r\n")
  369. # syncterm gets cranky/locks up if we close this here.
  370. # (Because it is still sending rlogin information?)
  371. reactor.callLater(2, self.closeIt)
  372. class Player(protocol.Protocol):
  373. def __init__(self):
  374. self.buffer = ""
  375. self.user = None
  376. self.observer = Observer()
  377. self.game = None
  378. self.glue = None
  379. def connectionMade(self):
  380. """ connected, setup queues.
  381. queue_player is data from player.
  382. queue_game is data to player. (possibly from game)
  383. """
  384. self.queue_player = defer.DeferredQueue()
  385. self.queue_game = defer.DeferredQueue()
  386. self.setGameReceived()
  387. # Connect GlueFactory to this Player object.
  388. factory = GlueFactory(self)
  389. self.glue = factory
  390. # Make connection to the game server
  391. reactor.connectTCP(HOST, PORT, factory, 5)
  392. def setGameReceived(self):
  393. """ Get deferred from client queue, callback clientDataReceived. """
  394. self.queue_game.get().addCallback(self.gameDataReceived)
  395. def gameDataReceived(self, chunk):
  396. """ Data received from the game. """
  397. # If we have received game data, it has to be connected.
  398. if self.game is None:
  399. self.game = self.glue.game
  400. if chunk is False:
  401. self.transport.loseConnection()
  402. else:
  403. if type(chunk) == bytes:
  404. self.transport.write(chunk)
  405. elif type(chunk) == str:
  406. self.transport.write(chunk.encode())
  407. else:
  408. log.err("gameDataReceived: type (%s) given!", type(chunk))
  409. self.transport.write(chunk)
  410. self.setGameReceived()
  411. def dataReceived(self, chunk):
  412. if self.user is None:
  413. self.buffer += chunk.decode("utf-8", "ignore")
  414. parts = self.buffer.split("\x00")
  415. if len(parts) >= 5:
  416. # rlogin we have the username
  417. self.user = parts[1]
  418. log.msg("User: {0}".format(self.user))
  419. zpos = self.buffer.rindex("\x00")
  420. self.buffer = self.buffer[zpos + 1 :]
  421. # but I don't need the buffer anymore, so:
  422. self.buffer = ""
  423. # Pass user value on to whatever needs it.
  424. self.observer.emit("user", self.user)
  425. # Unfortunately, the ones interested in this don't exist yet.
  426. if not self.observer.emit("player", chunk):
  427. # Was not dispatched. Send to game.
  428. self.queue_player.put(chunk)
  429. else:
  430. # There's an observer. Don't continue.
  431. return
  432. if chunk == b"~":
  433. if self.game:
  434. prompt = self.game.getPrompt()
  435. if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  436. self.observer.emit("hotkey", prompt)
  437. else:
  438. self.observer.emit("notyet", prompt)
  439. # Selection (? for menu): (the game server menu)
  440. # Enter your choice: (game menu)
  441. # Command [TL=00:00:00]:[1800] (?=Help)? : <- YES!
  442. # Computer command [TL=00:00:00]:[613] (?=Help)?
  443. if chunk == b"|":
  444. # how can I tell if this is active or not?
  445. # I no longer see a 'player' observer. GOOD!
  446. # log.msg(pformat(self.observer.dispatch))
  447. # prompt = self.game.getPrompt()
  448. # if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  449. menu = ProxyMenu(self.game)
  450. def connectionLost(self, why):
  451. log.msg("lost connection %s" % why)
  452. self.observer.emit('close', why)
  453. self.queue_player.put(False)
  454. def connectionFailed(self, why):
  455. log.msg("connectionFailed: %s" % why)
  456. if __name__ == "__main__":
  457. if LOGFILE:
  458. log.startLogging(DailyLogFile("proxy.log", "."))
  459. else:
  460. log.startLogging(sys.stdout)
  461. log.msg("This is version: %s" % version)
  462. factory = protocol.Factory()
  463. factory.protocol = Player
  464. reactor.listenTCP(LISTEN_PORT, factory, interface=LISTEN_ON)
  465. reactor.run()