flexible.py 52 KB

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