galaxy.py 26 KB

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