galaxy.py 26 KB

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