proxy.py 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604
  1. import re
  2. from twisted.internet import defer
  3. from twisted.internet import protocol
  4. from twisted.internet import reactor
  5. from twisted.internet import task
  6. from twisted.internet.task import coiterate
  7. # from twisted.python import log
  8. import logging
  9. import pendulum
  10. from colorama import Fore, Back, Style
  11. from pprint import pformat
  12. from config import config, version
  13. log = logging.getLogger(__name__)
  14. def merge(color_string: str):
  15. """ Given a string of colorama ANSI, merge them if you can. """
  16. return color_string.replace("m\x1b[", ";")
  17. # https://en.wikipedia.org/wiki/ANSI_escape_code
  18. # Cleans all ANSI
  19. cleaner = re.compile(r"\x1b\[[0-9;]*[A-Zmh]")
  20. # Looks for ANSI (that should be considered to be a newline)
  21. # This needs to see what is send when something enters / leaves
  22. # the player's current sector. (That doesn't work/isn't
  23. # detected. NNY!) It is "\x1b[K" Erase in Line!
  24. makeNL = re.compile(r"\x1b\[[0-9;]*[JK]")
  25. def treatAsNL(line: str):
  26. """ Replace any ANSI codes that would be better understood as newlines. """
  27. global makeNL
  28. return makeNL.sub("\n", line)
  29. def cleanANSI(line: str):
  30. """ Remove all ANSI codes. """
  31. global cleaner
  32. return cleaner.sub("", line)
  33. # return re.sub(r'\x1b\[([0-9,A-Z]{1,2}(;[0-9]{1,2})?(;[0-9]{3})?)?[m|K]?', '', line)
  34. class UserAdapter(logging.LoggerAdapter):
  35. def process(self, msg, kwargs):
  36. return "[{0}] {1}".format(self.extra["game"].usergame, msg), kwargs
  37. from observer import Observer
  38. from flexible import PlayerInput, ProxyMenu
  39. from galaxy import GameData, PORT_CLASSES, CLASSES_PORT
  40. class Game(protocol.Protocol):
  41. def __init__(self):
  42. self.buffer = ""
  43. self.game = None
  44. self.usergame = (None, None)
  45. self.gamedata = None
  46. self.to_player = True
  47. self.linestate = ""
  48. baselog = logging.getLogger(__name__)
  49. self.log = UserAdapter(baselog, {"game": self})
  50. def connectionMade(self):
  51. self.log.info("Connected to Game Server")
  52. self.queue_player = self.factory.queue_player
  53. self.queue_game = self.factory.queue_game
  54. self.observer = self.factory.observer
  55. self.factory.game = self
  56. self.setPlayerReceived()
  57. self.observer.connect("user-game", self.show_game)
  58. def show_game(self, game: tuple):
  59. self.usergame = game
  60. self.log.info("## User-Game: {0}".format(game))
  61. if game[1] is None:
  62. if self.gamedata is not None:
  63. # start the save
  64. coiterate(self.gamedata.save())
  65. self.gamedata = None
  66. else:
  67. # Load the game data (if any)
  68. self.gamedata = GameData(game)
  69. coiterate(self.gamedata.load())
  70. def setPlayerReceived(self):
  71. """ Get deferred from client queue, callback clientDataReceived. """
  72. self.queue_player.get().addCallback(self.playerDataReceived)
  73. def playerDataReceived(self, chunk):
  74. if chunk is False:
  75. self.queue_player = None
  76. self.log.info("Player: disconnected, close connection to game")
  77. # I don't believe I need this if I'm using protocol.Factory
  78. self.factory.continueTrying = False
  79. self.transport.loseConnection()
  80. else:
  81. # Pass received data to the server
  82. if type(chunk) == str:
  83. self.transport.write(chunk.encode("latin-1"))
  84. log.debug(">> [{0}]".format(chunk))
  85. else:
  86. self.transport.write(chunk)
  87. self.log.debug(">> [{0}]".format(chunk.decode("latin-1", "ignore")))
  88. self.setPlayerReceived()
  89. def warpline(self, line: str):
  90. self.log.debug("warp: " + line)
  91. # 1 > 3 > 5 > 77 > 999
  92. last_sector = self.lastwarp
  93. line = line.replace("(", "").replace(")", "").replace(">", "").strip()
  94. for s in line.split():
  95. # Ok, this should be all of the warps.
  96. sector = int(s)
  97. if last_sector > 0:
  98. self.gamedata.warp_to(last_sector, sector)
  99. last_sector = sector
  100. self.lastwarp = sector
  101. def cimline(self, line: str):
  102. # log.debug(self.linestate, ":", line)
  103. if line[-1] == "%":
  104. self.linestate = "portcim"
  105. if self.linestate == "warpcim":
  106. # warps
  107. work = line.strip()
  108. if work != "":
  109. parts = re.split(r"(?<=\d)\s", work)
  110. parts = [int(x) for x in parts]
  111. sector = parts.pop(0)
  112. self.gamedata.warp_to(sector, *parts)
  113. elif self.linestate == "portcim":
  114. # ports
  115. work = line.replace("%", "")
  116. parts = re.parts = re.split(r"(?<=\d)\s", work)
  117. if len(parts) == 8:
  118. sector = int(parts[0].strip())
  119. data = dict()
  120. def portBS(info):
  121. if info[0] == "-":
  122. bs = "B"
  123. else:
  124. bs = "S"
  125. return (bs, int(info[1:].strip()))
  126. data["fuel"] = dict()
  127. data["fuel"]["sale"], data["fuel"]["units"] = portBS(parts[1])
  128. data["fuel"]["pct"] = int(parts[2].strip())
  129. data["org"] = dict()
  130. data["org"]["sale"], data["org"]["units"] = portBS(parts[3])
  131. data["org"]["pct"] = int(parts[4].strip())
  132. data["equ"] = dict()
  133. data["equ"]["sale"], data["equ"]["units"] = portBS(parts[5])
  134. data["equ"]["pct"] = int(parts[6].strip())
  135. # Store what this port is buying/selling
  136. data["port"] = (
  137. data["fuel"]["sale"] + data["org"]["sale"] + data["equ"]["sale"]
  138. )
  139. # Convert BBS/SBB to Class number 1-8
  140. data["class"] = CLASSES_PORT[data["port"]]
  141. self.gamedata.set_port(sector, data)
  142. else:
  143. self.linestate = "cim"
  144. def sectorline(self, line: str):
  145. self.log.debug("sector: {0} : {1}".format(self.current_sector, line))
  146. if line.startswith("Beacon : "):
  147. pass # get beacon text
  148. elif line.startswith("Ports : "):
  149. # Ports : Ballista, Class 1 (BBS)
  150. self.sector_state = "port"
  151. if "<=-DANGER-=>" in line:
  152. # Port is destroyed
  153. if self.current_sector in self.gamedata.ports:
  154. del self.gamedata.ports[self.current_sector]
  155. # elif "(StarDock)" not in line:
  156. # Ports : Stargate Alpha I, Class 9 (Special) (StarDock)
  157. else:
  158. _, _, class_port = line.partition(", Class ")
  159. c, port = class_port.split(" ", maxsplit=1)
  160. c = int(c)
  161. if "StarDock" in port:
  162. port = "StarDock"
  163. port = port.replace("(", "").replace(")", "")
  164. data = {"port": port, "class": c}
  165. self.gamedata.set_port(self.current_sector, data)
  166. elif line.startswith("Planets : "):
  167. # Planets : (O) Flipper
  168. self.sector_state = "planet"
  169. elif line.startswith("Traders : "):
  170. self.sector_state = "trader"
  171. elif line.startswith("Ships : "):
  172. self.sector_state = "ship"
  173. elif line.startswith("Fighters: "):
  174. self.sector_state = "fighter"
  175. elif line.startswith("NavHaz : "):
  176. pass
  177. elif line.startswith("Mines : "):
  178. self.sector_state = "mine"
  179. elif line.startswith(" "):
  180. # continues
  181. if self.sector_state == "mines":
  182. pass
  183. if self.sector_state == "planet":
  184. pass
  185. if self.sector_state == "trader":
  186. pass
  187. if self.sector_state == "ship":
  188. pass
  189. elif len(line) > 8 and line[8] == ":":
  190. self.sector_state = "normal"
  191. elif line.startswith("Warps to Sector(s) :"):
  192. # Warps to Sector(s) : 5468
  193. _, _, work = line.partition(":")
  194. # TO FIX: We are interested in (unexplored) sectors.
  195. work = work.strip().replace("(", "").replace(")", "").replace(" - ", " ")
  196. parts = [int(x) for x in work.split(" ")]
  197. self.log.debug("Sectorline warps {0}".format(parts))
  198. self.gamedata.warp_to(self.current_sector, *parts)
  199. self.sector_state = "normal"
  200. self.linestate = ""
  201. def portline(self, line: str):
  202. # Map these items to which keys
  203. self.log.debug("portline({0}): {1}".format(self.current_sector, line))
  204. mapto = {"Fuel": "fuel", "Organics": "org", "Equipment": "equ"}
  205. if "%" in line:
  206. # Fuel Ore Buying 2890 100% 0
  207. work = line.replace("Fuel Ore", "Fuel").replace("%", "")
  208. parts = re.split(r"\s+", work)
  209. data = {
  210. mapto[parts[0]]: {
  211. "sale": parts[1][0],
  212. "units": parts[2],
  213. "pct": int(parts[3]),
  214. }
  215. }
  216. # log.debug("Setting {0} to {1}".format(self.current_sector, data))
  217. self.gamedata.set_port(self.current_sector, data)
  218. # log.debug("NOW: {0}".format(self.gamedata.ports[self.current_sector]))
  219. def thiefline(self, line: str):
  220. self.log.debug("thiefline({0}): {1}".format(self.current_sector, line))
  221. if "Suddenly you're Busted!" in line:
  222. # Lets add it into the bust list
  223. self.gamedata.set_bust(self.current_sector)
  224. elif "(You realize the guards saw you last time!)" in line:
  225. self.linestate = ""
  226. def goodbye(self):
  227. # hey hey hey, goodbye!
  228. self.connectionLost("We don't go there.")
  229. def chicken(self):
  230. if not self.received:
  231. self.log.debug("checking ... FAILED (chicken!)")
  232. # this should force the proxy to save
  233. self.observer.emit("user-game", (self.factory.player.user, None))
  234. self.queue_game.put(
  235. "\r\n"
  236. + merge(Style.NORMAL + Fore.MAGENTA)
  237. + "...Now leaving "
  238. + merge(Style.BRIGHT + Fore.BLUE)
  239. + "Trade Wars 2002"
  240. + merge(Style.NORMAL + Fore.MAGENTA)
  241. + " and returning to system."
  242. + Style.RESET_ALL
  243. + "\r\n"
  244. )
  245. reactor.callLater(2, self.goodbye)
  246. else:
  247. self.log.debug("check -- PASSED. WOOT.")
  248. def lineReceived(self, line: str):
  249. """ line received from the game. """
  250. self.received = True
  251. if "log_lines" in config and config["log_lines"]:
  252. self.log.debug("<< [{0}]".format(line))
  253. if "TradeWars Game Server" in line and "Copyright (C) EIS" in line:
  254. # We are not in a game
  255. if not self.game is None:
  256. # We were in a game.
  257. self.game = None
  258. self.observer.emit("user-game", (self.factory.player.user, self.game))
  259. elif "Selection (? for menu): " in line:
  260. game = line[-1]
  261. if game >= "A" and game < "Q":
  262. self.game = game
  263. log.info("Game: {0}".format(self.game))
  264. self.observer.emit("user-game", (self.factory.player.user, self.game))
  265. elif "Select A or B to Play or Press [Q] To Exit!" in line:
  266. game = line[-1]
  267. if game >= "A" and game < "Q":
  268. self.game = game
  269. log.info("Game: {0}".format(self.game))
  270. self.observer.emit("user-game", (self.factory.player.user, self.game))
  271. elif "Confirmed? (Y/N)? Yes" in line:
  272. # Ok, here's what we going to do.
  273. # Set timer for 5 seconds. If we don't receive anything before that --
  274. # hang up the server connection. :P
  275. # 008c:fixme:file:UnlockFileEx Unimplemented overlapped operation
  276. self.received = False
  277. reactor.callLater(5, self.chicken)
  278. # Process.pas parse line
  279. if line.startswith("Command [TL=]"):
  280. # Ok, get the current sector from this
  281. _, _, sector = line.partition("]:[")
  282. sector, _, _ = sector.partition("]")
  283. self.current_sector = int(sector)
  284. self.log.info("current sector: {0}".format(self.current_sector))
  285. if line.startswith("The shortest path (") or line.startswith(" TO > "):
  286. self.linestate = "warpline"
  287. self.lastwarp = 0
  288. elif line.startswith(" Items Status Trading % of max OnBoard"):
  289. self.linestate = "port"
  290. elif line.startswith("<Thievery>"):
  291. self.linestate = "thievery"
  292. elif self.linestate == "warpline":
  293. if line == "":
  294. self.linestate = ""
  295. else:
  296. self.warpline(line)
  297. elif self.linestate == "portcim" or self.linestate == "warpcim":
  298. if line == ": ENDINTERROG":
  299. self.linestate = ""
  300. elif line == ": ":
  301. self.linestate = "cim"
  302. elif line == "":
  303. self.linestate = ""
  304. else:
  305. if len(line) > 2:
  306. self.cimline(line)
  307. elif self.linestate == "cim":
  308. if line == ": ENDINTERROG" or line == "":
  309. self.linestate = ""
  310. elif len(line) > 2:
  311. if line.rstrip()[-1] == "%":
  312. self.linestate = "portcim"
  313. else:
  314. self.linestate = "warpcim"
  315. self.cimline(line)
  316. elif self.linestate == "thievery":
  317. self.thiefline(line)
  318. # elif line.startswith(": "):
  319. elif line == ": ":
  320. self.linestate = "cim"
  321. elif line.startswith("Sector : "):
  322. # Sector : 2565 in uncharted space.
  323. self.linestate = "sector"
  324. work = line.strip()
  325. parts = re.split(r"\s+", work)
  326. self.current_sector = int(parts[2])
  327. elif self.linestate == "sector":
  328. self.sectorline(line)
  329. elif self.linestate == "port":
  330. if line == "":
  331. self.linestate = ""
  332. else:
  333. self.portline(line)
  334. self.observer.emit("game-line", line)
  335. def getPrompt(self):
  336. """ Return the current prompt, stripped of ANSI. """
  337. return cleanANSI(self.buffer)
  338. def dataReceived(self, chunk):
  339. """ Data received from the Game.
  340. Remove backspaces.
  341. Treat some ANSI codes as NewLine.
  342. Remove ANSI.
  343. Break into lines.
  344. Trim out carriage returns.
  345. Call lineReceived().
  346. "Optionally" pass data to player.
  347. FUTURE: trigger on prompt. [cleanANSI(buffer)]
  348. """
  349. # Store the text into the buffer before we inject into it.
  350. self.buffer += chunk.decode("latin-1", "ignore")
  351. # log.debug("data: [{0}]".format(repr(chunk)))
  352. if b"TWGS v2.20b" in chunk and b"www.eisonline.com" in chunk:
  353. # Ok, we have a possible target.
  354. target = b"www.eisonline.com\n\r"
  355. pos = chunk.find(target)
  356. if pos != -1:
  357. # Found it! Inject!
  358. message = (
  359. "TWGS Proxy build " + version + ". ~ to activate in game.\n\r"
  360. )
  361. chunk = (
  362. chunk[0 : pos + len(target)]
  363. + message.encode("latin-1")
  364. + chunk[pos + len(target) :]
  365. )
  366. # Sequence error:
  367. # If I don't put the chunk(I received) to the player.
  368. # anything I display -- lineReceive() put() ... would
  369. # be out of order. (I'd be responding -- before it
  370. # was displayed to the user.)
  371. if self.to_player:
  372. self.queue_game.put(chunk)
  373. # self.buffer += chunk.decode("latin-1", "ignore")
  374. #
  375. # Begin processing the buffer
  376. #
  377. # Process any backspaces
  378. while "\b" in self.buffer:
  379. part = self.buffer.partition("\b")
  380. self.buffer = part[0][:-1] + part[2]
  381. # Treat some ANSI codes as a newline
  382. self.buffer = treatAsNL(self.buffer)
  383. # Break into lines
  384. while "\n" in self.buffer:
  385. part = self.buffer.partition("\n")
  386. line = part[0].replace("\r", "")
  387. # Clean ANSI codes from line
  388. line = cleanANSI(line)
  389. self.lineReceived(line)
  390. self.buffer = part[2]
  391. self.observer.emit("prompt", self.getPrompt())
  392. def connectionLost(self, why):
  393. self.log.info("Game connectionLost because: %s" % why)
  394. self.observer.emit("close", why)
  395. self.queue_game.put(False)
  396. self.transport.loseConnection()
  397. class Player(protocol.Protocol):
  398. def __init__(self):
  399. self.buffer = ""
  400. self.user = None
  401. self.observer = Observer()
  402. self.game = None
  403. self.glue = None
  404. def connectionMade(self):
  405. """ connected, setup queues.
  406. queue_player is data from player.
  407. queue_game is data to player. (possibly from game)
  408. """
  409. self.queue_player = defer.DeferredQueue()
  410. self.queue_game = defer.DeferredQueue()
  411. self.setGameReceived()
  412. # Connect GlueFactory to this Player object.
  413. factory = GlueFactory(self)
  414. self.glue = factory
  415. # Make connection to the game server
  416. reactor.connectTCP(config["host"], config["port"], factory, 5)
  417. def setGameReceived(self):
  418. """ Get deferred from client queue, callback clientDataReceived. """
  419. self.queue_game.get().addCallback(self.gameDataReceived)
  420. def gameDataReceived(self, chunk):
  421. """ Data received from the game. """
  422. # If we have received game data, it has to be connected.
  423. if self.game is None:
  424. self.game = self.glue.game
  425. if chunk is False:
  426. self.transport.loseConnection()
  427. else:
  428. if type(chunk) == bytes:
  429. self.transport.write(chunk)
  430. elif type(chunk) == str:
  431. self.transport.write(chunk.encode("latin-1"))
  432. else:
  433. log.err("gameDataReceived: type ({0}) given!".format(type(chunk)))
  434. self.transport.write(chunk)
  435. self.setGameReceived()
  436. def dataReceived(self, chunk):
  437. if self.user is None:
  438. self.buffer += chunk.decode("latin-1", "ignore")
  439. parts = self.buffer.split("\x00")
  440. if len(parts) >= 5:
  441. # rlogin we have the username
  442. self.user = parts[1]
  443. log.info("User: {0}".format(self.user))
  444. zpos = self.buffer.rindex("\x00")
  445. self.buffer = self.buffer[zpos + 1 :]
  446. # but I don't need the buffer anymore, so:
  447. self.buffer = ""
  448. # Pass user value on to whatever needs it.
  449. self.observer.emit("user", self.user)
  450. # Unfortunately, the ones interested in this don't exist yet.
  451. if not self.observer.emit("player", chunk):
  452. # Was not dispatched. Send to game.
  453. self.queue_player.put(chunk)
  454. else:
  455. # There's an observer. Don't continue.
  456. return
  457. if chunk == b"~":
  458. prompt = self.game.getPrompt()
  459. # Selection (? for menu): (the game server menu)
  460. # Enter your choice: (game menu)
  461. # Command [TL=00:00:00]:[1800] (?=Help)? : <- YES!
  462. # Computer command [TL=00:00:00]:[613] (?=Help)?
  463. # (and others I've yet to see...)
  464. if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  465. menu = ProxyMenu(self.game)
  466. else:
  467. nl = "\n\r"
  468. r = Style.RESET_ALL
  469. log.warn("NNY!")
  470. prompt = self.game.buffer
  471. self.queue_game.put(
  472. r
  473. + nl
  474. + Style.BRIGHT
  475. + "Proxy:"
  476. + Style.RESET_ALL
  477. + " I can't activate at this time."
  478. + nl
  479. )
  480. self.queue_game.put(prompt)
  481. self.queue_player.put("\a")
  482. # self.observer.emit("notyet", prompt)
  483. def connectionLost(self, why):
  484. log.info("lost connection %s" % why)
  485. self.observer.emit("close", why)
  486. self.queue_player.put(False)
  487. def connectionFailed(self, why):
  488. log.error("connectionFailed: %s" % why)
  489. class GlueFactory(protocol.ClientFactory):
  490. # class GlueFactory(protocol.Factory):
  491. maxDelay = 10
  492. protocol = Game
  493. def __init__(self, player: Player):
  494. self.player = player
  495. self.queue_player = player.queue_player
  496. self.queue_game = player.queue_game
  497. self.observer = player.observer
  498. self.game = None
  499. def closeIt(self):
  500. log.info("closeIt")
  501. self.queue_game.put(False)
  502. def getUser(self, user):
  503. log.msg("getUser( %s )" % user)
  504. self.game.logUser(user)
  505. # This was needed when I replaced ClientFactory with Factory.
  506. # def clientConnectionLost(self, connector, why):
  507. # log.debug("clientconnectionlost: %s" % why)
  508. # self.queue_client.put(False)
  509. def clientConnectionFailed(self, connector, why):
  510. log.error("connection to game failed: %s" % why)
  511. self.queue_game.put(b"Sorry! I'm Unable to connect to the game server.\r\n")
  512. # syncterm gets cranky/locks up if we close this here.
  513. # (Because it is still sending rlogin information?)
  514. reactor.callLater(2, self.closeIt)