galaxy.py 9.1 KB

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