galaxy.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768
  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. if os.path.exists(filename):
  212. # Load it
  213. with jsonlines.open(filename) as reader:
  214. for obj in reader:
  215. if "config" in obj:
  216. self.config.update(obj["config"])
  217. if "warp" in obj:
  218. for s, w in obj["warp"].items():
  219. # log.debug(s, w)
  220. self.warps[int(s)] = set(w)
  221. # self.warps.update(obj["warp"])
  222. if "port" in obj:
  223. for s, p in obj["port"].items():
  224. self.ports[int(s)] = p
  225. # self.ports.update(obj["port"])
  226. if "busts" in obj:
  227. for l in obj["busts"]:
  228. self.busts.append(l)
  229. log.info(
  230. "Loaded {0} {1}/{2}/{3}/{4}".format(
  231. filename,
  232. len(self.ports),
  233. len(self.warps),
  234. len(self.config),
  235. len(self.busts),
  236. )
  237. )
  238. def get_warps(self, sector: int):
  239. if sector in self.warps:
  240. return self.warps[sector]
  241. return None
  242. def warp_to(self, source: int, *dest):
  243. """ connect sector source to destination.
  244. """
  245. log.debug("Warp {0} to {1}".format(source, dest))
  246. if source not in self.warps:
  247. self.warps[source] = set()
  248. for d in dest:
  249. if d not in self.warps[source]:
  250. self.warps[source].add(d)
  251. def get_config(self, key, default=None):
  252. if key in self.config:
  253. return self.config[key]
  254. else:
  255. if default is not None:
  256. self.config[key] = default
  257. return default
  258. def set_config(self, key, value):
  259. self.config.update({key: value})
  260. def set_port(self, sector: int, data: dict):
  261. log.debug("Port {0} : {1}".format(sector, data))
  262. if sector not in self.ports:
  263. self.ports[sector] = dict()
  264. self.ports[sector].update(data)
  265. if "port" not in self.ports[sector]:
  266. # incomplete port type - can we "complete" it?
  267. if all(x in self.ports for x in ["fuel", "org", "equ"]):
  268. # We have all of the port types, so:
  269. port = "".join(
  270. [self.ports[sector][x]["sale"] for x in ["fuel", "org", "equ"]]
  271. )
  272. self.ports[sector]["port"] = port
  273. self.ports[sector]["class"] = CLASSES_PORT[port]
  274. log.debug("completed {0} : {1}".format(sector, self.ports[sector]))
  275. def set_bust(self, sect: int):
  276. # Given sector we add it to busts (avoid using these ports)
  277. log.debug("Bust {0}".format(sect))
  278. if sect not in self.busts:
  279. self.busts.append(sect)
  280. log.debug("completed {0} : {1}".format(sect, self.busts))
  281. def port_buying(self, sector: int, cargo: str):
  282. """ Given a sector, is this port buying this?
  283. cargo is a char (F/O/E)
  284. """
  285. cargo_to_index = {"F": 0, "O": 1, "E": 2}
  286. cargo_types = ("fuel", "org", "equ")
  287. cargo = cargo[0]
  288. if sector not in self.ports:
  289. log.warn("port_buying( {0}, {1}): sector unknown!".format(sector, cargo))
  290. return False
  291. port = self.ports[sector]
  292. if "port" not in port:
  293. log.warn("port_buying( {0}, {1}): port unknown!".format(sector, cargo))
  294. return True
  295. if sector in self.busts: # Abort! This given sector is a busted port!
  296. log.warn(
  297. "port_buying({0}, {1}): sector contains a busted port!".format(
  298. sector, cargo
  299. )
  300. )
  301. return False
  302. cargo_index = cargo_to_index[cargo]
  303. if port["port"] in ("Special", "StarDock"):
  304. log.warn(
  305. "port_buying( {0}, {1}): not buying (is {2})".format(
  306. sector, cargo, port["port"]
  307. )
  308. )
  309. return False
  310. if port["port"][cargo_index] == "S":
  311. log.warn("port_buying( {0}, {1}): not buying cargo".format(sector, cargo))
  312. return False
  313. # ok, they buy it, but *WILL THEY* really buy it?
  314. cargo_key = cargo_types[cargo_index]
  315. if cargo_key in port:
  316. if int(port[cargo_key]["units"]) > 40:
  317. log.warn(
  318. "port_buying( {0}, {1}): Yes, buying {2}".format(
  319. sector, cargo, port[cargo_key]["sale"]
  320. )
  321. )
  322. return True
  323. else:
  324. log.warn(
  325. "port_buying( {0}, {1}): No, units < 40 {2}".format(
  326. sector, cargo, port[cargo_key]["sale"]
  327. )
  328. )
  329. return False
  330. else:
  331. log.warn(
  332. "port_buying( {0}, {1}): Yes, buying (but values unknown)".format(
  333. sector, cargo
  334. )
  335. )
  336. return True # unknown port, we're guess yes.
  337. return False
  338. @staticmethod
  339. def port_burnt(port: dict):
  340. """ Is this port burned out? """
  341. if all(x in port for x in ["fuel", "org", "equ"]):
  342. if all("pct" in port[x] for x in ["fuel", "org", "equ"]):
  343. if (
  344. port["equ"]["pct"] <= 20
  345. or port["fuel"]["pct"] <= 20
  346. or port["org"]["pct"] <= 20
  347. ):
  348. return True
  349. return False
  350. # Since we don't have any port information, hope for the best, assume it isn't burnt.
  351. return False
  352. @staticmethod
  353. def flip(buy_sell):
  354. # Invert B's and S's to determine if we can trade or not between ports.
  355. return buy_sell.replace("S", "W").replace("B", "S").replace("W", "B")
  356. @staticmethod
  357. def port_trading(port1, port2):
  358. # Given the port settings, can we trade between these?
  359. if port1 == port2:
  360. return False
  361. if port1 in ("Special", "StarDock") or port2 in ("Special", "StarDock"):
  362. return False
  363. if port1 in self.busts:
  364. log.warn("port_trading({0}, {1}) port1 is busted".format(port1, port2))
  365. return False
  366. elif port2 in self.busts:
  367. log.warn("port_trading({0}, {1}) port2 is busted".format(port1, port2))
  368. return False
  369. elif port1 in self.busts and port2 in self.busts:
  370. log.warn(
  371. "port_trading({0}, {1}) both port1 and port2 are busted".format(
  372. port1, port2
  373. )
  374. )
  375. return False
  376. p1 = [c for c in port1]
  377. p2 = [c for c in port2]
  378. rem = False
  379. for i in range(3):
  380. if p1[i] == p2[i]:
  381. p1[i] = "X"
  382. p2[i] = "X"
  383. rem = True
  384. if rem:
  385. j1 = "".join(p1).replace("X", "")
  386. j2 = "".join(p2).replace("X", "")
  387. if j1 == "BS" and j2 == "SB":
  388. return True
  389. if j1 == "SB" and j2 == "BS":
  390. return True
  391. rport1 = GameData.flip(port1)
  392. c = 0
  393. match = []
  394. for i in range(3):
  395. if rport1[i] == port2[i]:
  396. match.append(port2[i])
  397. c += 1
  398. if c > 1:
  399. # Remove first match, flip it
  400. f = GameData.flip(match.pop(0))
  401. # Verify it is in there.
  402. # so we're not matching SSS/BBB
  403. if f in match:
  404. return True
  405. return False
  406. return False
  407. @staticmethod
  408. def color_pct(pct: int):
  409. if pct > 50:
  410. # green
  411. return "{0}{1:3}{2}".format(Fore.GREEN, pct, Style.RESET_ALL)
  412. elif pct > 25:
  413. return "{0}{1:3}{2}".format(
  414. merge(Fore.YELLOW + Style.BRIGHT), pct, Style.RESET_ALL
  415. )
  416. else:
  417. return "{0:3}".format(pct)
  418. @staticmethod
  419. def port_pct(port: dict):
  420. # Make sure these exist in the port data given.
  421. if all(x in port for x in ["fuel", "org", "equ"]):
  422. return "{0},{1},{2}%".format(
  423. GameData.color_pct(port["fuel"]["pct"]),
  424. GameData.color_pct(port["org"]["pct"]),
  425. GameData.color_pct(port["equ"]["pct"]),
  426. )
  427. else:
  428. return "---,---,---%"
  429. @staticmethod
  430. def port_show_part(sector: int, sector_port: dict):
  431. return "{0:5} ({1}) {2}".format(
  432. sector, sector_port["port"], GameData.port_pct(sector_port)
  433. )
  434. def port_above(self, port: dict, limit: int) -> bool:
  435. if all(x in port for x in ["fuel", "org", "equ"]):
  436. if all(
  437. x in port and port[x]["pct"] >= limit for x in ["fuel", "org", "equ"]
  438. ):
  439. return True
  440. else:
  441. return False
  442. # Port is unknown, we'll assume it is above the limit.
  443. return True
  444. def port_trade_show(self, sector: int, warp: int, limit: int = 90):
  445. sector_port = self.ports[sector]
  446. warp_port = self.ports[warp]
  447. if self.port_above(sector_port, limit) and self.port_above(warp_port, limit):
  448. # sector_pct = GameData.port_pct(sector_port)
  449. # warp_pct = GameData.port_pct(warp_port)
  450. return "{0} \xae\xcd\xaf {1}".format(
  451. GameData.port_show_part(sector, sector_port),
  452. GameData.port_show_part(warp, warp_port),
  453. )
  454. return None
  455. @staticmethod
  456. def port_show(sector: int, sector_port: dict, warp: int, warp_port: dict):
  457. # sector_pct = GameData.port_pct(sector_port)
  458. # warp_pct = GameData.port_pct(warp_port)
  459. return "{0} -=- {1}".format(
  460. GameData.port_show_part(sector, sector_port),
  461. GameData.port_show_part(warp, warp_port),
  462. )
  463. def find_nearest_tradepairs(self, sector: int, obj):
  464. """ find nearest tradepair
  465. When do we use good? When do we use ok?
  466. """
  467. searched = set()
  468. if sector not in self.warps:
  469. log.warn(":Sector {0} not in warps.".format(sector))
  470. obj.target_sector = None
  471. return None
  472. if sector in self.busts:
  473. log.warn(":Sector {0} in busted".format(sector))
  474. obj.target_sector = None
  475. return None
  476. # Start with the current sector
  477. look = set((sector,))
  478. while len(look) > 0:
  479. log.warn("Searched [{0}]".format(searched))
  480. log.warn("Checking [{0}]".format(look))
  481. for s in look:
  482. if s in self.ports:
  483. # Ok, there's a port at least
  484. sp = self.ports[s]
  485. if sp["port"] in ("Special", "StarDock"):
  486. continue
  487. if self.port_burnt(sp):
  488. continue
  489. if "class" not in sp:
  490. continue
  491. if s in self.busts: # Check for busted port
  492. continue
  493. sc = sp["class"]
  494. if s not in self.warps:
  495. continue
  496. log.warn("{0} has warps {1}".format(s, self.warps[s]))
  497. # Ok, check for tradepairs.
  498. for w in self.warps[s]:
  499. if not w in self.warps:
  500. continue
  501. if not s in self.warps[w]:
  502. continue
  503. if not w in self.ports:
  504. continue
  505. # Ok, has possible port
  506. cp = self.ports[w]
  507. if cp["port"] in ("Special", "StarDock"):
  508. continue
  509. if self.port_burnt(cp):
  510. continue
  511. if "class" not in cp:
  512. continue
  513. if w in self.busts: # Check for busted
  514. continue
  515. cc = cp["class"]
  516. log.warn("{0} {1} - {2} {3}".format(s, sc, w, cc))
  517. if sc in (1, 5) and cc in (2, 4):
  518. # Good!
  519. log.warn("GOOD: {0}".format(s))
  520. obj.target_sector = s
  521. return s
  522. if sc in (2, 4) and cc in (1, 5):
  523. # Good!
  524. log.warn("GOOD: {0}".format(s))
  525. obj.target_sector = s
  526. return s
  527. # What about "OK" pairs?
  528. # Ok, not found here.
  529. searched.update(look)
  530. step_from = look
  531. look = set()
  532. for s in step_from:
  533. if s in self.warps:
  534. look.update(self.warps[s])
  535. # Look only contains warps we haven't searched
  536. look = look.difference(searched)
  537. yield
  538. obj.target_sector = None
  539. return None
  540. def find_nearest_evilpairs(self, sector: int, obj):
  541. """ find nearest evilpair
  542. XXB -=- XXB
  543. When do we use good? When do we use ok?
  544. """
  545. searched = set()
  546. if sector not in self.warps:
  547. log.warn(":Sector {0} not in warps.".format(sector))
  548. obj.target_sector = None
  549. return None
  550. if sector in self.busts:
  551. log.warn(":Sector {0} in busted".format(sector))
  552. obj.target_sector = None
  553. return None
  554. # Start with the current sector
  555. look = set((sector,))
  556. while len(look) > 0:
  557. log.warn("Searched [{0}]".format(searched))
  558. log.warn("Checking [{0}]".format(look))
  559. for s in look:
  560. if s in self.ports:
  561. # Ok, there's a port at least
  562. sp = self.ports[s]
  563. if sp["port"] in ("Special", "StarDock"):
  564. continue
  565. if self.port_burnt(sp):
  566. continue
  567. if "class" not in sp:
  568. continue
  569. if s in self.busts: # Check for busted port
  570. continue
  571. sc = sp["class"]
  572. if s not in self.warps:
  573. continue
  574. log.warn("{0} has warps {1}".format(s, self.warps[s]))
  575. # Ok, check for tradepairs.
  576. for w in self.warps[s]:
  577. if not w in self.warps:
  578. continue
  579. if not s in self.warps[w]:
  580. continue
  581. if not w in self.ports:
  582. continue
  583. # Ok, has possible port
  584. cp = self.ports[w]
  585. if cp["port"] in ("Special", "StarDock"):
  586. continue
  587. if self.port_burnt(cp):
  588. continue
  589. if "class" not in cp:
  590. continue
  591. if w in self.busts: # Check for busted
  592. continue
  593. cc = cp["class"]
  594. log.warn("{0} {1} - {2} {3}".format(s, sc, w, cc))
  595. if sc in (2, 3, 4, 8) and cc in (2, 3, 4, 8):
  596. # Good!
  597. log.warn("GOOD: {0}".format(s))
  598. obj.target_sector = s
  599. return s
  600. # What about "OK" pairs?
  601. # Ok, not found here.
  602. searched.update(look)
  603. step_from = look
  604. look = set()
  605. for s in step_from:
  606. if s in self.warps:
  607. look.update(self.warps[s])
  608. # Look only contains warps we haven't searched
  609. look = look.difference(searched)
  610. yield
  611. obj.target_sector = None
  612. return None
  613. def find_nearest_selling(
  614. self, sector: int, selling: str, at_least: int = 100
  615. ) -> int:
  616. """ find nearest port that is selling at_least amount of this item
  617. selling is 'f', 'o', or 'e'.
  618. """
  619. names = {"e": "equ", "o": "org", "f": "fuel"}
  620. pos = {"f": 0, "o": 1, "e": 2}
  621. sell = names[selling[0].lower()]
  622. s_pos = pos[selling[0].lower()]
  623. log.warn(
  624. "find_nearest_selling({0}, {1}, {2}): {3}, {4}".format(
  625. sector, selling, at_least, sell, s_pos
  626. )
  627. )
  628. searched = set()
  629. if sector not in self.warps:
  630. log.warn("( {0}, {1}): sector not in warps".format(sector, selling))
  631. return 0
  632. if sector in self.busts:
  633. log.warn(
  634. "({0}, {1}): sector is in busted ports list".format(sector, selling)
  635. )
  636. return 0
  637. # Start with the current sector
  638. look = set((sector,))
  639. while len(look) > 0:
  640. for s in look:
  641. if s in self.ports:
  642. # Ok, possibly?
  643. sp = self.ports[s]
  644. if sp["port"] in ("Special", "StarDock"):
  645. continue
  646. if s in self.busts: # Busted!
  647. continue
  648. if sp["port"][s_pos] == "S":
  649. # Ok, they are selling!
  650. if sell in sp:
  651. if int(sp[sell]["units"]) >= at_least:
  652. log.warn(
  653. "find_nearest_selling( {0}, {1}): {2} {3} units".format(
  654. sector, selling, s, sp[sell]["units"]
  655. )
  656. )
  657. return s
  658. else:
  659. # We know they sell it, but we don't know units
  660. log.warn(
  661. "find_nearest_selling( {0}, {1}): {2} {3}".format(
  662. sector, selling, s, sp["port"]
  663. )
  664. )
  665. return s
  666. # Ok, not found here. Branch out.
  667. searched.update(look)
  668. step_from = look
  669. look = set()
  670. for s in step_from:
  671. if s in self.warps:
  672. look.update(self.warps[s])
  673. # look only contains warps we haven't searched
  674. look = look.difference(searched)
  675. # Ok, we have run out of places to search
  676. log.warn("find_nearest_selling( {0}, {1}) : failed".format(sector, selling))
  677. return 0