galaxy.py 9.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294
  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. # 10 = 300 bytes
  29. self.warp_groups = 10
  30. # 3 = 560 bytes
  31. # 5 = 930 bytes
  32. self.port_groups = 3
  33. def storage_filename(self):
  34. """ return filename
  35. username.lower _ game.upper.json
  36. """
  37. user, game = self.usergame
  38. return "{0}_{1}.json".format(user.lower(), game.upper())
  39. def reset_ports(self):
  40. self.ports = {}
  41. def reset_warps(self):
  42. self.waprs = {}
  43. def display(self):
  44. pprint(self.warps)
  45. pprint(self.ports)
  46. def save(self, *_):
  47. """ save gamedata as jsonlines.
  48. Enable sort_keys=True to provide stable json data output.
  49. We also sorted(.keys()) to keep records in order.
  50. Note: There's a "bug" when serializing to json, keys must be strings!
  51. """
  52. filename = self.storage_filename()
  53. with jsonlines.open(filename, mode="w", sort_keys=True) as writer:
  54. # for warp, sectors in self.warps.items():
  55. w = {"warp": {}}
  56. for warp in sorted(self.warps.keys()):
  57. sectors = self.warps[warp]
  58. # log.debug("save:", warp, sectors)
  59. sects = sorted(list(sectors)) # make a list
  60. w["warp"][warp] = sects
  61. if len(w["warp"]) >= self.warp_groups:
  62. writer.write(w)
  63. w = {"warp": {}}
  64. yield
  65. # log.debug(w)
  66. # writer.write(w)
  67. # yield
  68. if len(w["warp"]) > 1:
  69. writer.write(w)
  70. # for sector, port in self.ports.items():
  71. p = {"port": {}}
  72. for sector in sorted(self.ports.keys()):
  73. port = self.ports[sector]
  74. p["port"][sector] = port
  75. if len(p["port"]) >= self.port_groups:
  76. writer.write(p)
  77. p = {"port": {}}
  78. yield
  79. if len(p["port"]) > 1:
  80. writer.write(p)
  81. log.info("Saved {0} {1}/{2}".format(filename, len(self.ports), len(self.warps)))
  82. def load(self):
  83. filename = self.storage_filename()
  84. self.warps = {}
  85. self.ports = {}
  86. if os.path.exists(filename):
  87. # Load it
  88. with jsonlines.open(filename) as reader:
  89. for obj in reader:
  90. if "warp" in obj:
  91. for s, w in obj["warp"].items():
  92. # log.debug(s, w)
  93. self.warps[int(s)] = set(w)
  94. # self.warps.update(obj["warp"])
  95. if "port" in obj:
  96. for s, p in obj["port"].items():
  97. self.ports[int(s)] = p
  98. # self.ports.update(obj["port"])
  99. yield
  100. log.info(
  101. "Loaded {0} {1}/{2}".format(filename, len(self.ports), len(self.warps))
  102. )
  103. def untwisted_load(self):
  104. """ Load file without twisted deferred
  105. This is for testing things out.
  106. """
  107. filename = self.storage_filename()
  108. self.warps = {}
  109. self.ports = {}
  110. if os.path.exists(filename):
  111. # Load it
  112. with jsonlines.open(filename) as reader:
  113. for obj in reader:
  114. if "warp" in obj:
  115. for s, w in obj["warp"].items():
  116. # log.debug(s, w)
  117. self.warps[int(s)] = set(w)
  118. # self.warps.update(obj["warp"])
  119. if "port" in obj:
  120. for s, p in obj["port"].items():
  121. self.ports[int(s)] = p
  122. # self.ports.update(obj["port"])
  123. log.info(
  124. "Loaded {0} {1}/{2}".format(filename, len(self.ports), len(self.warps))
  125. )
  126. def get_warps(self, sector: int):
  127. if sector in self.warps:
  128. return self.warps[sector]
  129. return None
  130. def warp_to(self, source: int, *dest):
  131. """ connect sector source to destination.
  132. """
  133. log.debug("Warp {0} to {1}".format(source, dest))
  134. if source not in self.warps:
  135. self.warps[source] = set()
  136. for d in dest:
  137. if d not in self.warps[source]:
  138. self.warps[source].add(d)
  139. def set_port(self, sector: int, data: dict):
  140. log.debug("Port {0} : {1}".format(sector, data))
  141. if sector not in self.ports:
  142. self.ports[sector] = dict()
  143. self.ports[sector].update(data)
  144. if "port" not in self.ports[sector]:
  145. # incomplete port type - can we "complete" it?
  146. if all(x in self.ports for x in ["fuel", "org", "equ"]):
  147. # We have all of the port types, so:
  148. port = "".join(
  149. [self.ports[sector][x]["sale"] for x in ["fuel", "org", "equ"]]
  150. )
  151. self.ports[sector]["port"] = port
  152. self.ports[sector]["class"] = CLASSES_PORT[port]
  153. log.debug("completed {0} : {1}".format(sector, self.ports[sector]))
  154. @staticmethod
  155. def port_burnt(port: dict):
  156. """ Is this port burned out? """
  157. if all(x in port for x in ["fuel", "org", "equ"]):
  158. if all("pct" in port[x] for x in ["fuel", "org", "equ"]):
  159. if (
  160. port["equ"]["pct"] <= 20
  161. or port["fuel"]["pct"] <= 20
  162. or port["org"]["pct"] <= 20
  163. ):
  164. return True
  165. return False
  166. # Since we don't have any port information, hope for the best, assume it isn't burnt.
  167. return False
  168. @staticmethod
  169. def flip(buy_sell):
  170. # Invert B's and S's to determine if we can trade or not between ports.
  171. return buy_sell.replace("S", "W").replace("B", "S").replace("W", "B")
  172. @staticmethod
  173. def port_trading(port1, port2):
  174. # Given the port settings, can we trade between these?
  175. if port1 == port2:
  176. return False
  177. p1 = [c for c in port1]
  178. p2 = [c for c in port2]
  179. rem = False
  180. for i in range(3):
  181. if p1[i] == p2[i]:
  182. p1[i] = "X"
  183. p2[i] = "X"
  184. rem = True
  185. if rem:
  186. j1 = "".join(p1).replace("X", "")
  187. j2 = "".join(p2).replace("X", "")
  188. if j1 == "BS" and j2 == "SB":
  189. return True
  190. if j1 == "SB" and j2 == "BS":
  191. return True
  192. rport1 = GameData.flip(port1)
  193. c = 0
  194. match = []
  195. for i in range(3):
  196. if rport1[i] == port2[i]:
  197. match.append(port2[i])
  198. c += 1
  199. if c > 1:
  200. # Remove first match, flip it
  201. f = GameData.flip(match.pop(0))
  202. # Verify it is in there.
  203. # so we're not matching SSS/BBB
  204. if f in match:
  205. return True
  206. return False
  207. return False
  208. @staticmethod
  209. def color_pct(pct: int):
  210. if pct > 50:
  211. # green
  212. return "{0}{1:3}{2}".format(Fore.GREEN, pct, Style.RESET_ALL)
  213. elif pct > 25:
  214. return "{0}{1:3}{2}".format(
  215. merge(Fore.YELLOW + Style.BRIGHT), pct, Style.RESET_ALL
  216. )
  217. else:
  218. return "{0:3}".format(pct)
  219. @staticmethod
  220. def port_pct(port: dict):
  221. # Make sure these exist in the port data given.
  222. if all(x in port for x in ["fuel", "org", "equ"]):
  223. return "{0},{1},{2}%".format(
  224. GameData.color_pct(port["fuel"]["pct"]),
  225. GameData.color_pct(port["org"]["pct"]),
  226. GameData.color_pct(port["equ"]["pct"]),
  227. )
  228. else:
  229. return "---,---,---%"
  230. @staticmethod
  231. def port_show_part(sector: int, sector_port: dict):
  232. return "{0:5} ({1}) {2}".format(
  233. sector, sector_port["port"], GameData.port_pct(sector_port)
  234. )
  235. def port_trade_show(self, sector: int, warp: int):
  236. sector_port = self.ports[sector]
  237. warp_port = self.ports[warp]
  238. sector_pct = GameData.port_pct(sector_port)
  239. warp_pct = GameData.port_pct(warp_port)
  240. return "{0} \xae\xcd\xaf {1}".format(
  241. GameData.port_show_part(sector, sector_port),
  242. GameData.port_show_part(warp, warp_port),
  243. )
  244. @staticmethod
  245. def port_show(sector: int, sector_port: dict, warp: int, warp_port: dict):
  246. sector_pct = GameData.port_pct(sector_port)
  247. warp_pct = GameData.port_pct(warp_port)
  248. return "{0} -=- {1}".format(
  249. GameData.port_show_part(sector, sector_port),
  250. GameData.port_show_part(warp, warp_port),
  251. )