galaxy.py 27 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793
  1. import jsonlines
  2. import os
  3. import logging
  4. import pendulum
  5. # from twisted.python import log
  6. from copy import deepcopy
  7. from pprint import pprint
  8. from colorama import Fore, Back, Style
  9. import config
  10. log = logging.getLogger(__name__)
  11. def merge(color_string):
  12. """ Given a string of colorama ANSI, merge them if you can. """
  13. return color_string.replace("m\x1b[", ";")
  14. PORT_CLASSES = {
  15. 1: "BBS",
  16. 2: "BSB",
  17. 3: "SBB",
  18. 4: "SSB",
  19. 5: "SBS",
  20. 6: "BSS",
  21. 7: "SSS",
  22. 8: "BBB",
  23. }
  24. CLASSES_PORT = {v: k for k, v in PORT_CLASSES.items()}
  25. class GameData(object):
  26. def __init__(self, usergame: tuple):
  27. # Construct the GameData storage object
  28. self.usergame = usergame
  29. self.warps = {}
  30. self.ports = {}
  31. self.busts = (
  32. {}
  33. ) # Added for evilTrade, just contains sector of port and datetime
  34. self.config = {}
  35. # 10 = 300 bytes
  36. self.warp_groups = 10
  37. # 3 = 560 bytes
  38. # 5 = 930 bytes
  39. self.port_groups = 3
  40. # Not sure, I don't think it will be big.
  41. self.bust_groups = 5
  42. def storage_filename(self):
  43. """ return filename
  44. username.lower _ game.upper.json
  45. """
  46. user, game = self.usergame
  47. if "base" in config.config:
  48. base = config.config["base"] + "_"
  49. else:
  50. base = ""
  51. return "{0}{1}_{2}.json".format(base, user.lower(), game.upper())
  52. def reset_ports(self):
  53. self.ports = {}
  54. def reset_warps(self):
  55. self.warps = {}
  56. def reset_busts(self):
  57. # Ok well we won't ever use this since maint_busts() goes thru them all and filters out those that are 7 days or older
  58. self.busts = {}
  59. def special_ports(self):
  60. """ Save the special class ports 0, 9 """
  61. return {
  62. p: self.ports[p]
  63. for p in self.ports
  64. if "class" in self.ports[p] and self.ports[p]["class"] in (0, 9)
  65. }
  66. def display(self):
  67. pprint(self.warps)
  68. pprint(self.ports)
  69. pprint(self.busts)
  70. def save(self, *_):
  71. """ save gamedata as jsonlines.
  72. Enable sort_keys=True to provide stable json data output.
  73. We also sorted(.keys()) to keep records in order.
  74. Note: There's a "bug" when serializing to json, keys must be strings!
  75. """
  76. filename = self.storage_filename()
  77. with jsonlines.open(filename, mode="w", sort_keys=True) as writer:
  78. # for warp, sectors in self.warps.items():
  79. c = {"config": self.config}
  80. writer.write(c)
  81. w = {"warp": {}}
  82. for warp in sorted(self.warps.keys()):
  83. sectors = self.warps[warp]
  84. # log.debug("save:", warp, sectors)
  85. sects = sorted(list(sectors)) # make a list
  86. w["warp"][warp] = sects
  87. if len(w["warp"]) >= self.warp_groups:
  88. writer.write(w)
  89. w = {"warp": {}}
  90. yield
  91. # log.debug(w)
  92. # writer.write(w)
  93. # yield
  94. if len(w["warp"]) > 0:
  95. writer.write(w)
  96. # for sector, port in self.ports.items():
  97. p = {"port": {}}
  98. for sector in sorted(self.ports.keys()):
  99. port = self.ports[sector]
  100. p["port"][sector] = port
  101. if len(p["port"]) >= self.port_groups:
  102. writer.write(p)
  103. p = {"port": {}}
  104. yield
  105. if len(p["port"]) > 0:
  106. writer.write(p)
  107. # Added for evil
  108. b = {"busts": {}}
  109. for sector in sorted(self.busts.keys()):
  110. bust = self.busts[sector]
  111. b["busts"][sector] = bust
  112. if len(b["busts"]) >= self.bust_groups:
  113. writer.write(b)
  114. b = {"busts": {}}
  115. yield
  116. if len(b["busts"]) > 0:
  117. writer.write(b)
  118. log.info(
  119. "Saved {0} {1}/{2}/{3}/{4}".format(
  120. filename,
  121. len(self.ports),
  122. len(self.warps),
  123. len(self.config),
  124. len(self.busts),
  125. )
  126. )
  127. def untwisted_save(self, *_):
  128. """ save gamedata as jsonlines.
  129. Enable sort_keys=True to provide stable json data output.
  130. We also sorted(.keys()) to keep records in order.
  131. Note: There's a "bug" when serializing to json, keys must be strings!
  132. """
  133. filename = self.storage_filename()
  134. with jsonlines.open(filename, mode="w", sort_keys=True) as writer:
  135. # for warp, sectors in self.warps.items():
  136. c = {"config": self.config}
  137. writer.write(c)
  138. w = {"warp": {}}
  139. for warp in sorted(self.warps.keys()):
  140. sectors = self.warps[warp]
  141. # log.debug("save:", warp, sectors)
  142. sects = sorted(list(sectors)) # make a list
  143. w["warp"][warp] = sects
  144. if len(w["warp"]) >= self.warp_groups:
  145. writer.write(w)
  146. w = {"warp": {}}
  147. # log.debug(w)
  148. # writer.write(w)
  149. # yield
  150. if len(w["warp"]) > 0:
  151. writer.write(w)
  152. # for sector, port in self.ports.items():
  153. p = {"port": {}}
  154. for sector in sorted(self.ports.keys()):
  155. port = self.ports[sector]
  156. p["port"][sector] = port
  157. if len(p["port"]) >= self.port_groups:
  158. writer.write(p)
  159. p = {"port": {}}
  160. if len(p["port"]) > 0:
  161. writer.write(p)
  162. # Added for evil
  163. b = {"busts": {}}
  164. for sector in sorted(self.busts.keys()):
  165. bust = self.busts[sector]
  166. b["busts"][sector] = bust
  167. if len(b["busts"]) >= self.bust_groups:
  168. writer.write(b)
  169. b = {"busts": {}}
  170. if len(b["busts"]) > 0:
  171. writer.write(b)
  172. log.info(
  173. "Saved {0} {1}/{2}/{3}/{4}".format(
  174. filename,
  175. len(self.ports),
  176. len(self.warps),
  177. len(self.config),
  178. len(self.busts),
  179. )
  180. )
  181. def load(self):
  182. filename = self.storage_filename()
  183. self.warps = {}
  184. self.ports = {}
  185. self.config = {}
  186. self.busts = {}
  187. if os.path.exists(filename):
  188. # Load it
  189. with jsonlines.open(filename) as reader:
  190. for obj in reader:
  191. if "config" in obj:
  192. self.config.update(obj["config"])
  193. if "warp" in obj:
  194. for s, w in obj["warp"].items():
  195. # log.debug(s, w)
  196. self.warps[int(s)] = set(w)
  197. # self.warps.update(obj["warp"])
  198. if "port" in obj:
  199. for s, p in obj["port"].items():
  200. self.ports[int(s)] = p
  201. # self.ports.update(obj["port"])
  202. if "busts" in obj: # evil ports list
  203. for s, d in obj["busts"].items():
  204. self.busts[int(s)] = d
  205. yield
  206. # Clean Busts after loading
  207. self.maint_busts()
  208. log.info(
  209. "Loaded {0} {1}/{2}/{3}/{4}".format(
  210. filename,
  211. len(self.ports),
  212. len(self.warps),
  213. len(self.config),
  214. len(self.busts),
  215. )
  216. )
  217. def untwisted_load(self):
  218. """ Load file without twisted deferred
  219. This is for testing things out.
  220. """
  221. filename = self.storage_filename()
  222. self.warps = {}
  223. self.ports = {}
  224. self.config = {}
  225. self.busts = {}
  226. if os.path.exists(filename):
  227. # Load it
  228. with jsonlines.open(filename) as reader:
  229. for obj in reader:
  230. if "config" in obj:
  231. self.config.update(obj["config"])
  232. if "warp" in obj:
  233. for s, w in obj["warp"].items():
  234. # log.debug(s, w)
  235. self.warps[int(s)] = set(w)
  236. # self.warps.update(obj["warp"])
  237. if "port" in obj:
  238. for s, p in obj["port"].items():
  239. self.ports[int(s)] = p
  240. # self.ports.update(obj["port"])
  241. if "busts" in obj:
  242. for s, d in obj["busts"].items():
  243. self.busts[int(s)] = d
  244. # Clean Busts after loading
  245. self.maint_busts()
  246. log.info(
  247. "Loaded {0} {1}/{2}/{3}/{4}".format(
  248. filename,
  249. len(self.ports),
  250. len(self.warps),
  251. len(self.config),
  252. len(self.busts),
  253. )
  254. )
  255. def get_warps(self, sector: int):
  256. if sector in self.warps:
  257. return self.warps[sector]
  258. return None
  259. def warp_to(self, source: int, *dest):
  260. """ connect sector source to destination.
  261. """
  262. log.debug("Warp {0} to {1}".format(source, dest))
  263. if source not in self.warps:
  264. self.warps[source] = set()
  265. for d in dest:
  266. if d not in self.warps[source]:
  267. self.warps[source].add(d)
  268. def get_config(self, key, default=None):
  269. if key in self.config:
  270. return self.config[key]
  271. else:
  272. if default is not None:
  273. self.config[key] = default
  274. return default
  275. def set_config(self, key, value):
  276. self.config.update({key: value})
  277. def set_port(self, sector: int, data: dict):
  278. log.debug("Port {0} : {1}".format(sector, data))
  279. if sector not in self.ports:
  280. self.ports[sector] = dict()
  281. self.ports[sector].update(data)
  282. if "port" not in self.ports[sector]:
  283. # incomplete port type - can we "complete" it?
  284. if all(x in self.ports for x in ["fuel", "org", "equ"]):
  285. # We have all of the port types, so:
  286. port = "".join(
  287. [self.ports[sector][x]["sale"] for x in ["fuel", "org", "equ"]]
  288. )
  289. self.ports[sector]["port"] = port
  290. self.ports[sector]["class"] = CLASSES_PORT[port]
  291. log.debug("completed {0} : {1}".format(sector, self.ports[sector]))
  292. def set_bust(self, sect: int):
  293. # Given sector we add it to busts (avoid using these ports)
  294. log.debug("Bust {0}".format(sect))
  295. if sect not in self.busts:
  296. self.busts[sect] = str(pendulum.now())
  297. log.debug("Done {0} | {1}".format(sect, self.busts))
  298. else:
  299. log.debug("{0} already is in there".format(sect))
  300. def maint_busts(self):
  301. # Checks the current date to see if any busts need to be cleared
  302. rightNow = pendulum.now()
  303. dropped = 0 # Add in debug message so we can see if we are running correctly
  304. new = deepcopy(
  305. self.busts
  306. ) # Get essentially a backup, one we will be changing without iterating over
  307. for s in self.busts:
  308. d = self.busts[s] # Pull string of DateTime object
  309. d = pendulum.parse(d) # Convert string to DateTime obj
  310. d = d.add(7) # Add 7 days
  311. if d <= rightNow: # Compare
  312. del new[s] # remove it from a 2nd dict
  313. dropped += 1
  314. self.busts = new
  315. log.debug("Dropped {0} sectors from busted list".format(dropped))
  316. def port_buying(self, sector: int, cargo: str):
  317. """ Given a sector, is this port buying this?
  318. cargo is a char (F/O/E)
  319. """
  320. cargo_to_index = {"F": 0, "O": 1, "E": 2}
  321. cargo_types = ("fuel", "org", "equ")
  322. cargo = cargo[0]
  323. if sector not in self.ports:
  324. log.warn("port_buying( {0}, {1}): sector unknown!".format(sector, cargo))
  325. return False
  326. port = self.ports[sector]
  327. if "port" not in port:
  328. log.warn("port_buying( {0}, {1}): port unknown!".format(sector, cargo))
  329. return True
  330. if sector in self.busts: # Abort! This given sector is a busted port!
  331. log.warn(
  332. "port_buying({0}, {1}): sector contains a busted port!".format(
  333. sector, cargo
  334. )
  335. )
  336. return False
  337. cargo_index = cargo_to_index[cargo]
  338. if port["port"] in ("Special", "StarDock"):
  339. log.warn(
  340. "port_buying( {0}, {1}): not buying (is {2})".format(
  341. sector, cargo, port["port"]
  342. )
  343. )
  344. return False
  345. if port["port"][cargo_index] == "S":
  346. log.warn("port_buying( {0}, {1}): not buying cargo".format(sector, cargo))
  347. return False
  348. # ok, they buy it, but *WILL THEY* really buy it?
  349. cargo_key = cargo_types[cargo_index]
  350. if cargo_key in port:
  351. if int(port[cargo_key]["units"]) > 40:
  352. log.warn(
  353. "port_buying( {0}, {1}): Yes, buying {2}".format(
  354. sector, cargo, port[cargo_key]["sale"]
  355. )
  356. )
  357. return True
  358. else:
  359. log.warn(
  360. "port_buying( {0}, {1}): No, units < 40 {2}".format(
  361. sector, cargo, port[cargo_key]["sale"]
  362. )
  363. )
  364. return False
  365. else:
  366. log.warn(
  367. "port_buying( {0}, {1}): Yes, buying (but values unknown)".format(
  368. sector, cargo
  369. )
  370. )
  371. return True # unknown port, we're guess yes.
  372. return False
  373. @staticmethod
  374. def port_burnt(port: dict):
  375. """ Is this port burned out? """
  376. if all(x in port for x in ["fuel", "org", "equ"]):
  377. if all("pct" in port[x] for x in ["fuel", "org", "equ"]):
  378. if (
  379. port["equ"]["pct"] <= 20
  380. or port["fuel"]["pct"] <= 20
  381. or port["org"]["pct"] <= 20
  382. ):
  383. return True
  384. return False
  385. # Since we don't have any port information, hope for the best, assume it isn't burnt.
  386. return False
  387. @staticmethod
  388. def flip(buy_sell):
  389. # Invert B's and S's to determine if we can trade or not between ports.
  390. return buy_sell.replace("S", "W").replace("B", "S").replace("W", "B")
  391. @staticmethod
  392. def port_trading(port1, port2):
  393. # Given the port settings, can we trade between these?
  394. if port1 == port2:
  395. return False
  396. if port1 in ("Special", "StarDock") or port2 in ("Special", "StarDock"):
  397. return False
  398. # Oops, hey, we are given port settings not a sector a port is in,
  399. # So don't try to check it against the busted list.
  400. p1 = [c for c in port1]
  401. p2 = [c for c in port2]
  402. rem = False
  403. for i in range(3):
  404. if p1[i] == p2[i]:
  405. p1[i] = "X"
  406. p2[i] = "X"
  407. rem = True
  408. if rem:
  409. j1 = "".join(p1).replace("X", "")
  410. j2 = "".join(p2).replace("X", "")
  411. if j1 == "BS" and j2 == "SB":
  412. return True
  413. if j1 == "SB" and j2 == "BS":
  414. return True
  415. rport1 = GameData.flip(port1)
  416. c = 0
  417. match = []
  418. for i in range(3):
  419. if rport1[i] == port2[i]:
  420. match.append(port2[i])
  421. c += 1
  422. if c > 1:
  423. # Remove first match, flip it
  424. f = GameData.flip(match.pop(0))
  425. # Verify it is in there.
  426. # so we're not matching SSS/BBB
  427. if f in match:
  428. return True
  429. return False
  430. return False
  431. @staticmethod
  432. def color_pct(pct: int):
  433. if pct > 50:
  434. # green
  435. return "{0}{1:3}{2}".format(Fore.GREEN, pct, Style.RESET_ALL)
  436. elif pct > 25:
  437. return "{0}{1:3}{2}".format(
  438. merge(Fore.YELLOW + Style.BRIGHT), pct, Style.RESET_ALL
  439. )
  440. else:
  441. return "{0:3}".format(pct)
  442. @staticmethod
  443. def port_pct(port: dict):
  444. # Make sure these exist in the port data given.
  445. if all(x in port for x in ["fuel", "org", "equ"]):
  446. return "{0},{1},{2}%".format(
  447. GameData.color_pct(port["fuel"]["pct"]),
  448. GameData.color_pct(port["org"]["pct"]),
  449. GameData.color_pct(port["equ"]["pct"]),
  450. )
  451. else:
  452. return "---,---,---%"
  453. @staticmethod
  454. def port_show_part(sector: int, sector_port: dict):
  455. return "{0:5} ({1}) {2}".format(
  456. sector, sector_port["port"], GameData.port_pct(sector_port)
  457. )
  458. def port_above(self, port: dict, limit: int) -> bool:
  459. if all(x in port for x in ["fuel", "org", "equ"]):
  460. if all(
  461. x in port and port[x]["pct"] >= limit for x in ["fuel", "org", "equ"]
  462. ):
  463. return True
  464. else:
  465. return False
  466. # Port is unknown, we'll assume it is above the limit.
  467. return True
  468. def port_trade_show(self, sector: int, warp: int, limit: int = 90):
  469. sector_port = self.ports[sector]
  470. warp_port = self.ports[warp]
  471. if self.port_above(sector_port, limit) and self.port_above(warp_port, limit):
  472. # sector_pct = GameData.port_pct(sector_port)
  473. # warp_pct = GameData.port_pct(warp_port)
  474. return "{0} \xae\xcd\xaf {1}".format(
  475. GameData.port_show_part(sector, sector_port),
  476. GameData.port_show_part(warp, warp_port),
  477. )
  478. return None
  479. @staticmethod
  480. def port_show(sector: int, sector_port: dict, warp: int, warp_port: dict):
  481. # sector_pct = GameData.port_pct(sector_port)
  482. # warp_pct = GameData.port_pct(warp_port)
  483. return "{0} -=- {1}".format(
  484. GameData.port_show_part(sector, sector_port),
  485. GameData.port_show_part(warp, warp_port),
  486. )
  487. def find_nearest_tradepairs(self, sector: int, obj):
  488. """ find nearest tradepair
  489. When do we use good? When do we use ok?
  490. """
  491. searched = set()
  492. if sector not in self.warps:
  493. log.warn(":Sector {0} not in warps.".format(sector))
  494. obj.target_sector = None
  495. return None
  496. if sector in self.busts:
  497. log.warn(":Sector {0} in busted".format(sector))
  498. obj.target_sector = None
  499. return None
  500. # Start with the current sector
  501. look = set((sector,))
  502. while len(look) > 0:
  503. log.warn("Searched [{0}]".format(searched))
  504. log.warn("Checking [{0}]".format(look))
  505. for s in look:
  506. if s in self.ports:
  507. # Ok, there's a port at least
  508. sp = self.ports[s]
  509. if sp["port"] in ("Special", "StarDock"):
  510. continue
  511. if self.port_burnt(sp):
  512. continue
  513. if "class" not in sp:
  514. continue
  515. if s in self.busts: # Check for busted port
  516. continue
  517. sc = sp["class"]
  518. if s not in self.warps:
  519. continue
  520. log.warn("{0} has warps {1}".format(s, self.warps[s]))
  521. # Ok, check for tradepairs.
  522. for w in self.warps[s]:
  523. if not w in self.warps:
  524. continue
  525. if not s in self.warps[w]:
  526. continue
  527. if not w in self.ports:
  528. continue
  529. # Ok, has possible port
  530. cp = self.ports[w]
  531. if cp["port"] in ("Special", "StarDock"):
  532. continue
  533. if self.port_burnt(cp):
  534. continue
  535. if "class" not in cp:
  536. continue
  537. if w in self.busts: # Check for busted
  538. continue
  539. cc = cp["class"]
  540. log.warn("{0} {1} - {2} {3}".format(s, sc, w, cc))
  541. if sc in (1, 5) and cc in (2, 4):
  542. # Good!
  543. log.warn("GOOD: {0}".format(s))
  544. obj.target_sector = s
  545. return s
  546. if sc in (2, 4) and cc in (1, 5):
  547. # Good!
  548. log.warn("GOOD: {0}".format(s))
  549. obj.target_sector = s
  550. return s
  551. # What about "OK" pairs?
  552. # Ok, not found here.
  553. searched.update(look)
  554. step_from = look
  555. look = set()
  556. for s in step_from:
  557. if s in self.warps:
  558. look.update(self.warps[s])
  559. # Look only contains warps we haven't searched
  560. look = look.difference(searched)
  561. yield
  562. obj.target_sector = None
  563. return None
  564. def find_nearest_evilpairs(self, sector: int, obj):
  565. """ find nearest evilpair
  566. XXB -=- XXB
  567. When do we use good? When do we use ok?
  568. """
  569. searched = set()
  570. if sector not in self.warps:
  571. log.warn(":Sector {0} not in warps.".format(sector))
  572. obj.target_sector = None
  573. return None
  574. if sector in self.busts:
  575. log.warn(":Sector {0} in busted".format(sector))
  576. obj.target_sector = None
  577. return None
  578. # Start with the current sector
  579. look = set((sector,))
  580. while len(look) > 0:
  581. log.warn("Searched [{0}]".format(searched))
  582. log.warn("Checking [{0}]".format(look))
  583. for s in look:
  584. if s in self.ports:
  585. # Ok, there's a port at least
  586. sp = self.ports[s]
  587. if sp["port"] in ("Special", "StarDock"):
  588. continue
  589. if self.port_burnt(sp):
  590. continue
  591. if "class" not in sp:
  592. continue
  593. if s in self.busts: # Check for busted port
  594. continue
  595. sc = sp["class"]
  596. if s not in self.warps:
  597. continue
  598. log.warn("{0} has warps {1}".format(s, self.warps[s]))
  599. # Ok, check for tradepairs.
  600. for w in self.warps[s]:
  601. if not w in self.warps:
  602. continue
  603. if not s in self.warps[w]:
  604. continue
  605. if not w in self.ports:
  606. continue
  607. # Ok, has possible port
  608. cp = self.ports[w]
  609. if cp["port"] in ("Special", "StarDock"):
  610. continue
  611. if self.port_burnt(cp):
  612. continue
  613. if "class" not in cp:
  614. continue
  615. if w in self.busts: # Check for busted
  616. continue
  617. cc = cp["class"]
  618. log.warn("{0} {1} - {2} {3}".format(s, sc, w, cc))
  619. if sc in (2, 3, 4, 8) and cc in (2, 3, 4, 8):
  620. # Good!
  621. log.warn("GOOD: {0}".format(s))
  622. obj.target_sector = s
  623. return s
  624. # What about "OK" pairs?
  625. # Ok, not found here.
  626. searched.update(look)
  627. step_from = look
  628. look = set()
  629. for s in step_from:
  630. if s in self.warps:
  631. look.update(self.warps[s])
  632. # Look only contains warps we haven't searched
  633. look = look.difference(searched)
  634. yield
  635. obj.target_sector = None
  636. return None
  637. def find_nearest_selling(
  638. self, sector: int, selling: str, at_least: int = 100
  639. ) -> int:
  640. """ find nearest port that is selling at_least amount of this item
  641. selling is 'f', 'o', or 'e'.
  642. """
  643. names = {"e": "equ", "o": "org", "f": "fuel"}
  644. pos = {"f": 0, "o": 1, "e": 2}
  645. sell = names[selling[0].lower()]
  646. s_pos = pos[selling[0].lower()]
  647. log.warn(
  648. "find_nearest_selling({0}, {1}, {2}): {3}, {4}".format(
  649. sector, selling, at_least, sell, s_pos
  650. )
  651. )
  652. searched = set()
  653. if sector not in self.warps:
  654. log.warn("( {0}, {1}): sector not in warps".format(sector, selling))
  655. return 0
  656. if sector in self.busts:
  657. log.warn(
  658. "({0}, {1}): sector is in busted ports list".format(sector, selling)
  659. )
  660. return 0
  661. # Start with the current sector
  662. look = set((sector,))
  663. while len(look) > 0:
  664. for s in look:
  665. if s in self.ports:
  666. # Ok, possibly?
  667. sp = self.ports[s]
  668. if sp["port"] in ("Special", "StarDock"):
  669. continue
  670. if s in self.busts: # Busted!
  671. continue
  672. if sp["port"][s_pos] == "S":
  673. # Ok, they are selling!
  674. if sell in sp:
  675. if int(sp[sell]["units"]) >= at_least:
  676. log.warn(
  677. "find_nearest_selling( {0}, {1}): {2} {3} units".format(
  678. sector, selling, s, sp[sell]["units"]
  679. )
  680. )
  681. return s
  682. else:
  683. # We know they sell it, but we don't know units
  684. log.warn(
  685. "find_nearest_selling( {0}, {1}): {2} {3}".format(
  686. sector, selling, s, sp["port"]
  687. )
  688. )
  689. return s
  690. # Ok, not found here. Branch out.
  691. searched.update(look)
  692. step_from = look
  693. look = set()
  694. for s in step_from:
  695. if s in self.warps:
  696. look.update(self.warps[s])
  697. # look only contains warps we haven't searched
  698. look = look.difference(searched)
  699. # Ok, we have run out of places to search
  700. log.warn("find_nearest_selling( {0}, {1}) : failed".format(sector, selling))
  701. return 0