galaxy.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444
  1. import jsonlines
  2. import os
  3. import logging
  4. # from twisted.python import log
  5. from pprint import pprint
  6. from colorama import Fore, Back, Style
  7. log = logging.getLogger(__name__)
  8. def merge(color_string):
  9. """ Given a string of colorama ANSI, merge them if you can. """
  10. return color_string.replace("m\x1b[", ";")
  11. PORT_CLASSES = {
  12. 1: "BBS",
  13. 2: "BSB",
  14. 3: "SBB",
  15. 4: "SSB",
  16. 5: "SBS",
  17. 6: "BSS",
  18. 7: "SSS",
  19. 8: "BBB",
  20. }
  21. CLASSES_PORT = {v: k for k, v in PORT_CLASSES.items()}
  22. class GameData(object):
  23. def __init__(self, usergame: tuple):
  24. # Construct the GameData storage object
  25. self.usergame = usergame
  26. self.warps = {}
  27. self.ports = {}
  28. self.config = {}
  29. # 10 = 300 bytes
  30. self.warp_groups = 10
  31. # 3 = 560 bytes
  32. # 5 = 930 bytes
  33. self.port_groups = 3
  34. def storage_filename(self):
  35. """ return filename
  36. username.lower _ game.upper.json
  37. """
  38. user, game = self.usergame
  39. return "{0}_{1}.json".format(user.lower(), game.upper())
  40. def reset_ports(self):
  41. self.ports = {}
  42. def reset_warps(self):
  43. self.warps = {}
  44. def display(self):
  45. pprint(self.warps)
  46. pprint(self.ports)
  47. def save(self, *_):
  48. """ save gamedata as jsonlines.
  49. Enable sort_keys=True to provide stable json data output.
  50. We also sorted(.keys()) to keep records in order.
  51. Note: There's a "bug" when serializing to json, keys must be strings!
  52. """
  53. filename = self.storage_filename()
  54. with jsonlines.open(filename, mode="w", sort_keys=True) as writer:
  55. # for warp, sectors in self.warps.items():
  56. c = {"config": self.config}
  57. writer.write(c)
  58. w = {"warp": {}}
  59. for warp in sorted(self.warps.keys()):
  60. sectors = self.warps[warp]
  61. # log.debug("save:", warp, sectors)
  62. sects = sorted(list(sectors)) # make a list
  63. w["warp"][warp] = sects
  64. if len(w["warp"]) >= self.warp_groups:
  65. writer.write(w)
  66. w = {"warp": {}}
  67. yield
  68. # log.debug(w)
  69. # writer.write(w)
  70. # yield
  71. if len(w["warp"]) > 1:
  72. writer.write(w)
  73. # for sector, port in self.ports.items():
  74. p = {"port": {}}
  75. for sector in sorted(self.ports.keys()):
  76. port = self.ports[sector]
  77. p["port"][sector] = port
  78. if len(p["port"]) >= self.port_groups:
  79. writer.write(p)
  80. p = {"port": {}}
  81. yield
  82. if len(p["port"]) > 1:
  83. writer.write(p)
  84. log.info(
  85. "Saved {0} {1}/{2}/{3}".format(
  86. filename, len(self.ports), len(self.warps), len(self.config)
  87. )
  88. )
  89. def load(self):
  90. filename = self.storage_filename()
  91. self.warps = {}
  92. self.ports = {}
  93. self.config = {}
  94. if os.path.exists(filename):
  95. # Load it
  96. with jsonlines.open(filename) as reader:
  97. for obj in reader:
  98. if "config" in obj:
  99. self.config.update(obj["config"])
  100. if "warp" in obj:
  101. for s, w in obj["warp"].items():
  102. # log.debug(s, w)
  103. self.warps[int(s)] = set(w)
  104. # self.warps.update(obj["warp"])
  105. if "port" in obj:
  106. for s, p in obj["port"].items():
  107. self.ports[int(s)] = p
  108. # self.ports.update(obj["port"])
  109. yield
  110. log.info(
  111. "Loaded {0} {1}/{2}/{3}".format(
  112. filename, len(self.ports), len(self.warps), len(self.config)
  113. )
  114. )
  115. def untwisted_load(self):
  116. """ Load file without twisted deferred
  117. This is for testing things out.
  118. """
  119. filename = self.storage_filename()
  120. self.warps = {}
  121. self.ports = {}
  122. self.config = {}
  123. if os.path.exists(filename):
  124. # Load it
  125. with jsonlines.open(filename) as reader:
  126. for obj in reader:
  127. if "config" in obj:
  128. self.config.update(obj["config"])
  129. if "warp" in obj:
  130. for s, w in obj["warp"].items():
  131. # log.debug(s, w)
  132. self.warps[int(s)] = set(w)
  133. # self.warps.update(obj["warp"])
  134. if "port" in obj:
  135. for s, p in obj["port"].items():
  136. self.ports[int(s)] = p
  137. # self.ports.update(obj["port"])
  138. log.info(
  139. "Loaded {0} {1}/{2}/{3}".format(
  140. filename, len(self.ports), len(self.warps), len(self.config)
  141. )
  142. )
  143. def get_warps(self, sector: int):
  144. if sector in self.warps:
  145. return self.warps[sector]
  146. return None
  147. def warp_to(self, source: int, *dest):
  148. """ connect sector source to destination.
  149. """
  150. log.debug("Warp {0} to {1}".format(source, dest))
  151. if source not in self.warps:
  152. self.warps[source] = set()
  153. for d in dest:
  154. if d not in self.warps[source]:
  155. self.warps[source].add(d)
  156. def get_config(self, key, default=None):
  157. if key in self.config:
  158. return self.config[key]
  159. else:
  160. if default is not None:
  161. self.config[key] = default
  162. return default
  163. def set_config(self, key, value):
  164. self.config.update({key: value})
  165. def set_port(self, sector: int, data: dict):
  166. log.debug("Port {0} : {1}".format(sector, data))
  167. if sector not in self.ports:
  168. self.ports[sector] = dict()
  169. self.ports[sector].update(data)
  170. if "port" not in self.ports[sector]:
  171. # incomplete port type - can we "complete" it?
  172. if all(x in self.ports for x in ["fuel", "org", "equ"]):
  173. # We have all of the port types, so:
  174. port = "".join(
  175. [self.ports[sector][x]["sale"] for x in ["fuel", "org", "equ"]]
  176. )
  177. self.ports[sector]["port"] = port
  178. self.ports[sector]["class"] = CLASSES_PORT[port]
  179. log.debug("completed {0} : {1}".format(sector, self.ports[sector]))
  180. def port_buying(self, sector: int, cargo: str):
  181. """ Given a sector, is this port buying this?
  182. cargo is a char (F/O/E)
  183. """
  184. cargo_to_index = {"F": 0, "O": 1, "E": 2}
  185. cargo_types = ("fuel", "org", "equ")
  186. cargo = cargo[0]
  187. if sector not in self.ports:
  188. log.warn("port_buying( {0}, {1}): sector unknown!".format(sector, cargo))
  189. return False
  190. port = self.ports[sector]
  191. if "port" not in port:
  192. log.warn("port_buying( {0}, {1}): port unknown!".format(sector, cargo))
  193. return True
  194. cargo_index = cargo_to_index[cargo]
  195. if port["port"][cargo_index] == "S":
  196. log.warn("port_buying( {0}, {1}): not buying cargo".format(sector, cargo))
  197. return False
  198. # ok, they buy it, but *WILL THEY* really buy it?
  199. cargo_key = cargo_types[cargo_index]
  200. if cargo_key in port:
  201. if int(port[cargo_key]["units"]) > 40:
  202. log.warn(
  203. "port_buying( {0}, {1}): Yes, buying {2}".format(
  204. sector, cargo, port[cargo_key]["sale"]
  205. )
  206. )
  207. return True
  208. else:
  209. log.warn(
  210. "port_buying( {0}, {1}): No, units < 40 {2}".format(
  211. sector, cargo, port[cargo_key]["sale"]
  212. )
  213. )
  214. return False
  215. else:
  216. log.warn(
  217. "port_buying( {0}, {1}): Yes, buying (but values unknown)".format(
  218. sector, cargo
  219. )
  220. )
  221. return True # unknown port, we're guess yes.
  222. return False
  223. @staticmethod
  224. def port_burnt(port: dict):
  225. """ Is this port burned out? """
  226. if all(x in port for x in ["fuel", "org", "equ"]):
  227. if all("pct" in port[x] for x in ["fuel", "org", "equ"]):
  228. if (
  229. port["equ"]["pct"] <= 20
  230. or port["fuel"]["pct"] <= 20
  231. or port["org"]["pct"] <= 20
  232. ):
  233. return True
  234. return False
  235. # Since we don't have any port information, hope for the best, assume it isn't burnt.
  236. return False
  237. @staticmethod
  238. def flip(buy_sell):
  239. # Invert B's and S's to determine if we can trade or not between ports.
  240. return buy_sell.replace("S", "W").replace("B", "S").replace("W", "B")
  241. @staticmethod
  242. def port_trading(port1, port2):
  243. # Given the port settings, can we trade between these?
  244. if port1 == port2:
  245. return False
  246. p1 = [c for c in port1]
  247. p2 = [c for c in port2]
  248. rem = False
  249. for i in range(3):
  250. if p1[i] == p2[i]:
  251. p1[i] = "X"
  252. p2[i] = "X"
  253. rem = True
  254. if rem:
  255. j1 = "".join(p1).replace("X", "")
  256. j2 = "".join(p2).replace("X", "")
  257. if j1 == "BS" and j2 == "SB":
  258. return True
  259. if j1 == "SB" and j2 == "BS":
  260. return True
  261. rport1 = GameData.flip(port1)
  262. c = 0
  263. match = []
  264. for i in range(3):
  265. if rport1[i] == port2[i]:
  266. match.append(port2[i])
  267. c += 1
  268. if c > 1:
  269. # Remove first match, flip it
  270. f = GameData.flip(match.pop(0))
  271. # Verify it is in there.
  272. # so we're not matching SSS/BBB
  273. if f in match:
  274. return True
  275. return False
  276. return False
  277. @staticmethod
  278. def color_pct(pct: int):
  279. if pct > 50:
  280. # green
  281. return "{0}{1:3}{2}".format(Fore.GREEN, pct, Style.RESET_ALL)
  282. elif pct > 25:
  283. return "{0}{1:3}{2}".format(
  284. merge(Fore.YELLOW + Style.BRIGHT), pct, Style.RESET_ALL
  285. )
  286. else:
  287. return "{0:3}".format(pct)
  288. @staticmethod
  289. def port_pct(port: dict):
  290. # Make sure these exist in the port data given.
  291. if all(x in port for x in ["fuel", "org", "equ"]):
  292. return "{0},{1},{2}%".format(
  293. GameData.color_pct(port["fuel"]["pct"]),
  294. GameData.color_pct(port["org"]["pct"]),
  295. GameData.color_pct(port["equ"]["pct"]),
  296. )
  297. else:
  298. return "---,---,---%"
  299. @staticmethod
  300. def port_show_part(sector: int, sector_port: dict):
  301. return "{0:5} ({1}) {2}".format(
  302. sector, sector_port["port"], GameData.port_pct(sector_port)
  303. )
  304. def port_above(self, port: dict, limit: int) -> bool:
  305. if all(x in port for x in ["fuel", "org", "equ"]):
  306. if all(
  307. x in port and port[x]["pct"] >= limit for x in ["fuel", "org", "equ"]
  308. ):
  309. return True
  310. else:
  311. return False
  312. # Port is unknown, we'll assume it is above the limit.
  313. return True
  314. def port_trade_show(self, sector: int, warp: int, limit: int = 90):
  315. sector_port = self.ports[sector]
  316. warp_port = self.ports[warp]
  317. if self.port_above(sector_port, limit) and self.port_above(warp_port, limit):
  318. # sector_pct = GameData.port_pct(sector_port)
  319. # warp_pct = GameData.port_pct(warp_port)
  320. return "{0} \xae\xcd\xaf {1}".format(
  321. GameData.port_show_part(sector, sector_port),
  322. GameData.port_show_part(warp, warp_port),
  323. )
  324. return None
  325. @staticmethod
  326. def port_show(sector: int, sector_port: dict, warp: int, warp_port: dict):
  327. # sector_pct = GameData.port_pct(sector_port)
  328. # warp_pct = GameData.port_pct(warp_port)
  329. return "{0} -=- {1}".format(
  330. GameData.port_show_part(sector, sector_port),
  331. GameData.port_show_part(warp, warp_port),
  332. )
  333. def find_nearest_selling(
  334. self, sector: int, selling: str, at_least: int = 100
  335. ) -> int:
  336. """ find nearest port that is selling at_least amount of this item
  337. selling is 'f', 'o', or 'e'.
  338. """
  339. names = {"e": "equ", "o": "org", "f": "fuel"}
  340. pos = {"f": 0, "o": 1, "e": 2}
  341. sell = names[selling[0].lower()]
  342. s_pos = pos[selling[0].lower()]
  343. log.warn(
  344. "find_nearest_selling({0}, {1}, {2}): {3}, {4}".format(
  345. sector, selling, at_least, sell, s_pos
  346. )
  347. )
  348. searched = set()
  349. if sector not in self.warps:
  350. log.warn("( {0}, {1}): sector not in warps".format(sector, selling))
  351. return 0
  352. # Start with the current sector
  353. look = set((sector,))
  354. while len(look) > 0:
  355. for s in look:
  356. if s in self.ports:
  357. # Ok, possibly?
  358. sp = self.ports[s]
  359. if sp["port"][s_pos] == "S":
  360. # Ok, they are selling!
  361. if sell in sp:
  362. if sp[sell]["units"] >= at_least:
  363. log.warn(
  364. "find_nearest_selling( {0}, {1}): {2} {3} units".format(
  365. sector, selling, s, sp[sell]["units"]
  366. )
  367. )
  368. return s
  369. else:
  370. # We know they sell it, but we don't know units
  371. log.warn(
  372. "find_nearest_selling( {0}, {1}): {2} {3}".format(
  373. sector, selling, s, sp["port"]
  374. )
  375. )
  376. return s
  377. # Ok, not found here. Branch out.
  378. searched.update(look)
  379. step_from = look
  380. look = set()
  381. for s in step_from:
  382. if s in self.warps:
  383. look.update(self.warps[s])
  384. # look only contains warps we haven't searched
  385. look = look.difference(searched)
  386. # Ok, we have run out of places to search
  387. log.warn("find_nearest_selling( {0}, {1}) : failed".format(sector, selling))
  388. return 0