tcp-proxy.py 27 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780
  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. class Observer(object):
  61. def __init__(self):
  62. self.dispatch = {}
  63. def emit(self, signal, message):
  64. """ emit a signal, return True if sent somewhere. """
  65. if signal in self.dispatch:
  66. # something to do
  67. ret = False
  68. for listener in self.dispatch[signal]:
  69. ret = True
  70. reactor.callLater(0, listener, message)
  71. return ret
  72. return False
  73. def connect(self, signal, func):
  74. """ Connect a signal to a given function. """
  75. if not signal in self.dispatch:
  76. self.dispatch[signal] = []
  77. self.dispatch[signal].append(func)
  78. def disconnect(self, signal, func):
  79. """ Disconnect a signal with a certain function. """
  80. if signal in self.dispatch:
  81. self.dispatch[signal].remove(func)
  82. if len(self.dispatch[signal]) == 0:
  83. self.dispatch.pop(signal)
  84. def save(self):
  85. """ Save the current dispatch. """
  86. ret = dict(self.dispatch)
  87. self.dispath = {}
  88. return ret
  89. def load(self, dispatch):
  90. """ Load/restore the dispatch. """
  91. self.dispatch = dict(dispatch)
  92. @deprecated("Use save/load instead.")
  93. def set_funcs(self, dispatch):
  94. """ Replaces the dispatch. """
  95. self.dispatch = dict(dispatch)
  96. @deprecated("Use save/load instead.")
  97. def get_funcs(self):
  98. """ Gives a copy of the dispatch. """
  99. return dict(self.dispatch)
  100. def get_funcs_(self, signal):
  101. """ Gives a copy of the dispatch for a given signal. """
  102. if signal in self.dispatch:
  103. return list(self.dispatch[signal])
  104. else:
  105. return []
  106. def set_funcs_(self, signal, funcs):
  107. """ Replaces the dispatch for a given signal. """
  108. if signal in self.dispatch:
  109. if len(funcs) == 0:
  110. self.dispatch.pop(signal)
  111. else:
  112. self.dispatch = list(funcs)
  113. else:
  114. if len(funcs) != 0:
  115. self.dispatch = list(funcs)
  116. class MCP(object):
  117. def __init__(self, game):
  118. self.game = game
  119. self.queue_game = None
  120. # we don't have this .. yet!
  121. self.prompt = None
  122. self.observer = None
  123. self.keepalive = None
  124. # Port Data
  125. self.portdata = None
  126. self.portcycle = None
  127. def finishSetup(self):
  128. # if self.queue_game is None:
  129. self.queue_game = self.game.queue_game
  130. # if self.observer is None:
  131. self.observer = self.game.observer
  132. self.observer.connect("hotkey", self.activate)
  133. self.observer.connect("notyet", self.notyet)
  134. def notyet(self, _):
  135. """ No, not yet! """
  136. nl = "\n\r"
  137. r = Style.RESET_ALL
  138. log.msg("NNY!")
  139. prompt = self.game.buffer
  140. self.queue_game.put(r + nl + "Proxy: I can't activate at this time." + nl)
  141. self.queue_game.put(prompt)
  142. def stayAwake(self):
  143. """ Send a space to the game to keep it alive/don't timeout. """
  144. log.msg("Gameserver, stay awake.")
  145. self.game.queue_player.put(" ")
  146. def startAwake(self):
  147. self.keepalive = task.LoopingCall(self.stayAwake)
  148. self.keepalive.start(30)
  149. def activate(self, _):
  150. log.msg("MCP menu called.")
  151. # We want the raw one, not the ANSI cleaned getPrompt.
  152. prompt = self.game.buffer
  153. if not self.prompt is None:
  154. # silly, we're already active
  155. log.msg("I think we're already active. Ignoring request.")
  156. return
  157. # Or will the caller setup/restore the prompt?
  158. self.prompt = prompt
  159. # queue_game = to player
  160. self.displayMenu()
  161. self.observer.connect("player", self.fromPlayer)
  162. # TODO: Add background "keepalive" event so the game doesn't time out on us.
  163. self.startAwake()
  164. # self.keepalive = task.LoopingCall(self.stayAwake)
  165. # self.keepalive.start(30)
  166. def displayMenu(self):
  167. nl = "\n\r"
  168. c = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE)
  169. r = Style.RESET_ALL
  170. c1 = merge(Style.BRIGHT + Fore.BLUE)
  171. c2 = merge(Style.NORMAL + Fore.BLUE)
  172. self.queue_game.put(nl + c + "TradeWars Proxy active." + r + nl)
  173. self.queue_game.put(" " + c1 + "D" + c2 + " - " + c1 + "Diagnostics" + nl)
  174. self.queue_game.put(
  175. " " + c1 + "T" + c2 + " - " + c1 + "Display current Time" + nl
  176. )
  177. self.queue_game.put(" " + c1 + "P" + c2 + " - " + c1 + "Port CIM Report" + nl)
  178. self.queue_game.put(" " + c1 + "S" + c2 + " - " + c1 + "Scripts" + nl)
  179. self.queue_game.put(" " + c1 + "X" + c2 + " - " + c1 + "eXit" + nl)
  180. self.queue_game.put(" " + c + "-=>" + r + " ")
  181. def fromPlayer(self, chunk):
  182. """ Data from player (in bytes). """
  183. chunk = chunk.decode("utf-8", "ignore")
  184. nl = "\n\r"
  185. c = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE)
  186. r = Style.RESET_ALL
  187. c1 = merge(Style.BRIGHT + Fore.BLUE)
  188. c2 = merge(Style.NORMAL + Fore.BLUE)
  189. key = chunk.upper()
  190. if key == "T":
  191. self.queue_game.put(c + key + r + nl)
  192. now = pendulum.now()
  193. log.msg("Time")
  194. self.queue_game.put(
  195. nl + c1 + "It is currently " + now.to_datetime_string() + "." + nl
  196. )
  197. self.displayMenu()
  198. elif key == "P":
  199. log.msg("Port")
  200. self.queue_game.put(c + key + r + nl)
  201. self.portReport()
  202. # self.queue_game.put(nl + c + "NO, NOT YET!" + r + nl)
  203. # self.displayMenu()
  204. elif key == "S":
  205. log.msg("Scripts")
  206. self.queue_game.put(c + key + r + nl)
  207. self.scripts()
  208. elif key == 'D':
  209. self.queue_game.put(nl + "Diagnostics" + nl + "portdata:" + nl)
  210. line = pformat(self.portdata).replace("\n", "\n\r")
  211. self.queue_game.put(line + nl)
  212. self.displayMenu()
  213. elif key == "X":
  214. log.msg('"Quit, return to "normal". (Whatever that means!)')
  215. self.queue_game.put(c + key + r + nl)
  216. self.observer.disconnect("player", self.fromPlayer)
  217. self.queue_game.put(nl + c1 + "Returning to game" + c2 + "..." + r + nl)
  218. self.queue_game.put(self.prompt)
  219. self.prompt = None
  220. self.keepalive.stop()
  221. self.keepalive = None
  222. self.game.to_player = True
  223. else:
  224. if key.isprintable():
  225. self.queue_game.put(r + nl)
  226. self.queue_game.put("Excuse me? I don't understand '" + key + "'." + nl)
  227. self.displayMenu()
  228. def portReport(self):
  229. """ Activate CIM and request Port Report """
  230. self.game.to_player = False
  231. self.portdata = None
  232. self.observer.connect('prompt', self.portPrompt)
  233. self.observer.connect('game-line', self.portParse)
  234. self.game.queue_player.put("^")
  235. def portPrompt(self, prompt):
  236. if prompt == ': ':
  237. log.msg("CIM Prompt")
  238. if self.portdata is None:
  239. log.msg("R - Port Report")
  240. self.portdata = dict()
  241. self.game.queue_player.put("R")
  242. self.portcycle = cycle(['/', '-', '\\', '|'])
  243. self.queue_game.put(' ')
  244. else:
  245. log.msg("Q - Quit")
  246. self.game.queue_player.put("Q")
  247. self.portcycle = None
  248. def portBS(self, info):
  249. if info[0] == '-':
  250. bs = 'B'
  251. else:
  252. bs = 'S'
  253. return (bs, int(info[1:].strip()))
  254. def portParse(self, line):
  255. if line == '':
  256. return
  257. if line == ': ':
  258. return
  259. log.msg("parse line:", line)
  260. if line.startswith('Command [TL='):
  261. return
  262. if line == ': ENDINTERROG':
  263. log.msg("CIM Done")
  264. log.msg(pformat(self.portdata))
  265. self.queue_game.put("\b \b" + "\n\r")
  266. self.observer.disconnect('prompt', self.portPrompt)
  267. self.observer.disconnect('game-line', self.portParse)
  268. self.game.to_player = True
  269. # self.keepalive.start(30)
  270. self.startAwake()
  271. self.displayMenu()
  272. return
  273. # Give some sort of feedback to the user.
  274. if self.portcycle:
  275. if len(self.portdata) % 10 == 0:
  276. self.queue_game.put("\b" + next(self.portcycle))
  277. # Ok, we need to parse this line
  278. # 436 2870 100% - 1520 100% - 2820 100%
  279. # 2 1950 100% - 1050 100% 2780 100%
  280. # 5 2800 100% - 2330 100% - 1230 100%
  281. # 8 2890 100% 1530 100% - 2310 100%
  282. # 9 - 2160 100% 2730 100% - 2120 100%
  283. # 324 - 2800 100% 2650 100% - 2490 100%
  284. # 492 990 100% 900 100% 1660 100%
  285. # 890 1920 100% - 2140 100% 1480 100%
  286. # 1229 - 2870 100% - 1266 90% 728 68%
  287. # 1643 - 3000 100% - 3000 100% - 3000 100%
  288. # 1683 - 1021 97% 1460 100% - 2620 100%
  289. # 1898 - 1600 100% - 1940 100% - 1860 100%
  290. # 2186 1220 100% - 900 100% - 1840 100%
  291. # 2194 2030 100% - 1460 100% - 1080 100%
  292. # 2577 2810 100% - 1550 100% - 2350 100%
  293. # 2629 2570 100% - 2270 100% - 1430 100%
  294. # 3659 - 1720 100% 1240 100% - 2760 100%
  295. # 3978 - 920 100% 2560 100% - 2590 100%
  296. # 4302 348 25% - 2530 100% - 316 23%
  297. # 4516 - 1231 60% - 1839 75% 7 0%
  298. work = line.replace('%', '')
  299. parts = re.split(r"(?<=\d)\s", work)
  300. if len(parts) == 8:
  301. port = int(parts[0].strip())
  302. data = dict()
  303. data['fuel'] = dict( )
  304. data['fuel']['sale'], data['fuel']['units'] = self.portBS(parts[1])
  305. data['fuel']['pct'] = int(parts[2].strip())
  306. data['org'] = dict( )
  307. data['org']['sale'], data['org']['units'] = self.portBS(parts[3])
  308. data['org']['pct'] = int(parts[4].strip())
  309. data['equ'] = dict( )
  310. data['equ']['sale'], data['equ']['units'] = self.portBS(parts[5])
  311. data['equ']['pct'] = int(parts[6].strip())
  312. # Store what this port is buying/selling
  313. data['port'] = data['fuel']['sale'] + data['org']['sale'] + data['equ']['sale']
  314. # Convert BBS/SBB to Class number 1-8
  315. data['class'] = CLASSES_PORT[data['port']]
  316. self.portdata[port] = data
  317. else:
  318. self.queue_game.put("?")
  319. log.msg("Line in question is: [{0}].".format(line))
  320. log.msg(repr(parts))
  321. def scripts(self):
  322. self.script = dict()
  323. self.observer.disconnect("player", self.fromPlayer)
  324. self.observer.connect("player", self.scriptFromPlayer)
  325. self.observer.connect('game-line', self.scriptLine)
  326. nl = "\n\r"
  327. c = merge(Style.BRIGHT + Fore.WHITE + Back.BLUE)
  328. r = Style.RESET_ALL
  329. c1 = merge(Style.BRIGHT + Fore.CYAN)
  330. c2 = merge(Style.NORMAL + Fore.CYAN)
  331. self.queue_game.put(nl + c + "TradeWars Proxy Script(s)" + r + nl)
  332. self.queue_game.put(" " + c1 + "P" + c2 + " - " + c1 + "Port Trading Pair" + nl)
  333. self.queue_game.put(" " + c + "-=>" + r + " ")
  334. def unscript(self):
  335. self.observer.connect("player", self.fromPlayer)
  336. self.observer.disconnect("player", self.scriptFromPlayer)
  337. self.observer.disconnect('game-line', self.scriptLine)
  338. self.displayMenu()
  339. def scriptLine(self, line):
  340. pass
  341. def scriptFromPlayer(self, chunk):
  342. """ Data from player (in bytes). """
  343. chunk = chunk.decode("utf-8", "ignore")
  344. nl = "\n\r"
  345. c = merge(Style.BRIGHT + Fore.WHITE + Back.BLUE)
  346. r = Style.RESET_ALL
  347. key = chunk.upper()
  348. if key == 'Q':
  349. self.queue_game.put(c + key + r + nl)
  350. self.observer.connect("player", self.fromPlayer)
  351. self.observer.disconnect("player", self.scriptFromPlayer)
  352. self.observer.disconnect('game-line', self.scriptLine)
  353. self.observer.connect('game-line', self.portParse)
  354. self.displayMenu()
  355. elif key == 'P':
  356. self.queue_game.put(c + key + r + nl)
  357. d = self.playerInput("Enter sector to trade to: ", 6)
  358. d.addCallback(self.save_sector)
  359. def save_sector(self, sector):
  360. log.msg("save_sector {0}".format(sector))
  361. if sector.strip() == '':
  362. self.queue_game.put("Script Aborted.")
  363. self.unscript()
  364. return
  365. s = int(sector.strip())
  366. self.script['sector'] = s
  367. d = self.playerInput("Enter times to execute script: ", 6)
  368. d.addCallback(self.save_loop)
  369. def save_loop(self, loop):
  370. log.msg("save_loop {0}".format(loop))
  371. if loop.strip() == '':
  372. self.queue_game.put("Script Aborted.")
  373. self.unscript()
  374. return
  375. l = int(loop.strip())
  376. self.script['loop'] = l
  377. d = self.playerInput("Enter markup/markdown percentage: ", 3)
  378. d.addCallback(self.save_mark)
  379. def save_mark(self, mark):
  380. log.msg("save_mark {0}".format(mark))
  381. if mark.strip() == "":
  382. self.script['mark'] = 5
  383. else:
  384. self.script['mark'] = int(mark.strip())
  385. # Ok, we have the values we need to run the Port trade script
  386. self.queue_game.put(pformat(self.script).replace("\n", "\n\r"))
  387. self.unscript()
  388. def playerInput(self, prompt, limit):
  389. """ Given a prompt and limit, this handles user input.
  390. This displays the prompt, and sets up the proper
  391. observers, while preserving the "current" ones.
  392. This returns a deferred, so you can chain the results
  393. of this.
  394. """
  395. log.msg("playerInput({0}, {1}".format(prompt, limit))
  396. nl = "\n\r"
  397. c = merge(Style.BRIGHT + Fore.WHITE + Back.BLUE)
  398. r = Style.RESET_ALL
  399. self.queue_game.put(r + nl + c + prompt)
  400. # This should set the background and show the size of the entry area.
  401. self.queue_game.put(" " * limit + "\b" * limit)
  402. d = defer.Deferred()
  403. self.player_input = d
  404. self.input_limit = limit
  405. self.input_input = ''
  406. self.save = self.observer.get_funcs()
  407. input_funcs = { 'player': [self.niceInput] }
  408. self.observer.set_funcs(input_funcs)
  409. return d
  410. def niceInput(self, chunk):
  411. """ Data from player (in bytes). """
  412. chunk = chunk.decode("utf-8", "ignore")
  413. # log.msg("niceInput:", repr(chunk))
  414. r = Style.RESET_ALL
  415. for c in chunk:
  416. if c == '\b':
  417. # Backspace
  418. if len(self.input_input) > 0:
  419. self.queue_game.put("\b \b")
  420. self.input_input = self.input_input[0:-1]
  421. else:
  422. # Can't
  423. self.queue_game.put("\a")
  424. if c == "\r":
  425. # Ok, completed!
  426. self.queue_game.put(r + "\n\r")
  427. self.observer.set_funcs(self.save)
  428. self.save = None
  429. line = self.input_input
  430. log.msg("finishing niceInput {0}".format(line))
  431. # self.queue_game.put("[{0}]\n\r".format(line))
  432. self.input_input = ''
  433. # Ok, maybe this isn't the way to do this ...
  434. # self.player_input.callback(line)
  435. reactor.callLater(0, self.player_input.callback, line)
  436. self.player_input = None
  437. if c.isprintable():
  438. if len(self.input_input) + 1 <= self.input_limit:
  439. self.input_input += c
  440. self.queue_game.put(c)
  441. else:
  442. # Limit reached
  443. self.queue_game.put("\a")
  444. class Game(protocol.Protocol):
  445. def __init__(self):
  446. self.buffer = ""
  447. self.game = None
  448. self.usergame = (None, None)
  449. self.to_player = True
  450. self.mcp = MCP(self)
  451. def connectionMade(self):
  452. log.msg("Connected to Game Server")
  453. self.queue_player = self.factory.queue_player
  454. self.queue_game = self.factory.queue_game
  455. self.observer = self.factory.observer
  456. self.factory.game = self
  457. self.setPlayerReceived()
  458. self.observer.connect("user-game", self.show_game)
  459. self.mcp.finishSetup()
  460. def show_game(self, game):
  461. self.usergame = game
  462. log.msg("## User-Game:", game)
  463. def setPlayerReceived(self):
  464. """ Get deferred from client queue, callback clientDataReceived. """
  465. self.queue_player.get().addCallback(self.playerDataReceived)
  466. def playerDataReceived(self, chunk):
  467. if chunk is False:
  468. self.queue_player = None
  469. log.msg("Player: disconnected, close connection to game")
  470. # I don't believe I need this if I'm using protocol.Factory
  471. self.factory.continueTrying = False
  472. self.transport.loseConnection()
  473. else:
  474. # Pass received data to the server
  475. if type(chunk) == str:
  476. self.transport.write(chunk.encode())
  477. else:
  478. self.transport.write(chunk)
  479. self.setPlayerReceived()
  480. def lineReceived(self, line):
  481. """ line received from the game. """
  482. if LOG_LINES:
  483. log.msg(">> [{0}]".format(line))
  484. if "TWGS v2.20b" in line and "www.eisonline.com" in line:
  485. self.queue_game.put(
  486. "TWGS Proxy build "
  487. + version
  488. + " is active. \x1b[1;34m~\x1b[0m to activate.\n\r\n\r",
  489. )
  490. if "TradeWars Game Server" in line and "Copyright (C) EIS" in line:
  491. # We are not in a game
  492. if not self.game is None:
  493. # We were in a game.
  494. self.game = None
  495. self.observer.emit("user-game", (self.factory.player.user, self.game))
  496. if "Selection (? for menu): " in line:
  497. game = line[-1]
  498. if game >= "A" and game < "Q":
  499. self.game = game
  500. log.msg("Game: {0}".format(self.game))
  501. self.observer.emit("user-game", (self.factory.player.user, self.game))
  502. self.observer.emit("game-line", line)
  503. def getPrompt(self):
  504. """ Return the current prompt, stripped of ANSI. """
  505. return cleanANSI(self.buffer)
  506. def dataReceived(self, chunk):
  507. """ Data received from the Game.
  508. Remove backspaces.
  509. Treat some ANSI codes as NewLine.
  510. Remove ANSI.
  511. Break into lines.
  512. Trim out carriage returns.
  513. Call lineReceived().
  514. "Optionally" pass data to player.
  515. FUTURE: trigger on prompt. [cleanANSI(buffer)]
  516. """
  517. # Sequence error:
  518. # If I don't put the chunk(I received) to the player.
  519. # anything I display -- lineReceive() put() ... would
  520. # be out of order. (I'd be responding -- before it
  521. # was displayed to the user.)
  522. if self.to_player:
  523. self.queue_game.put(chunk)
  524. self.buffer += chunk.decode("utf-8", "ignore")
  525. # Process any backspaces
  526. while "\b" in self.buffer:
  527. part = self.buffer.partition("\b")
  528. self.buffer = part[0][:-1] + part[2]
  529. # Treat some ANSI codes as a newline
  530. self.buffer = treatAsNL(self.buffer)
  531. # Break into lines
  532. while "\n" in self.buffer:
  533. part = self.buffer.partition("\n")
  534. line = part[0].replace("\r", "")
  535. # Clean ANSI codes from line
  536. line = cleanANSI(line)
  537. self.lineReceived(line)
  538. self.buffer = part[2]
  539. self.observer.emit("prompt", self.getPrompt())
  540. def connectionLost(self, why):
  541. log.msg("Game connectionLost because: %s" % why)
  542. self.queue_game.put(False)
  543. self.transport.loseConnection()
  544. class GlueFactory(protocol.ClientFactory):
  545. # class GlueFactory(protocol.Factory):
  546. maxDelay = 10
  547. protocol = Game
  548. def __init__(self, player):
  549. self.player = player
  550. self.queue_player = player.queue_player
  551. self.queue_game = player.queue_game
  552. self.observer = player.observer
  553. self.game = None
  554. def closeIt(self):
  555. log.msg("closeIt")
  556. self.queue_game.put(False)
  557. def getUser(self, user):
  558. log.msg("getUser( %s )" % user)
  559. self.twgs.logUser(user)
  560. # This was needed when I replaced ClientFactory with Factory.
  561. # def clientConnectionLost(self, connector, why):
  562. # log.msg("clientconnectionlost: %s" % why)
  563. # self.queue_client.put(False)
  564. def clientConnectionFailed(self, connector, why):
  565. log.msg("connection to game failed: %s" % why)
  566. self.queue_game.put(b"Sorry! I'm Unable to connect to the game server.\r\n")
  567. # syncterm gets cranky/locks up if we close this here.
  568. # (Because it is still sending rlogin information?)
  569. reactor.callLater(2, self.closeIt)
  570. class Player(protocol.Protocol):
  571. def __init__(self):
  572. self.buffer = ""
  573. self.user = None
  574. self.observer = Observer()
  575. self.game = None
  576. self.glue = None
  577. def connectionMade(self):
  578. """ connected, setup queues.
  579. queue_player is data from player.
  580. queue_game is data to player. (possibly from game)
  581. """
  582. self.queue_player = defer.DeferredQueue()
  583. self.queue_game = defer.DeferredQueue()
  584. self.setGameReceived()
  585. # Connect GlueFactory to this Player object.
  586. factory = GlueFactory(self)
  587. self.glue = factory
  588. # Make connection to the game server
  589. reactor.connectTCP(HOST, PORT, factory, 5)
  590. def setGameReceived(self):
  591. """ Get deferred from client queue, callback clientDataReceived. """
  592. self.queue_game.get().addCallback(self.gameDataReceived)
  593. def gameDataReceived(self, chunk):
  594. """ Data received from the game. """
  595. # If we have received game data, it has to be connected.
  596. if self.game is None:
  597. self.game = self.glue.game
  598. if chunk is False:
  599. self.transport.loseConnection()
  600. else:
  601. if type(chunk) == bytes:
  602. self.transport.write(chunk)
  603. elif type(chunk) == str:
  604. self.transport.write(chunk.encode())
  605. else:
  606. log.err("gameDataReceived: type (%s) given!", type(chunk))
  607. self.transport.write(chunk)
  608. self.setGameReceived()
  609. def dataReceived(self, chunk):
  610. if self.user is None:
  611. self.buffer += chunk.decode("utf-8", "ignore")
  612. parts = self.buffer.split("\x00")
  613. if len(parts) >= 5:
  614. # rlogin we have the username
  615. self.user = parts[1]
  616. log.msg("User: {0}".format(self.user))
  617. zpos = self.buffer.rindex("\x00")
  618. self.buffer = self.buffer[zpos + 1 :]
  619. # but I don't need the buffer anymore, so:
  620. self.buffer = ""
  621. # Pass user value on to whatever needs it.
  622. self.observer.emit("user", self.user)
  623. # Unfortunately, the ones interested in this don't exist yet.
  624. if not self.observer.emit("player", chunk):
  625. # Was not dispatched. Send to game.
  626. self.queue_player.put(chunk)
  627. if chunk == b"~":
  628. if self.game:
  629. prompt = self.game.getPrompt()
  630. if "Selection (? for menu)" in prompt:
  631. self.observer.emit("notyet", prompt)
  632. elif "Enter your choice:" in prompt:
  633. self.observer.emit("notyet", prompt)
  634. elif re.match(r"Computer command \[TL=.* \(\?=Help\)\? :", prompt):
  635. self.observer.emit("notyet", prompt)
  636. elif re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  637. self.observer.emit("hotkey", prompt)
  638. else:
  639. log.msg("Unsure about [{0}] prompt.".format(prompt))
  640. # but try anyway! :P
  641. self.observer.emit("notyet", prompt)
  642. # Selection (? for menu): (the game server menu)
  643. # Enter your choice: (game menu)
  644. # Command [TL=00:00:00]:[1800] (?=Help)? : <- YES!
  645. # Computer command [TL=00:00:00]:[613] (?=Help)?
  646. def connectionLost(self, why):
  647. log.msg("lost connection %s" % why)
  648. self.queue_player.put(False)
  649. def connectionFailed(self, why):
  650. log.msg("connectionFailed: %s" % why)
  651. if __name__ == "__main__":
  652. if LOGFILE:
  653. log.startLogging(DailyLogFile("proxy.log", "."))
  654. else:
  655. log.startLogging(sys.stdout)
  656. log.msg("This is version: %s" % version)
  657. factory = protocol.Factory()
  658. factory.protocol = Player
  659. reactor.listenTCP(LISTEN_PORT, factory, interface=LISTEN_ON)
  660. reactor.run()