tcp-proxy.py 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598
  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. # This isn't the best configuration, but it's simple
  15. # and works. Mostly.
  16. try:
  17. from config_dev import *
  18. except ModuleNotFoundError:
  19. from config import *
  20. # Extract the version information from git.
  21. # The match gives us only tags starting with v[0-9]* Using anything else trips up on double digits.
  22. version = check_output(
  23. [
  24. "git",
  25. "describe",
  26. "--abbrev=8",
  27. "--long",
  28. "--tags",
  29. "--dirty",
  30. "--always",
  31. "--match",
  32. "v[0-9]*",
  33. ],
  34. universal_newlines=True,
  35. ).strip()
  36. def merge(color_string):
  37. """ Given a string of colorama ANSI, merge them if you can. """
  38. return color_string.replace("m\x1b[", ";")
  39. # https://en.wikipedia.org/wiki/ANSI_escape_code
  40. # Cleans all ANSI
  41. cleaner = re.compile(r"\x1b\[[0-9;]*[A-Zmh]")
  42. # Looks for ANSI (that should be considered to be a newline)
  43. # This needs to see what is send when something enters / leaves
  44. # the player's current sector. (That doesn't work/isn't
  45. # detected. NNY!) It is "\x1b[K" Erase in Line!
  46. makeNL = re.compile(r"\x1b\[[0-9;]*[JK]")
  47. def treatAsNL(line):
  48. """ Replace any ANSI codes that would be better understood as newlines. """
  49. global makeNL
  50. return makeNL.sub("\n", line)
  51. def cleanANSI(line):
  52. """ Remove all ANSI codes. """
  53. global cleaner
  54. return cleaner.sub("", line)
  55. # return re.sub(r'\x1b\[([0-9,A-Z]{1,2}(;[0-9]{1,2})?(;[0-9]{3})?)?[m|K]?', '', line)
  56. class Observer(object):
  57. def __init__(self):
  58. self.dispatch = {}
  59. def emit(self, signal, message):
  60. """ emit a signal, return True if sent somewhere. """
  61. if signal in self.dispatch:
  62. # something to do
  63. ret = False
  64. for listener in self.dispatch[signal]:
  65. ret = True
  66. reactor.callLater(0, listener, message)
  67. return ret
  68. return False
  69. def connect(self, signal, func):
  70. """ Connect a signal to a given function. """
  71. if not signal in self.dispatch:
  72. self.dispatch[signal] = []
  73. self.dispatch[signal].append(func)
  74. def disconnect(self, signal, func):
  75. """ Disconnect a signal with a certain function. """
  76. if signal in self.dispatch:
  77. self.dispatch[signal].remove(func)
  78. if len(self.dispatch[signal]) == 0:
  79. self.dispatch.pop(signal)
  80. def get_funcs(self, signal):
  81. """ Gives a copy of the dispatch for a given signal. """
  82. if signal in self.dispatch:
  83. return list(self.dispatch[signal])
  84. else:
  85. return []
  86. def set_funcs(self, signal, funcs):
  87. """ Replaces the dispatch for a given signal. """
  88. if signal in self.dispatch:
  89. if len(funcs) == 0:
  90. self.dispatch.pop(signal)
  91. else:
  92. self.dispatch = list(funcs)
  93. else:
  94. if len(funcs) != 0:
  95. self.dispatch = list(funcs)
  96. class MCP(object):
  97. def __init__(self, game):
  98. self.game = game
  99. self.queue_game = None
  100. # we don't have this .. yet!
  101. self.prompt = None
  102. self.observer = None
  103. self.keepalive = None
  104. # Port Data
  105. self.portdata = None
  106. self.portcycle = None
  107. def finishSetup(self):
  108. # if self.queue_game is None:
  109. self.queue_game = self.game.queue_game
  110. # if self.observer is None:
  111. self.observer = self.game.observer
  112. self.observer.connect("hotkey", self.activate)
  113. self.observer.connect("notyet", self.notyet)
  114. def notyet(self, _):
  115. """ No, not yet! """
  116. nl = "\n\r"
  117. r = Style.RESET_ALL
  118. log.msg("NNY!")
  119. prompt = self.game.buffer
  120. self.queue_game.put(r + nl + "Proxy: I can't activate at this time." + nl)
  121. self.queue_game.put(prompt)
  122. def stayAwake(self):
  123. """ Send a space to the game to keep it alive/don't timeout. """
  124. log.msg("Gameserver, stay awake.")
  125. self.game.queue_player.put(" ")
  126. def startAwake(self):
  127. self.keepalive = task.LoopingCall(self.stayAwake)
  128. self.keepalive.start(30)
  129. def activate(self, _):
  130. log.msg("MCP menu called.")
  131. # We want the raw one, not the ANSI cleaned getPrompt.
  132. prompt = self.game.buffer
  133. if not self.prompt is None:
  134. # silly, we're already active
  135. log.msg("I think we're already active. Ignoring request.")
  136. return
  137. # Or will the caller setup/restore the prompt?
  138. self.prompt = prompt
  139. # queue_game = to player
  140. self.displayMenu()
  141. self.observer.connect("player", self.fromPlayer)
  142. # TODO: Add background "keepalive" event so the game doesn't time out on us.
  143. self.startAwake()
  144. # self.keepalive = task.LoopingCall(self.stayAwake)
  145. # self.keepalive.start(30)
  146. def displayMenu(self):
  147. nl = "\n\r"
  148. c = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE)
  149. r = Style.RESET_ALL
  150. c1 = merge(Style.BRIGHT + Fore.BLUE)
  151. c2 = merge(Style.NORMAL + Fore.BLUE)
  152. self.queue_game.put(nl + c + "TradeWars Proxy active." + r + nl)
  153. self.queue_game.put(
  154. " " + c1 + "T" + c2 + " - " + c1 + "Display current Time" + nl
  155. )
  156. self.queue_game.put(" " + c1 + "P" + c2 + " - " + c1 + "Port CIM Report" + nl)
  157. self.queue_game.put(" " + c1 + "X" + c2 + " - " + c1 + "eXit" + nl)
  158. self.queue_game.put(" " + c + "-=>" + r + " ")
  159. def fromPlayer(self, chunk):
  160. """ Data from player (in bytes). """
  161. chunk = chunk.decode("utf-8", "ignore")
  162. nl = "\n\r"
  163. c = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE)
  164. r = Style.RESET_ALL
  165. c1 = merge(Style.BRIGHT + Fore.BLUE)
  166. c2 = merge(Style.NORMAL + Fore.BLUE)
  167. key = chunk.upper()
  168. if key == "T":
  169. self.queue_game.put(c + key + r + nl)
  170. now = pendulum.now()
  171. log.msg("Time")
  172. self.queue_game.put(
  173. nl + c1 + "It is currently " + now.to_datetime_string() + "." + nl
  174. )
  175. self.displayMenu()
  176. elif key == "P":
  177. log.msg("Port")
  178. self.queue_game.put(c + key + r + nl)
  179. self.portReport()
  180. # self.queue_game.put(nl + c + "NO, NOT YET!" + r + nl)
  181. # self.displayMenu()
  182. elif key == 'D':
  183. self.queue_game.put(nl + "Diagnostics" + nl + "portdata:" + nl + repr(self.portdata) + nl)
  184. self.displayMenu()
  185. elif key == "X":
  186. log.msg('"Quit, return to "normal". (Whatever that means!)')
  187. self.queue_game.put(c + key + r + nl)
  188. self.observer.disconnect("player", self.fromPlayer)
  189. self.queue_game.put(nl + c1 + "Returning to game" + c2 + "..." + r + nl)
  190. self.queue_game.put(self.prompt)
  191. self.prompt = None
  192. self.keepalive.stop()
  193. self.keepalive = None
  194. self.game.to_player = True
  195. else:
  196. if key.isprintable():
  197. self.queue_game.put(r + nl)
  198. self.queue_game.put("Excuse me? I don't understand '" + key + "'." + nl)
  199. self.displayMenu()
  200. def portReport(self):
  201. """ Activate CIM and request Port Report """
  202. self.game.to_player = False
  203. self.portdata = None
  204. self.observer.connect('prompt', self.portPrompt)
  205. self.observer.connect('game-line', self.portParse)
  206. self.game.queue_player.put("^")
  207. def portPrompt(self, prompt):
  208. if prompt == ': ':
  209. log.msg("CIM Prompt")
  210. if self.portdata is None:
  211. log.msg("R - Port Report")
  212. self.portdata = dict()
  213. self.game.queue_player.put("R")
  214. self.portcycle = cycle(['/', '-', '\\', '|'])
  215. self.queue_game.put(' ')
  216. else:
  217. log.msg("Q - Quit")
  218. self.game.queue_player.put("Q")
  219. self.portcycle = None
  220. def portBS(self, info):
  221. if info[0] == '-':
  222. bs = 'B'
  223. else:
  224. bs = 'S'
  225. return (bs, int(info[1:].strip()))
  226. def portParse(self, line):
  227. if line == '':
  228. return
  229. if line == ': ':
  230. return
  231. log.msg("parse line:", line)
  232. if line.startswith('Command [TL='):
  233. return
  234. if line == ': ENDINTERROG':
  235. log.msg("CIM Done")
  236. log.msg(self.portdata)
  237. self.queue_game.put("\x08 \x08" + "\n\r")
  238. self.observer.disconnect('prompt', self.portPrompt)
  239. self.observer.disconnect('game-line', self.portParse)
  240. self.game.to_player = True
  241. # self.keepalive.start(30)
  242. self.startAwake()
  243. self.displayMenu()
  244. return
  245. # Give some sort of feedback to the user.
  246. if self.portcycle:
  247. if len(self.portdata) % 10 == 0:
  248. self.queue_game.put("\x08" + next(self.portcycle))
  249. # Ok, we need to parse this line
  250. # 436 2870 100% - 1520 100% - 2820 100%
  251. # 2 1950 100% - 1050 100% 2780 100%
  252. # 5 2800 100% - 2330 100% - 1230 100%
  253. # 8 2890 100% 1530 100% - 2310 100%
  254. # 9 - 2160 100% 2730 100% - 2120 100%
  255. # 324 - 2800 100% 2650 100% - 2490 100%
  256. # 492 990 100% 900 100% 1660 100%
  257. # 890 1920 100% - 2140 100% 1480 100%
  258. # 1229 - 2870 100% - 1266 90% 728 68%
  259. # 1643 - 3000 100% - 3000 100% - 3000 100%
  260. # 1683 - 1021 97% 1460 100% - 2620 100%
  261. # 1898 - 1600 100% - 1940 100% - 1860 100%
  262. # 2186 1220 100% - 900 100% - 1840 100%
  263. # 2194 2030 100% - 1460 100% - 1080 100%
  264. # 2577 2810 100% - 1550 100% - 2350 100%
  265. # 2629 2570 100% - 2270 100% - 1430 100%
  266. # 3659 - 1720 100% 1240 100% - 2760 100%
  267. # 3978 - 920 100% 2560 100% - 2590 100%
  268. # 4302 348 25% - 2530 100% - 316 23%
  269. # 4516 - 1231 60% - 1839 75% 7 0%
  270. work = line.replace('%', '')
  271. parts = re.split(r"(?<=\d)\s", work)
  272. if len(parts) == 8:
  273. port = int(parts[0].strip())
  274. data = dict()
  275. data['fuel'] = dict( )
  276. data['fuel']['sale'], data['fuel']['units'] = self.portBS(parts[1])
  277. data['fuel']['pct'] = int(parts[2].strip())
  278. data['org'] = dict( )
  279. data['org']['sale'], data['org']['units'] = self.portBS(parts[3])
  280. data['org']['pct'] = int(parts[4].strip())
  281. data['equ'] = dict( )
  282. data['equ']['sale'], data['equ']['units'] = self.portBS(parts[5])
  283. data['equ']['pct'] = int(parts[6].strip())
  284. self.portdata[port] = data
  285. else:
  286. self.queue_game.put("?")
  287. log.msg("Line in question is: [{0}].".format(line))
  288. log.msg(repr(parts))
  289. class Game(protocol.Protocol):
  290. def __init__(self):
  291. self.buffer = ""
  292. self.game = None
  293. self.usergame = (None, None)
  294. self.to_player = True
  295. self.mcp = MCP(self)
  296. def connectionMade(self):
  297. log.msg("Connected to Game Server")
  298. self.queue_player = self.factory.queue_player
  299. self.queue_game = self.factory.queue_game
  300. self.observer = self.factory.observer
  301. self.factory.game = self
  302. self.setPlayerReceived()
  303. self.observer.connect("user-game", self.show_game)
  304. self.mcp.finishSetup()
  305. def show_game(self, game):
  306. self.usergame = game
  307. log.msg("## User-Game:", game)
  308. def setPlayerReceived(self):
  309. """ Get deferred from client queue, callback clientDataReceived. """
  310. self.queue_player.get().addCallback(self.playerDataReceived)
  311. def playerDataReceived(self, chunk):
  312. if chunk is False:
  313. self.queue_player = None
  314. log.msg("Player: disconnected, close connection to game")
  315. # I don't believe I need this if I'm using protocol.Factory
  316. self.factory.continueTrying = False
  317. self.transport.loseConnection()
  318. else:
  319. # Pass received data to the server
  320. if type(chunk) == str:
  321. self.transport.write(chunk.encode())
  322. else:
  323. self.transport.write(chunk)
  324. self.setPlayerReceived()
  325. def lineReceived(self, line):
  326. """ line received from the game. """
  327. if LOG_LINES:
  328. log.msg(">> [{0}]".format(line))
  329. if "TWGS v2.20b" in line and "www.eisonline.com" in line:
  330. self.queue_game.put(
  331. "TWGS Proxy build "
  332. + version
  333. + " is active. \x1b[1;34m~\x1b[0m to activate.\n\r\n\r",
  334. )
  335. if "TradeWars Game Server" in line and "Copyright (C) EIS" in line:
  336. # We are not in a game
  337. if not self.game is None:
  338. # We were in a game.
  339. self.game = None
  340. self.observer.emit("user-game", (self.factory.player.user, self.game))
  341. if "Selection (? for menu): " in line:
  342. game = line[-1]
  343. if game >= "A" and game < "Q":
  344. self.game = game
  345. log.msg("Game: {0}".format(self.game))
  346. self.observer.emit("user-game", (self.factory.player.user, self.game))
  347. self.observer.emit("game-line", line)
  348. def getPrompt(self):
  349. """ Return the current prompt, stripped of ANSI. """
  350. return cleanANSI(self.buffer)
  351. def dataReceived(self, chunk):
  352. """ Data received from the Game.
  353. Remove backspaces.
  354. Treat some ANSI codes as NewLine.
  355. Remove ANSI.
  356. Break into lines.
  357. Trim out carriage returns.
  358. Call lineReceived().
  359. "Optionally" pass data to player.
  360. FUTURE: trigger on prompt. [cleanANSI(buffer)]
  361. """
  362. # Sequence error:
  363. # If I don't put the chunk(I received) to the player.
  364. # anything I display -- lineReceive() put() ... would
  365. # be out of order. (I'd be responding -- before it
  366. # was displayed to the user.)
  367. if self.to_player:
  368. self.queue_game.put(chunk)
  369. self.buffer += chunk.decode("utf-8", "ignore")
  370. # Process any backspaces
  371. while "\x08" in self.buffer:
  372. part = self.buffer.partition("\x08")
  373. self.buffer = part[0][:-1] + part[2]
  374. # Treat some ANSI codes as a newline
  375. self.buffer = treatAsNL(self.buffer)
  376. # Break into lines
  377. while "\n" in self.buffer:
  378. part = self.buffer.partition("\n")
  379. line = part[0].replace("\r", "")
  380. # Clean ANSI codes from line
  381. line = cleanANSI(line)
  382. self.lineReceived(line)
  383. self.buffer = part[2]
  384. self.observer.emit("prompt", self.getPrompt())
  385. def connectionLost(self, why):
  386. log.msg("Game connectionLost because: %s" % why)
  387. self.queue_game.put(False)
  388. self.transport.loseConnection()
  389. class GlueFactory(protocol.ClientFactory):
  390. # class GlueFactory(protocol.Factory):
  391. maxDelay = 10
  392. protocol = Game
  393. def __init__(self, player):
  394. self.player = player
  395. self.queue_player = player.queue_player
  396. self.queue_game = player.queue_game
  397. self.observer = player.observer
  398. self.game = None
  399. def closeIt(self):
  400. log.msg("closeIt")
  401. self.queue_game.put(False)
  402. def getUser(self, user):
  403. log.msg("getUser( %s )" % user)
  404. self.twgs.logUser(user)
  405. # This was needed when I replaced ClientFactory with Factory.
  406. # def clientConnectionLost(self, connector, why):
  407. # log.msg("clientconnectionlost: %s" % why)
  408. # self.queue_client.put(False)
  409. def clientConnectionFailed(self, connector, why):
  410. log.msg("connection to game failed: %s" % why)
  411. self.queue_game.put(b"Sorry! I'm Unable to connect to the game server.\r\n")
  412. # syncterm gets cranky/locks up if we close this here.
  413. # (Because it is still sending rlogin information?)
  414. reactor.callLater(2, self.closeIt)
  415. class Player(protocol.Protocol):
  416. def __init__(self):
  417. self.buffer = ""
  418. self.user = None
  419. self.observer = Observer()
  420. self.game = None
  421. self.glue = None
  422. def connectionMade(self):
  423. """ connected, setup queues.
  424. queue_player is data from player.
  425. queue_game is data to player. (possibly from game)
  426. """
  427. self.queue_player = defer.DeferredQueue()
  428. self.queue_game = defer.DeferredQueue()
  429. self.setGameReceived()
  430. # Connect GlueFactory to this Player object.
  431. factory = GlueFactory(self)
  432. self.glue = factory
  433. # Make connection to the game server
  434. reactor.connectTCP(HOST, PORT, factory, 5)
  435. def setGameReceived(self):
  436. """ Get deferred from client queue, callback clientDataReceived. """
  437. self.queue_game.get().addCallback(self.gameDataReceived)
  438. def gameDataReceived(self, chunk):
  439. """ Data received from the game. """
  440. # If we have received game data, it has to be connected.
  441. if self.game is None:
  442. self.game = self.glue.game
  443. if chunk is False:
  444. self.transport.loseConnection()
  445. else:
  446. if type(chunk) == bytes:
  447. self.transport.write(chunk)
  448. elif type(chunk) == str:
  449. self.transport.write(chunk.encode())
  450. else:
  451. log.err("gameDataReceived: type (%s) given!", type(chunk))
  452. self.transport.write(chunk)
  453. self.setGameReceived()
  454. def dataReceived(self, chunk):
  455. if self.user is None:
  456. self.buffer += chunk.decode("utf-8", "ignore")
  457. parts = self.buffer.split("\x00")
  458. if len(parts) >= 5:
  459. # rlogin we have the username
  460. self.user = parts[1]
  461. log.msg("User: {0}".format(self.user))
  462. zpos = self.buffer.rindex("\x00")
  463. self.buffer = self.buffer[zpos + 1 :]
  464. # but I don't need the buffer anymore, so:
  465. self.buffer = ""
  466. # Pass user value on to whatever needs it.
  467. self.observer.emit("user", self.user)
  468. # Unfortunately, the ones interested in this don't exist yet.
  469. if not self.observer.emit("player", chunk):
  470. # Was not dispatched. Send to game.
  471. self.queue_player.put(chunk)
  472. if chunk == b"~":
  473. if self.game:
  474. prompt = self.game.getPrompt()
  475. if "Selection (? for menu)" in prompt:
  476. self.observer.emit("notyet", prompt)
  477. if "Enter your choice:" in prompt:
  478. self.observer.emit("notyet", prompt)
  479. if re.match(r"Computer command \[TL=.* \(\?=Help\)\? :", prompt):
  480. self.observer.emit("notyet", prompt)
  481. if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  482. self.observer.emit("hotkey", prompt)
  483. # Selection (? for menu): (the game server menu)
  484. # Enter your choice: (game menu)
  485. # Command [TL=00:00:00]:[1800] (?=Help)? : <- YES!
  486. # Computer command [TL=00:00:00]:[613] (?=Help)?
  487. def connectionLost(self, why):
  488. log.msg("lost connection %s" % why)
  489. self.queue_player.put(False)
  490. def connectionFailed(self, why):
  491. log.msg("connectionFailed: %s" % why)
  492. if __name__ == "__main__":
  493. if LOGFILE:
  494. log.startLogging(DailyLogFile("proxy.log", "."))
  495. else:
  496. log.startLogging(sys.stdout)
  497. log.msg("This is version: %s" % version)
  498. factory = protocol.Factory()
  499. factory.protocol = Player
  500. reactor.listenTCP(LISTEN_PORT, factory, interface=LISTEN_ON)
  501. reactor.run()