tcp-proxy.py 32 KB

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