tcp-proxy.py 25 KB

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