galaxy.py 9.2 KB

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