flexible.py 44 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206
  1. from twisted.internet import reactor
  2. from twisted.internet import task
  3. from twisted.internet import defer
  4. from colorama import Fore, Back, Style
  5. from twisted.python import log
  6. from itertools import cycle
  7. import pendulum
  8. from pprint import pformat
  9. def merge(color_string):
  10. """ Given a string of colorama ANSI, merge them if you can. """
  11. return color_string.replace("m\x1b[", ";")
  12. class PlayerInput(object):
  13. """ Player Input
  14. Example:
  15. from flexible import PlayerInput
  16. ask = PlayerInput(self.game)
  17. # abort_blank means, if the input field is blank, abort. Use error_back.
  18. d = ask.prompt("What is your quest?", 40, name="quest", abort_blank=True)
  19. # Display the user's input / but not needed.
  20. d.addCallback(ask.output)
  21. d.addCallback(
  22. lambda ignore: ask.prompt(
  23. "What is your favorite color?", 10, name="color"
  24. )
  25. )
  26. d.addCallback(ask.output)
  27. d.addCallback(
  28. lambda ignore: ask.prompt(
  29. "What is your least favorite number?",
  30. 12,
  31. name="number",
  32. digits=True,
  33. )
  34. )
  35. d.addCallback(ask.output)
  36. def show_values(show):
  37. log.msg(show)
  38. self.queue_game.put(pformat(show).replace("\n", "\n\r") + self.nl)
  39. d.addCallback(lambda ignore: show_values(ask.keep))
  40. d.addCallback(self.welcome_back)
  41. # On error, just return back
  42. d.addErrback(self.welcome_back)
  43. """
  44. def __init__(self, game):
  45. # I think game gives us access to everything we need
  46. self.game = game
  47. self.observer = self.game.observer
  48. self.save = None
  49. self.deferred = None
  50. self.queue_game = game.queue_game
  51. self.keep = {}
  52. # default colors
  53. self.c = merge(Style.BRIGHT + Fore.WHITE + Back.BLUE)
  54. self.cp = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE)
  55. # useful consts
  56. self.r = Style.RESET_ALL
  57. self.nl = "\n\r"
  58. self.bsb = "\b \b"
  59. self.keepalive = None
  60. def color(self, c):
  61. self.c = c
  62. def colorp(self, cp):
  63. self.cp = cp
  64. def alive(self):
  65. log.msg("PlayerInput.alive()")
  66. self.game.queue_player.put(" ")
  67. def prompt(self, user_prompt, limit, **kw):
  68. """ Generate prompt for user input.
  69. Note: This returns deferred.
  70. prompt = text displayed.
  71. limit = # of characters allowed.
  72. default = (text to default to)
  73. keywords:
  74. abort_blank : Abort if they give us blank text.
  75. name : Stores the input in self.keep dict.
  76. digits : Only allow 0-9 to be entered.
  77. """
  78. log.msg("PlayerInput({0}, {1}, {2}".format(user_prompt, limit, kw))
  79. self.limit = limit
  80. self.input = ""
  81. self.kw = kw
  82. assert self.save is None
  83. assert self.keepalive is None
  84. # Note: This clears out the server "keep alive"
  85. self.save = self.observer.save()
  86. self.observer.connect("player", self.get_input)
  87. self.keepalive = task.LoopingCall(self.alive)
  88. self.keepalive.start(30)
  89. # We need to "hide" the game output.
  90. # Otherwise it WITH mess up the user input display.
  91. self.to_player = self.game.to_player
  92. self.game.to_player = False
  93. # Display prompt
  94. # self.queue_game.put(self.r + self.nl + self.c + user_prompt + " " + self.cp)
  95. self.queue_game.put(self.r + self.c + user_prompt + self.r + " " + self.cp)
  96. # Set "Background of prompt"
  97. self.queue_game.put(" " * limit + "\b" * limit)
  98. assert self.deferred is None
  99. d = defer.Deferred()
  100. self.deferred = d
  101. log.msg("Return deferred ...", self.deferred)
  102. return d
  103. def get_input(self, chunk):
  104. """ Data from player (in bytes) """
  105. chunk = chunk.decode("utf-8", "ignore")
  106. for ch in chunk:
  107. if ch == "\b":
  108. if len(self.input) > 0:
  109. self.queue_game.put(self.bsb)
  110. self.input = self.input[0:-1]
  111. else:
  112. self.queue_game.put("\a")
  113. elif ch == "\r":
  114. self.queue_game.put(self.r + self.nl)
  115. log.msg("Restore observer dispatch", self.save)
  116. assert not self.save is None
  117. self.observer.load(self.save)
  118. self.save = None
  119. log.msg("Disable keepalive")
  120. self.keepalive.stop()
  121. self.keepalive = None
  122. line = self.input
  123. self.input = ""
  124. assert not self.deferred is None
  125. self.game.to_player = self.to_player
  126. # If they gave us the keyword name, save the value as that name
  127. if "name" in self.kw:
  128. self.keep[self.kw["name"]] = line
  129. if "abort_blank" in self.kw and self.kw["abort_blank"]:
  130. # Abort on blank input
  131. if line.strip() == "":
  132. # Yes, input is blank, abort.
  133. log.msg("errback, abort_blank")
  134. reactor.callLater(
  135. 0, self.deferred.errback, Exception("abort_blank")
  136. )
  137. self.deferred = None
  138. return
  139. # Ok, use deferred.callback, or reactor.callLater?
  140. # self.deferred.callback(line)
  141. reactor.callLater(0, self.deferred.callback, line)
  142. self.deferred = None
  143. return
  144. elif ch.isprintable():
  145. # Printable, but is it acceptable?
  146. if "digits" in self.kw:
  147. if not ch.isdigit():
  148. self.queue_game.put("\a")
  149. continue
  150. if len(self.input) + 1 <= self.limit:
  151. self.input += ch
  152. self.queue_game.put(ch)
  153. else:
  154. self.queue_game.put("\a")
  155. def output(self, line):
  156. """ A default display of what they just input. """
  157. log.msg("PlayerInput.output({0})".format(line))
  158. self.game.queue_game.put(self.r + "[{0}]".format(line) + self.nl)
  159. return line
  160. PORT_CLASSES = {
  161. 1: "BBS",
  162. 2: "BSB",
  163. 3: "SBB",
  164. 4: "SSB",
  165. 5: "SBS",
  166. 6: "BSS",
  167. 7: "SSS",
  168. 8: "BBB",
  169. }
  170. CLASSES_PORT = {v: k for k, v in PORT_CLASSES.items()}
  171. import re
  172. class CIMWarpReport(object):
  173. def __init__(self, game):
  174. self.game = game
  175. self.queue_game = game.queue_game
  176. self.queue_player = game.queue_player
  177. self.observer = game.observer
  178. # Yes, at this point we would activate
  179. self.prompt = game.buffer
  180. self.save = self.observer.save()
  181. # I actually don't want the player input, but I'll grab it anyway.
  182. self.observer.connect("player", self.player)
  183. self.observer.connect("prompt", self.game_prompt)
  184. self.observer.connect("game-line", self.game_line)
  185. # If we want it, it's here.
  186. self.defer = None
  187. self.to_player = self.game.to_player
  188. # Hide what's happening from the player
  189. self.game.to_player = False
  190. self.queue_player.put("^") # Activate CIM
  191. self.state = 1
  192. self.warpdata = {}
  193. self.warpcycle = cycle(["/", "-", "\\", "|"])
  194. def game_prompt(self, prompt):
  195. if prompt == ": ":
  196. if self.state == 1:
  197. # Ok, then we're ready to request the port report
  198. self.warpcycle = cycle(["/", "-", "\\", "|"])
  199. self.queue_player.put("I")
  200. self.state = 2
  201. elif self.state == 2:
  202. self.queue_player.put("Q")
  203. self.state = 3
  204. if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  205. if self.state == 3:
  206. # Ok, time to exit
  207. # exit from this...
  208. self.game.to_player = self.to_player
  209. self.observer.load(self.save)
  210. self.save = None
  211. self.game.warpdata = self.warpdata
  212. self.queue_game.put("\b \b\r\n")
  213. if not self.defer is None:
  214. self.defer.callback(self.warpdata)
  215. self.defer = None
  216. def game_line(self, line):
  217. if line == "" or line == ": ":
  218. return
  219. if line == ": ENDINTERROG":
  220. return
  221. if line.startswith('Command [TL='):
  222. return
  223. # This should be the CIM Report Data -- parse it
  224. if self.warpcycle:
  225. if len(self.warpdata) % 10 == 0:
  226. self.queue_game.put("\b" + next(self.warpcycle))
  227. work = line.strip()
  228. parts = re.split(r"(?<=\d)\s", work)
  229. parts = [int(x) for x in parts]
  230. sector = parts.pop(0)
  231. # tuples are nicer on memory, and the warpdata map isn't going to be changing.
  232. self.warpdata[sector] = tuple(parts)
  233. def __del__(self):
  234. log.msg("CIMWarpReport {0} RIP".format(self))
  235. def whenDone(self):
  236. self.defer = defer.Deferred()
  237. # Call this to chain something after we exit.
  238. return self.defer
  239. def player(self, chunk):
  240. """ Data from player (in bytes). """
  241. chunk = chunk.decode("utf-8", "ignore")
  242. key = chunk.upper()
  243. log.msg("CIMWarpReport.player({0}) : I AM stopping...".format(key))
  244. # Stop the keepalive if we are activating something else
  245. # or leaving...
  246. # self.keepalive.stop()
  247. self.queue_game.put("\b \b\r\n")
  248. if not self.defer is None:
  249. # We have something, so:
  250. self.game.to_player = self.to_player
  251. self.observer.load(self.save)
  252. self.save = None
  253. self.defer.errback(Exception("User Abort"))
  254. self.defer = None
  255. else:
  256. # Still "exit" out.
  257. self.game.to_player = self.to_player
  258. self.observer.load(self.save)
  259. class CIMPortReport(object):
  260. """ Parse data from CIM Port Report
  261. Example:
  262. from flexible import CIMPortReport
  263. report = CIMPortReport(self.game)
  264. d = report.whenDone()
  265. d.addCallback(self.port_report)
  266. d.addErrback(self.welcome_back)
  267. def port_report(self, portdata):
  268. self.portdata = portdata
  269. self.queue_game.put("Loaded {0} records.".format(len(portdata)) + self.nl)
  270. self.welcome_back()
  271. def welcome_back(self,*_):
  272. ... restore keep alive timers, etc.
  273. """
  274. def __init__(self, game):
  275. self.game = game
  276. self.queue_game = game.queue_game
  277. self.queue_player = game.queue_player
  278. self.observer = game.observer
  279. # Yes, at this point we would activate
  280. self.prompt = game.buffer
  281. self.save = self.observer.save()
  282. # I actually don't want the player input, but I'll grab it anyway.
  283. self.observer.connect("player", self.player)
  284. self.observer.connect("prompt", self.game_prompt)
  285. self.observer.connect("game-line", self.game_line)
  286. # If we want it, it's here.
  287. self.defer = None
  288. self.to_player = self.game.to_player
  289. log.msg("to_player (stored)", self.to_player)
  290. # Hide what's happening from the player
  291. self.game.to_player = False
  292. self.queue_player.put("^") # Activate CIM
  293. self.state = 1
  294. self.portdata = {}
  295. self.portcycle = cycle(["/", "-", "\\", "|"])
  296. def game_prompt(self, prompt):
  297. if prompt == ": ":
  298. if self.state == 1:
  299. # Ok, then we're ready to request the port report
  300. self.portcycle = cycle(["/", "-", "\\", "|"])
  301. self.queue_player.put("R")
  302. self.state = 2
  303. elif self.state == 2:
  304. self.queue_player.put("Q")
  305. self.state = 3
  306. if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  307. if self.state == 3:
  308. # Ok, time to exit
  309. # exit from this...
  310. self.game.to_player = self.to_player
  311. self.observer.load(self.save)
  312. self.save = None
  313. self.game.portdata = self.portdata
  314. self.queue_game.put("\b \b\r\n")
  315. if not self.defer is None:
  316. self.defer.callback(self.portdata)
  317. self.defer = None
  318. def game_line(self, line):
  319. if line == "" or line == ": ":
  320. return
  321. if line == ": ENDINTERROG":
  322. return
  323. # This should be the CIM Report Data -- parse it
  324. if self.portcycle:
  325. if len(self.portdata) % 10 == 0:
  326. self.queue_game.put("\b" + next(self.portcycle))
  327. work = line.replace("%", "")
  328. parts = re.split(r"(?<=\d)\s", work)
  329. if len(parts) == 8:
  330. port = int(parts[0].strip())
  331. data = dict()
  332. def portBS(info):
  333. if info[0] == "-":
  334. bs = "B"
  335. else:
  336. bs = "S"
  337. return (bs, int(info[1:].strip()))
  338. data["fuel"] = dict()
  339. data["fuel"]["sale"], data["fuel"]["units"] = portBS(parts[1])
  340. data["fuel"]["pct"] = int(parts[2].strip())
  341. data["org"] = dict()
  342. data["org"]["sale"], data["org"]["units"] = portBS(parts[3])
  343. data["org"]["pct"] = int(parts[4].strip())
  344. data["equ"] = dict()
  345. data["equ"]["sale"], data["equ"]["units"] = portBS(parts[5])
  346. data["equ"]["pct"] = int(parts[6].strip())
  347. # Store what this port is buying/selling
  348. data["port"] = (
  349. data["fuel"]["sale"] + data["org"]["sale"] + data["equ"]["sale"]
  350. )
  351. # Convert BBS/SBB to Class number 1-8
  352. data["class"] = CLASSES_PORT[data["port"]]
  353. self.portdata[port] = data
  354. else:
  355. log.msg("CIMPortReport:", line, "???")
  356. def __del__(self):
  357. log.msg("CIMPortReport {0} RIP".format(self))
  358. def whenDone(self):
  359. self.defer = defer.Deferred()
  360. # Call this to chain something after we exit.
  361. return self.defer
  362. def player(self, chunk):
  363. """ Data from player (in bytes). """
  364. chunk = chunk.decode("utf-8", "ignore")
  365. key = chunk.upper()
  366. log.msg("CIMPortReport.player({0}) : I AM stopping...".format(key))
  367. # Stop the keepalive if we are activating something else
  368. # or leaving...
  369. # self.keepalive.stop()
  370. self.queue_game.put("\b \b\r\n")
  371. if not self.defer is None:
  372. # We have something, so:
  373. self.game.to_player = self.to_player
  374. self.observer.load(self.save)
  375. self.save = None
  376. self.defer.errback(Exception("User Abort"))
  377. self.defer = None
  378. else:
  379. # Still "exit" out.
  380. self.game.to_player = self.to_player
  381. self.observer.load(self.save)
  382. def port_burnt(port):
  383. """ Is this port burned out? """
  384. if port['equ']['pct'] <= 20 or port['fuel']['pct'] <= 20 or port['org']['pct'] <= 20:
  385. return True
  386. return False
  387. def flip(port):
  388. return port.replace('S', 'W').replace('B', 'S').replace('W', 'B')
  389. def port_trading(port1, port2):
  390. """ Are there possible trades at these ports? """
  391. if port1 == port2:
  392. return False
  393. p1 = [ c for c in port1]
  394. p2 = [ c for c in port2]
  395. # Any that are the same? Remove them.
  396. rem = False
  397. for i in range(3):
  398. if p1[i] == p2[i]:
  399. p1[i] = 'X'
  400. p2[i] = 'X'
  401. rem = True
  402. if rem:
  403. j1 = "".join(p1).replace('X', '')
  404. j2 = "".join(p2).replace('X', '')
  405. if j1 == 'BS' and j2 == 'SB':
  406. return True
  407. if j1 == 'SB' and j2 == 'BS':
  408. return True
  409. # Matching 2 of them.
  410. rport1 = flip(port1)
  411. c = 0
  412. match = []
  413. for i in range(3):
  414. if rport1[i] == port2[i]:
  415. match.append(port2[i])
  416. c += 1
  417. if c > 1:
  418. f = flip(match.pop(0))
  419. if f in match:
  420. return True
  421. return False
  422. return False
  423. class ScriptPort(object):
  424. """ Performs the Port script.
  425. This is close to the original.
  426. We don't ask for the port to trade with --
  427. because that information is available to us after "D" (display).
  428. We look at the adjacent sectors, and see if we know any ports.
  429. If the ports are burnt (< 20%), we remove them from the list.
  430. If there's just one, we use it. Otherwise we ask them to choose.
  431. """
  432. def __init__(self, game):
  433. self.game = game
  434. self.queue_game = game.queue_game
  435. self.queue_player = game.queue_player
  436. self.observer = game.observer
  437. self.r = Style.RESET_ALL
  438. self.nl = "\n\r"
  439. self.this_sector = None # Starting sector
  440. self.sector1 = None # Current Sector
  441. self.sector2 = None # Next Sector Stop
  442. self.percent = 5 # Stick with the good default.
  443. self.credits = 0
  444. # Activate
  445. self.prompt = game.buffer
  446. self.save = self.observer.save()
  447. self.observer.connect('player', self.player)
  448. self.observer.connect("prompt", self.game_prompt)
  449. self.observer.connect("game-line", self.game_line)
  450. self.defer = None
  451. self.queue_game.put(
  452. self.nl + "Script based on: Port Pair Trading v2.00" + self.r + self.nl
  453. )
  454. self.possible_sectors = None
  455. self.state = 1
  456. self.queue_player.put("D")
  457. # Original, send 'D' to display current sector.
  458. # We could get the sector number from the self.prompt string -- HOWEVER:
  459. # IF! We send 'D', we can also get the sectors around -- we might not even need to
  460. # prompt for sector to trade with (we could possibly figure it out ourselves).
  461. # [Command [TL=00:00:00]:[967] (?=Help)? : D]
  462. # [<Re-Display>]
  463. # []
  464. # [Sector : 967 in uncharted space.]
  465. # [Planets : (M) Into the Darkness]
  466. # [Warps to Sector(s) : 397 - (562) - (639)]
  467. # []
  468. def whenDone(self):
  469. self.defer = defer.Deferred()
  470. # Call this to chain something after we exit.
  471. return self.defer
  472. def deactivate(self):
  473. self.state = 0
  474. log.msg("ScriptPort.deactivate")
  475. assert(not self.save is None)
  476. self.observer.load(self.save)
  477. self.save = None
  478. if self.defer:
  479. self.defer.callback('done')
  480. self.defer = None
  481. def player(self, chunk: bytes):
  482. # If we receive anything -- ABORT!
  483. self.deactivate()
  484. def game_prompt(self, prompt: str):
  485. log.msg("{0} : {1}".format(self.state, prompt))
  486. if self.state == 3:
  487. log.msg("game_prompt: ", prompt)
  488. if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  489. self.state = 4
  490. log.msg("Ok, state 4")
  491. if self.sector2 is None:
  492. # Ok, we need to prompt for this.
  493. self.queue_game.put(self.r + self.nl + "Which sector to trade with? {0} ({1})".format(self.this_sector, self.game.portdata[self.this_sector]['port']) + self.nl + Fore.CYAN)
  494. for i, p in enumerate(self.possible):
  495. self.queue_game.put(" " + str(i + 1) + " : " + str(p) + " (" + self.game.portdata[p]['port'] + ")" + self.nl)
  496. pi = PlayerInput(self.game)
  497. def got_need1(*_):
  498. log.msg("Ok, I have:", pi.keep)
  499. if pi.keep['count'].strip() == '':
  500. self.deactivate()
  501. return
  502. self.times_left = int(pi.keep['count'])
  503. if pi.keep['choice'].strip() == '':
  504. self.deactivate()
  505. return
  506. c = int(pi.keep['choice']) -1
  507. if c < 0 or c >= len(self.possible):
  508. self.deactivate()
  509. return
  510. self.sector2 = self.possible[int(pi.keep['choice']) -1]
  511. # self.queue_game.put(pformat(pi.keep).replace("\n", "\n\r"))
  512. self.state = 5
  513. self.trade()
  514. d = pi.prompt("Choose -=>", 5, name='choice', digits=True)
  515. d.addCallback(lambda ignore: pi.prompt("Times to execute script:", 5, name='count', digits=True))
  516. d.addCallback(got_need1)
  517. else:
  518. # We already have our target port, so...
  519. self.queue_game.put(self.r + self.nl + "Trading from {0} ({1}) to default {2} ({3}).".format(
  520. self.this_sector,
  521. self.game.portdata[self.this_sector]['port'],
  522. self.sector2, self.game.portdata[self.sector2]['port']) + self.nl
  523. )
  524. if self.game.portdata[self.this_sector]['port'] == self.game.portdata[self.sector2]['port']:
  525. self.queue_game.put("Hey dummy! Look out the window! These ports are the same class!" + nl)
  526. self.deactivate()
  527. return
  528. pi = PlayerInput(self.game)
  529. def got_need2(*_):
  530. if pi.keep['count'].strip() == '':
  531. self.deactivate()
  532. return
  533. self.times_left = int(pi.keep['count'])
  534. log.msg("Ok, I have:", pi.keep)
  535. self.queue_game.put(pformat(pi.keep).replace("\n", "\n\r"))
  536. self.state = 5
  537. self.trade()
  538. self.queue_game.put(self.r + self.nl)
  539. d = pi.prompt("Times to execute script", 5, name='count')
  540. d.addCallback(got_need2)
  541. elif self.state == 7:
  542. if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  543. # Done
  544. if self.this_sector == self.sector1:
  545. self.this_sector = self.sector2
  546. self.queue_player.put("{0}\r".format(self.sector2))
  547. self.state = 10
  548. else:
  549. self.times_left -= 1
  550. if self.times_left <= 0:
  551. # Ok, exit out
  552. self.deactivate()
  553. return
  554. self.this_sector = self.sector1
  555. self.queue_player.put("{0}\r".format(self.sector1))
  556. self.state = 10
  557. elif self.state == 8:
  558. # What are we trading
  559. # How many holds of Equipment do you want to buy [75]?
  560. if re.match(r"How many holds of .+ do you want to buy \[\d+\]\?", prompt):
  561. parts = prompt.split()
  562. trade_type = parts[4]
  563. if trade_type == 'Fuel':
  564. if (self.tpc in (5,7)) and (self.opc in (2,3,4,8)):
  565. # Can buy equipment - fuel ore is worthless.
  566. self.queue_player.put("0\r")
  567. return
  568. if (self.tpc in(4,7)) and (self.opc in (1,3,5,8)):
  569. # Can buy organics - fuel ore is worthless.
  570. self.queue_player.put("0\r")
  571. return
  572. if (self.tpc in (4,7,3,5)) and (self.opc in (3,4,5,7)):
  573. # No point in buying fuel ore if it can't be sold.
  574. self.queue_player.put("0\r")
  575. return
  576. elif trade_type == 'Organics':
  577. if (self.tpc in (6,7)) and (self.opc in (2,3,4,8)):
  578. # Can buy equipment - organics is worthless.
  579. self.queue_player.put("0\r")
  580. return
  581. if (self.tpc in (2,4,6,7)) and (self.opc in (2,4,6,7)):
  582. # No point in buying organics if it can't be sold.
  583. self.queue_player.put("0\r")
  584. return
  585. elif trade_type == 'Equipment':
  586. if (self.opc in (1,5,6,7)):
  587. # No point in buying equipment if it can't be sold.
  588. self.queue_player.put("0\r")
  589. return
  590. self.queue_player.put("\r")
  591. elif re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  592. # Done
  593. if self.this_sector == self.sector1:
  594. self.this_sector = self.sector2
  595. self.queue_player.put("{0}\r".format(self.sector2))
  596. self.state = 10
  597. else:
  598. self.times_left -= 1
  599. if self.times_left <= 0:
  600. # Ok, exit out
  601. self.deactivate()
  602. return
  603. self.this_sector = self.sector1
  604. self.queue_player.put("{0}\r".format(self.sector1))
  605. self.state = 10
  606. def trade(self, *_):
  607. # state 5
  608. log.msg("trade!")
  609. self.queue_player.put("pt") # Port Trade
  610. self.this_port = self.game.portdata[self.this_sector]
  611. if self.this_sector == self.sector1:
  612. self.other_port = self.game.portdata[self.sector2]
  613. else:
  614. self.other_port = self.game.portdata[self.sector1]
  615. # Ok, perform some calculations
  616. self.tpc = self.this_port['class']
  617. self.opc = self.other_port['class']
  618. # [ Items Status Trading % of max OnBoard]
  619. # [ ----- ------ ------- -------- -------]
  620. # [Fuel Ore Selling 2573 93% 0]
  621. # [Organics Buying 2960 100% 0]
  622. # [Equipment Buying 1958 86% 0]
  623. # []
  624. # []
  625. # [You have 1,000 credits and 20 empty cargo holds.]
  626. # []
  627. # [We are selling up to 2573. You have 0 in your holds.]
  628. # [How many holds of Fuel Ore do you want to buy [20]? 0]
  629. pass
  630. def game_line(self, line: str):
  631. if self.state == 1:
  632. # First exploration
  633. if line.startswith("Sector :"):
  634. # We have starting sector information
  635. parts = re.split("\s+", line)
  636. self.this_sector = int(parts[2])
  637. # These will be the ones swapped around as we trade back and forth.
  638. self.sector1 = self.this_sector
  639. elif line.startswith("Warps to Sector(s) : "):
  640. # Warps to Sector(s) : 397 - (562) - (639)
  641. _, _, warps = line.partition(':')
  642. warps = warps.replace('-', '').replace('(', '').replace(')', '').strip()
  643. log.msg("Warps: [{0}]".format(warps))
  644. self.warps = [ int(x) for x in re.split("\s+", warps)]
  645. log.msg("Warps: [{0}]".format(self.warps))
  646. self.state = 2
  647. elif self.state == 2:
  648. if line == "":
  649. # Ok, we're done
  650. self.state = 3
  651. # Check to see if we have information on any possible ports
  652. if hasattr(self.game, 'portdata'):
  653. if not self.this_sector in self.game.portdata:
  654. self.state = 0
  655. log.msg("Current sector {0} not in portdata.".format(self.this_sector))
  656. self.queue_game.put(self.r + self.nl + "I can't find the current sector in the portdata." + self.nl)
  657. self.deactivate()
  658. return
  659. else:
  660. # Ok, we are in the portdata
  661. pd = self.game.portdata[self.this_sector]
  662. if port_burnt(pd):
  663. log.msg("Current sector {0} port is burnt (<= 20%).".format(self.this_sector))
  664. self.queue_game.put(self.r + self.nl + "Current sector port is burnt out. <= 20%." + self.nl)
  665. self.deactivate()
  666. return
  667. possible = [ x for x in self.warps if x in self.game.portdata ]
  668. log.msg("Possible:", possible)
  669. # BUG: Sometimes links to another sector, don't link back!
  670. # This causes the game to plot a course / autopilot.
  671. if hasattr(self.game, 'warpdata'):
  672. # Great! verify that those warps link back to us!
  673. possible = [ x for x in possible if self.this_sector in self.game.warpdata[x]]
  674. if len(possible) == 0:
  675. self.state = 0
  676. self.queue_game.put(self.r + self.nl + "I don't see any ports in [{0}].".format(self.warps) + self.nl)
  677. self.deactivate()
  678. return
  679. possible = [ x for x in possible if not port_burnt(self.game.portdata[x]) ]
  680. log.msg("Possible:", possible)
  681. if len(possible) == 0:
  682. self.state = 0
  683. self.queue_game.put(self.r + self.nl + "I don't see any unburnt ports in [{0}].".format(self.warps) + self.nl)
  684. self.deactivate()
  685. return
  686. possible = [ x for x in possible if port_trading(self.game.portdata[self.this_sector]['port'], self.game.portdata[x]['port'])]
  687. self.possible = possible
  688. if len(possible) == 0:
  689. self.state = 0
  690. self.queue_game.put(self.r + self.nl + "I don't see any possible port trades in [{0}].".format(self.warps) + self.nl)
  691. self.deactivate()
  692. return
  693. elif len(possible) == 1:
  694. # Ok! there's only one!
  695. self.sector2 = possible[0]
  696. # Display possible ports:
  697. # spos = [ str(x) for x in possible]
  698. # self.queue_game.put(self.r + self.nl + self.nl.join(spos) + self.nl)
  699. # At state 3, we only get a prompt.
  700. return
  701. else:
  702. self.state = 0
  703. log.msg("We don't have any portdata!")
  704. self.queue_game.put(self.r + self.nl + "I have no portdata. Please run CIM Port Report." + self.nl)
  705. self.deactivate()
  706. return
  707. elif self.state == 5:
  708. if "-----" in line:
  709. self.state = 6
  710. elif self.state == 6:
  711. if "We are buying up to" in line:
  712. # Sell
  713. self.state = 7
  714. self.queue_player.put("\r")
  715. self.sell_perc = 100 + self.percent
  716. if "We are selling up to" in line:
  717. # Buy
  718. self.state = 8
  719. self.sell_perc = 100 - self.percent
  720. if "You don't have anything they want" in line:
  721. # Neither! DRAT!
  722. self.deactivate()
  723. return
  724. if "We're not interested." in line:
  725. log.msg("Try, try again. :(")
  726. self.state = 5
  727. self.trade()
  728. elif self.state == 7:
  729. # Haggle Sell
  730. if "We'll buy them for" in line or "Our final offer" in line:
  731. if "Our final offer" in line:
  732. self.sell_perc -= 1
  733. parts = line.replace(',', '').split()
  734. start_price = int(parts[4])
  735. price = start_price * self.sell_perc // 100
  736. log.msg("start: {0} % {1} price {2}".format(start_price, self.sell_perc, price))
  737. self.sell_perc -= 1
  738. self.queue_player.put("{0}\r".format(price))
  739. if "We are selling up to" in line:
  740. # Buy
  741. self.state = 8
  742. self.sell_perc = 100 - self.percent
  743. if line.startswith("You have ") and 'credits and' in line:
  744. parts = line.replace(',', '').split()
  745. credits = int(parts[2])
  746. if self.credits == 0:
  747. self.credits = credits
  748. else:
  749. if credits <= self.credits:
  750. log.msg("We don't appear to be making any money here {0}.".format(credits))
  751. self.deactivate()
  752. return
  753. if "We're not interested." in line:
  754. log.msg("Try, try again. :(")
  755. self.state = 5
  756. self.trade()
  757. elif self.state == 8:
  758. # Haggle Buy
  759. if "We'll sell them for" in line or "Our final offer" in line:
  760. if "Our final offer" in line:
  761. self.sell_perc += 1
  762. parts = line.replace(',', '').split()
  763. start_price = int(parts[4])
  764. price = start_price * self.sell_perc // 100
  765. log.msg("start: {0} % {1} price {2}".format(start_price, self.sell_perc, price))
  766. self.sell_perc += 1
  767. self.queue_player.put("{0}\r".format(price))
  768. if "We're not interested." in line:
  769. log.msg("Try, try again. :(")
  770. self.state = 5
  771. self.trade()
  772. elif self.state == 10:
  773. if "Sector : " in line:
  774. # Trade
  775. self.state = 5
  776. reactor.callLater(0, self.trade, 0)
  777. # self.trade()
  778. # elif self.state == 3:
  779. # log.msg("At state 3 [{0}]".format(line))
  780. # self.queue_game.put("At state 3.")
  781. # self.deactivate()
  782. # return
  783. class ProxyMenu(object):
  784. """ Display ProxyMenu
  785. Example:
  786. from flexible import ProxyMenu
  787. if re.match(r"Command \[TL=.* \(\?=Help\)\? :", prompt):
  788. menu = ProxyMenu(self.game)
  789. """
  790. def __init__(self, game):
  791. self.nl = "\n\r"
  792. self.c = merge(Style.BRIGHT + Fore.YELLOW + Back.BLUE)
  793. self.r = Style.RESET_ALL
  794. self.c1 = merge(Style.BRIGHT + Fore.BLUE)
  795. self.c2 = merge(Style.NORMAL + Fore.CYAN)
  796. self.portdata = None
  797. self.game = game
  798. self.queue_game = game.queue_game
  799. self.observer = game.observer
  800. if hasattr(self.game, "portdata"):
  801. self.portdata = self.game.portdata
  802. else:
  803. self.portdata = {}
  804. if hasattr(self.game, 'warpdata'):
  805. self.warpdata = self.game.warpdata
  806. else:
  807. self.warpdata = {}
  808. # Yes, at this point we would activate
  809. self.prompt = game.buffer
  810. self.save = self.observer.save()
  811. self.observer.connect("player", self.player)
  812. # If we want it, it's here.
  813. self.defer = None
  814. self.keepalive = task.LoopingCall(self.awake)
  815. self.keepalive.start(30)
  816. self.menu()
  817. def __del__(self):
  818. log.msg("ProxyMenu {0} RIP".format(self))
  819. def whenDone(self):
  820. self.defer = defer.Deferred()
  821. # Call this to chain something after we exit.
  822. return self.defer
  823. def menu(self):
  824. self.queue_game.put(
  825. self.nl + self.c + "TradeWars Proxy active." + self.r + self.nl
  826. )
  827. def menu_item(ch: str, desc: str):
  828. self.queue_game.put(
  829. " " + self.c1 + ch + self.c2 + " - " + self.c1 + desc + self.nl
  830. )
  831. menu_item("D", "Diagnostics")
  832. menu_item("Q", "Quest")
  833. menu_item("T", "Trading Report")
  834. menu_item("P", "Port CIM Report")
  835. menu_item("S", "Scripts")
  836. menu_item("W", "Warp CIM Report")
  837. menu_item("X", "eXit")
  838. self.queue_game.put(" " + self.c + "-=>" + self.r + " ")
  839. def awake(self):
  840. log.msg("ProxyMenu.awake()")
  841. self.game.queue_player.put(" ")
  842. def port_report(self, portdata: dict):
  843. self.portdata = portdata
  844. self.queue_game.put("Loaded {0} records.".format(len(portdata)) + self.nl)
  845. self.welcome_back()
  846. def warp_report(self, warpdata: dict):
  847. self.warpdata = warpdata
  848. self.queue_game.put("Loaded {0} records.".format(len(warpdata)) + self.nl)
  849. self.welcome_back()
  850. def player(self, chunk: bytes):
  851. """ Data from player (in bytes). """
  852. chunk = chunk.decode("utf-8", "ignore")
  853. key = chunk.upper()
  854. log.msg("ProxyMenu.player({0})".format(key))
  855. # Stop the keepalive if we are activating something else
  856. # or leaving...
  857. self.keepalive.stop()
  858. if key == "T":
  859. self.queue_game.put(self.c + key + self.r + self.nl)
  860. if not hasattr(self.game, 'portdata') or not hasattr(self.game, 'warpdata'):
  861. self.queue_game.put("Missing portdata/warpdata." + self.nl)
  862. else:
  863. # Ok, for each port
  864. ok_trades = []
  865. best_trades = []
  866. # This is a very BAD idea to do something like this in twisted!
  867. # (At least like this). TO FIX.
  868. for sector, pd in self.game.portdata.items():
  869. if not port_burnt(pd):
  870. pc = pd['class']
  871. # Ok, let's look into it.
  872. if not sector in self.game.warpdata:
  873. continue
  874. warps = self.game.warpdata[sector]
  875. for w in warps:
  876. # Verify that we have that warp's info, and that the sector is in it.
  877. # (We can get back from it)
  878. if w in self.game.warpdata and sector in self.game.warpdata[w]:
  879. # Ok, we can get there -- and get back!
  880. if w > sector and w in self.game.portdata and not port_burnt(self.game.portdata[w]):
  881. # it is > and has a port.
  882. wc = self.game.portdata[w]['class']
  883. # 1: "BBS",
  884. # 2: "BSB",
  885. # 3: "SBB",
  886. # 4: "SSB",
  887. # 5: "SBS",
  888. # 6: "BSS",
  889. # 7: "SSS",
  890. # 8: "BBB",
  891. if pc in (1,5) and wc in (2,4):
  892. best_trades.append( "{0:5} -=- {1:5}".format(sector, w))
  893. elif pc in (2,4) and wc in (1,5):
  894. best_trades.append( "{0:5} -=- {1:5}".format(sector, w))
  895. elif port_trading(pd['port'], self.game.portdata[w]['port']):
  896. ok_trades.append( "{0:5} -=- {1:5}".format(sector,w))
  897. self.queue_game.put("BEST TRADES:" + self.nl + self.nl.join(best_trades) + self.nl)
  898. self.queue_game.put("OK TRADES:" + self.nl + self.nl.join(ok_trades) + self.nl)
  899. elif key == "P":
  900. self.queue_game.put(self.c + key + self.r + self.nl)
  901. # Activate CIM Port Report
  902. report = CIMPortReport(self.game)
  903. d = report.whenDone()
  904. d.addCallback(self.port_report)
  905. d.addErrback(self.welcome_back)
  906. return
  907. elif key == "W":
  908. self.queue_game.put(self.c + key + self.r + self.nl)
  909. # Activate CIM Port Report
  910. report = CIMWarpReport(self.game)
  911. d = report.whenDone()
  912. d.addCallback(self.warp_report)
  913. d.addErrback(self.welcome_back)
  914. return
  915. elif key == "S":
  916. self.queue_game.put(self.c + key + self.r + self.nl)
  917. self.activate_scripts_menu()
  918. return
  919. elif key == "D":
  920. self.queue_game.put(self.c + key + self.r + self.nl)
  921. self.queue_game.put(pformat(self.portdata).replace("\n", "\n\r") + self.nl)
  922. self.queue_game.put(pformat(self.warpdata).replace("\n", "\n\r") + self.nl)
  923. elif key == "Q":
  924. self.queue_game.put(self.c + key + self.r + self.nl)
  925. # This is an example of chaining PlayerInput prompt calls.
  926. ask = PlayerInput(self.game)
  927. d = ask.prompt("What is your quest?", 40, name="quest", abort_blank=True)
  928. # Display the user's input
  929. d.addCallback(ask.output)
  930. d.addCallback(
  931. lambda ignore: ask.prompt(
  932. "What is your favorite color?", 10, name="color"
  933. )
  934. )
  935. d.addCallback(ask.output)
  936. d.addCallback(
  937. lambda ignore: ask.prompt(
  938. "What is the meaning of the squirrel?",
  939. 12,
  940. name="squirrel",
  941. digits=True,
  942. )
  943. )
  944. d.addCallback(ask.output)
  945. def show_values(show):
  946. log.msg(show)
  947. self.queue_game.put(pformat(show).replace("\n", "\n\r") + self.nl)
  948. d.addCallback(lambda ignore: show_values(ask.keep))
  949. d.addCallback(self.welcome_back)
  950. # On error, just return back
  951. # This doesn't seem to be getting called.
  952. # d.addErrback(lambda ignore: self.welcome_back)
  953. d.addErrback(self.welcome_back)
  954. return
  955. elif key == "X":
  956. self.queue_game.put(self.c + key + self.r + self.nl)
  957. self.queue_game.put("Proxy done." + self.nl)
  958. self.observer.load(self.save)
  959. self.save = None
  960. # It isn't running (NOW), so don't try to stop it.
  961. # self.keepalive.stop()
  962. self.keepalive = None
  963. # Ok, this is a HORRIBLE idea, because the prompt might be
  964. # outdated.
  965. # self.queue_game.put(self.prompt)
  966. self.prompt = None
  967. # Possibly: Send '\r' to re-display the prompt
  968. # instead of displaying the original one.
  969. self.game.queue_player.put("d")
  970. # Were we asked to do something when we were done here?
  971. if self.defer:
  972. reactor.CallLater(0, self.defer.callback)
  973. # self.defer.callback()
  974. self.defer = None
  975. return
  976. self.keepalive.start(30, True)
  977. self.menu()
  978. def activate_scripts_menu(self):
  979. self.observer.disconnect("player", self.player)
  980. self.observer.connect("player", self.scripts_player)
  981. self.scripts_menu()
  982. def deactivate_scripts_menu(self, *_):
  983. self.observer.disconnect("player", self.scripts_player)
  984. self.observer.connect("player", self.player)
  985. self.welcome_back()
  986. def scripts_menu(self, *_):
  987. c1 = merge(Style.BRIGHT + Fore.CYAN)
  988. c2 = merge(Style.NORMAL + Fore.CYAN)
  989. def menu_item(ch, desc):
  990. self.queue_game.put(
  991. " " + c1 + ch + c2 + " - " + c1 + desc + self.nl
  992. )
  993. menu_item("1", "Ports (Trades between two sectors)")
  994. menu_item("2", "TODO")
  995. menu_item("3", "TODO")
  996. menu_item("X", "eXit")
  997. self.queue_game.put(" " + c1 + "-=>" + self.r + " ")
  998. def scripts_player(self, chunk: bytes):
  999. """ Data from player (in bytes). """
  1000. chunk = chunk.decode("utf-8", "ignore")
  1001. key = chunk.upper()
  1002. if key == '1':
  1003. self.queue_game.put(self.c + key + self.r + self.nl)
  1004. # Activate this magical event here
  1005. ports = ScriptPort(self.game)
  1006. d = ports.whenDone()
  1007. # d.addCallback(self.scripts_menu)
  1008. # d.addErrback(self.scripts_menu)
  1009. d.addCallback(self.deactivate_scripts_menu)
  1010. d.addErrback(self.deactivate_scripts_menu)
  1011. return
  1012. elif key == 'X':
  1013. self.queue_game.put(self.c + key + self.r + self.nl)
  1014. self.deactivate_scripts_menu()
  1015. return
  1016. else:
  1017. self.queue_game.put(self.c + "?" + self.r + self.nl)
  1018. self.scripts_menu()
  1019. def welcome_back(self, *_):
  1020. log.msg("welcome_back")
  1021. self.keepalive.start(30, True)
  1022. self.menu()