proxy.py 19 KB

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