galaxy.py 26 KB

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