object_store.py 24 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747
  1. # object_store.py -- Object store for git objects
  2. # Copyright (C) 2008-2009 Jelmer Vernooij <jelmer@samba.org>
  3. #
  4. # This program is free software; you can redistribute it and/or
  5. # modify it under the terms of the GNU General Public License
  6. # as published by the Free Software Foundation; either version 2
  7. # or (at your option) a later version of the License.
  8. #
  9. # This program is distributed in the hope that it will be useful,
  10. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  11. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  12. # GNU General Public License for more details.
  13. #
  14. # You should have received a copy of the GNU General Public License
  15. # along with this program; if not, write to the Free Software
  16. # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
  17. # MA 02110-1301, USA.
  18. """Git object store interfaces and implementation."""
  19. import errno
  20. import itertools
  21. import os
  22. import posixpath
  23. import stat
  24. import tempfile
  25. import urllib2
  26. from dulwich.errors import (
  27. NotTreeError,
  28. )
  29. from dulwich.file import GitFile
  30. from dulwich.objects import (
  31. Commit,
  32. ShaFile,
  33. Tag,
  34. Tree,
  35. hex_to_sha,
  36. sha_to_hex,
  37. hex_to_filename,
  38. S_ISGITLINK,
  39. )
  40. from dulwich.pack import (
  41. Pack,
  42. PackData,
  43. iter_sha1,
  44. load_pack_index,
  45. write_pack,
  46. write_pack_data,
  47. write_pack_index_v2,
  48. )
  49. PACKDIR = 'pack'
  50. class BaseObjectStore(object):
  51. """Object store interface."""
  52. def determine_wants_all(self, refs):
  53. return [sha for (ref, sha) in refs.iteritems() if not sha in self and not ref.endswith("^{}")]
  54. def iter_shas(self, shas):
  55. """Iterate over the objects for the specified shas.
  56. :param shas: Iterable object with SHAs
  57. :return: Object iterator
  58. """
  59. return ObjectStoreIterator(self, shas)
  60. def contains_loose(self, sha):
  61. """Check if a particular object is present by SHA1 and is loose."""
  62. raise NotImplementedError(self.contains_loose)
  63. def contains_packed(self, sha):
  64. """Check if a particular object is present by SHA1 and is packed."""
  65. raise NotImplementedError(self.contains_packed)
  66. def __contains__(self, sha):
  67. """Check if a particular object is present by SHA1.
  68. This method makes no distinction between loose and packed objects.
  69. """
  70. return self.contains_packed(sha) or self.contains_loose(sha)
  71. @property
  72. def packs(self):
  73. """Iterable of pack objects."""
  74. raise NotImplementedError
  75. def get_raw(self, name):
  76. """Obtain the raw text for an object.
  77. :param name: sha for the object.
  78. :return: tuple with numeric type and object contents.
  79. """
  80. raise NotImplementedError(self.get_raw)
  81. def __getitem__(self, sha):
  82. """Obtain an object by SHA1."""
  83. type_num, uncomp = self.get_raw(sha)
  84. return ShaFile.from_raw_string(type_num, uncomp)
  85. def __iter__(self):
  86. """Iterate over the SHAs that are present in this store."""
  87. raise NotImplementedError(self.__iter__)
  88. def add_object(self, obj):
  89. """Add a single object to this object store.
  90. """
  91. raise NotImplementedError(self.add_object)
  92. def add_objects(self, objects):
  93. """Add a set of objects to this object store.
  94. :param objects: Iterable over a list of objects.
  95. """
  96. raise NotImplementedError(self.add_objects)
  97. def tree_changes(self, source, target, want_unchanged=False):
  98. """Find the differences between the contents of two trees
  99. :param object_store: Object store to use for retrieving tree contents
  100. :param tree: SHA1 of the root tree
  101. :param want_unchanged: Whether unchanged files should be reported
  102. :return: Iterator over tuples with (oldpath, newpath), (oldmode, newmode), (oldsha, newsha)
  103. """
  104. todo = set([(source, target, "")])
  105. while todo:
  106. (sid, tid, path) = todo.pop()
  107. if sid is not None:
  108. stree = self[sid]
  109. else:
  110. stree = {}
  111. if tid is not None:
  112. ttree = self[tid]
  113. else:
  114. ttree = {}
  115. for name, oldmode, oldhexsha in stree.iteritems():
  116. oldchildpath = posixpath.join(path, name)
  117. try:
  118. (newmode, newhexsha) = ttree[name]
  119. newchildpath = oldchildpath
  120. except KeyError:
  121. newmode = None
  122. newhexsha = None
  123. newchildpath = None
  124. if (want_unchanged or oldmode != newmode or
  125. oldhexsha != newhexsha):
  126. if stat.S_ISDIR(oldmode):
  127. if newmode is None or stat.S_ISDIR(newmode):
  128. todo.add((oldhexsha, newhexsha, oldchildpath))
  129. else:
  130. # entry became a file
  131. todo.add((oldhexsha, None, oldchildpath))
  132. yield ((None, newchildpath), (None, newmode), (None, newhexsha))
  133. else:
  134. if newmode is not None and stat.S_ISDIR(newmode):
  135. # entry became a dir
  136. yield ((oldchildpath, None), (oldmode, None), (oldhexsha, None))
  137. todo.add((None, newhexsha, newchildpath))
  138. else:
  139. yield ((oldchildpath, newchildpath), (oldmode, newmode), (oldhexsha, newhexsha))
  140. for name, newmode, newhexsha in ttree.iteritems():
  141. childpath = posixpath.join(path, name)
  142. if not name in stree:
  143. if not stat.S_ISDIR(newmode):
  144. yield ((None, childpath), (None, newmode), (None, newhexsha))
  145. else:
  146. todo.add((None, newhexsha, childpath))
  147. def iter_tree_contents(self, tree):
  148. """Yield (path, mode, hexsha) tuples for all non-Tree objects in a tree.
  149. :param tree: SHA1 of the root of the tree
  150. """
  151. todo = set([(tree, "")])
  152. while todo:
  153. (tid, tpath) = todo.pop()
  154. tree = self[tid]
  155. for name, mode, hexsha in tree.iteritems():
  156. path = posixpath.join(tpath, name)
  157. if stat.S_ISDIR(mode):
  158. todo.add((hexsha, path))
  159. else:
  160. yield path, mode, hexsha
  161. def find_missing_objects(self, haves, wants, progress=None,
  162. get_tagged=None):
  163. """Find the missing objects required for a set of revisions.
  164. :param haves: Iterable over SHAs already in common.
  165. :param wants: Iterable over SHAs of objects to fetch.
  166. :param progress: Simple progress function that will be called with
  167. updated progress strings.
  168. :param get_tagged: Function that returns a dict of pointed-to sha -> tag
  169. sha for including tags.
  170. :return: Iterator over (sha, path) pairs.
  171. """
  172. finder = MissingObjectFinder(self, haves, wants, progress, get_tagged)
  173. return iter(finder.next, None)
  174. def find_common_revisions(self, graphwalker):
  175. """Find which revisions this store has in common using graphwalker.
  176. :param graphwalker: A graphwalker object.
  177. :return: List of SHAs that are in common
  178. """
  179. haves = []
  180. sha = graphwalker.next()
  181. while sha:
  182. if sha in self:
  183. haves.append(sha)
  184. graphwalker.ack(sha)
  185. sha = graphwalker.next()
  186. return haves
  187. def get_graph_walker(self, heads):
  188. """Obtain a graph walker for this object store.
  189. :param heads: Local heads to start search with
  190. :return: GraphWalker object
  191. """
  192. return ObjectStoreGraphWalker(heads, lambda sha: self[sha].parents)
  193. def generate_pack_contents(self, have, want, progress=None):
  194. """Iterate over the contents of a pack file.
  195. :param have: List of SHA1s of objects that should not be sent
  196. :param want: List of SHA1s of objects that should be sent
  197. :param progress: Optional progress reporting method
  198. """
  199. return self.iter_shas(self.find_missing_objects(have, want, progress))
  200. class PackBasedObjectStore(BaseObjectStore):
  201. def __init__(self):
  202. self._pack_cache = None
  203. def contains_packed(self, sha):
  204. """Check if a particular object is present by SHA1 and is packed."""
  205. for pack in self.packs:
  206. if sha in pack:
  207. return True
  208. return False
  209. def _load_packs(self):
  210. raise NotImplementedError(self._load_packs)
  211. def _pack_cache_stale(self):
  212. """Check whether the pack cache is stale."""
  213. raise NotImplementedError(self._pack_cache_stale)
  214. def _add_known_pack(self, pack):
  215. """Add a newly appeared pack to the cache by path.
  216. """
  217. if self._pack_cache is not None:
  218. self._pack_cache.append(pack)
  219. @property
  220. def packs(self):
  221. """List with pack objects."""
  222. if self._pack_cache is None or self._pack_cache_stale():
  223. self._pack_cache = self._load_packs()
  224. return self._pack_cache
  225. def _iter_loose_objects(self):
  226. raise NotImplementedError(self._iter_loose_objects)
  227. def _get_loose_object(self, sha):
  228. raise NotImplementedError(self._get_loose_object)
  229. def __iter__(self):
  230. """Iterate over the SHAs that are present in this store."""
  231. iterables = self.packs + [self._iter_loose_objects()]
  232. return itertools.chain(*iterables)
  233. def contains_loose(self, sha):
  234. """Check if a particular object is present by SHA1 and is loose."""
  235. return self._get_loose_object(sha) is not None
  236. def get_raw(self, name):
  237. """Obtain the raw text for an object.
  238. :param name: sha for the object.
  239. :return: tuple with numeric type and object contents.
  240. """
  241. if len(name) == 40:
  242. sha = hex_to_sha(name)
  243. hexsha = name
  244. elif len(name) == 20:
  245. sha = name
  246. hexsha = None
  247. else:
  248. raise AssertionError
  249. for pack in self.packs:
  250. try:
  251. return pack.get_raw(sha)
  252. except KeyError:
  253. pass
  254. if hexsha is None:
  255. hexsha = sha_to_hex(name)
  256. ret = self._get_loose_object(hexsha)
  257. if ret is not None:
  258. return ret.type_num, ret.as_raw_string()
  259. raise KeyError(hexsha)
  260. def add_objects(self, objects):
  261. """Add a set of objects to this object store.
  262. :param objects: Iterable over objects, should support __len__.
  263. """
  264. if len(objects) == 0:
  265. # Don't bother writing an empty pack file
  266. return
  267. f, commit = self.add_pack()
  268. write_pack_data(f, objects, len(objects))
  269. commit()
  270. class DiskObjectStore(PackBasedObjectStore):
  271. """Git-style object store that exists on disk."""
  272. def __init__(self, path):
  273. """Open an object store.
  274. :param path: Path of the object store.
  275. """
  276. super(DiskObjectStore, self).__init__()
  277. self.path = path
  278. self.pack_dir = os.path.join(self.path, PACKDIR)
  279. self._pack_cache_time = 0
  280. def _load_packs(self):
  281. pack_files = []
  282. try:
  283. self._pack_cache_time = os.stat(self.pack_dir).st_mtime
  284. pack_dir_contents = os.listdir(self.pack_dir)
  285. for name in pack_dir_contents:
  286. # TODO: verify that idx exists first
  287. if name.startswith("pack-") and name.endswith(".pack"):
  288. filename = os.path.join(self.pack_dir, name)
  289. pack_files.append((os.stat(filename).st_mtime, filename))
  290. except OSError, e:
  291. if e.errno == errno.ENOENT:
  292. return []
  293. raise
  294. pack_files.sort(reverse=True)
  295. suffix_len = len(".pack")
  296. return [Pack(f[:-suffix_len]) for _, f in pack_files]
  297. def _pack_cache_stale(self):
  298. try:
  299. return os.stat(self.pack_dir).st_mtime > self._pack_cache_time
  300. except OSError, e:
  301. if e.errno == errno.ENOENT:
  302. return True
  303. raise
  304. def _get_shafile_path(self, sha):
  305. # Check from object dir
  306. return hex_to_filename(self.path, sha)
  307. def _iter_loose_objects(self):
  308. for base in os.listdir(self.path):
  309. if len(base) != 2:
  310. continue
  311. for rest in os.listdir(os.path.join(self.path, base)):
  312. yield base+rest
  313. def _get_loose_object(self, sha):
  314. path = self._get_shafile_path(sha)
  315. try:
  316. return ShaFile.from_file(path)
  317. except (OSError, IOError), e:
  318. if e.errno == errno.ENOENT:
  319. return None
  320. raise
  321. def move_in_thin_pack(self, path):
  322. """Move a specific file containing a pack into the pack directory.
  323. :note: The file should be on the same file system as the
  324. packs directory.
  325. :param path: Path to the pack file.
  326. """
  327. data = PackData(path)
  328. # Write index for the thin pack (do we really need this?)
  329. temppath = os.path.join(self.pack_dir,
  330. sha_to_hex(urllib2.randombytes(20))+".tempidx")
  331. data.create_index_v2(temppath, self.get_raw)
  332. p = Pack.from_objects(data, load_pack_index(temppath))
  333. # Write a full pack version
  334. temppath = os.path.join(self.pack_dir,
  335. sha_to_hex(urllib2.randombytes(20))+".temppack")
  336. write_pack(temppath, ((o, None) for o in p.iterobjects(self.get_raw)),
  337. len(p))
  338. pack_sha = load_pack_index(temppath+".idx").objects_sha1()
  339. newbasename = os.path.join(self.pack_dir, "pack-%s" % pack_sha)
  340. os.rename(temppath+".pack", newbasename+".pack")
  341. os.rename(temppath+".idx", newbasename+".idx")
  342. self._add_known_pack(Pack(newbasename))
  343. def move_in_pack(self, path):
  344. """Move a specific file containing a pack into the pack directory.
  345. :note: The file should be on the same file system as the
  346. packs directory.
  347. :param path: Path to the pack file.
  348. """
  349. p = PackData(path)
  350. entries = p.sorted_entries()
  351. basename = os.path.join(self.pack_dir,
  352. "pack-%s" % iter_sha1(entry[0] for entry in entries))
  353. write_pack_index_v2(basename+".idx", entries, p.get_stored_checksum())
  354. p.close()
  355. os.rename(path, basename + ".pack")
  356. self._add_known_pack(Pack(basename))
  357. def add_thin_pack(self):
  358. """Add a new thin pack to this object store.
  359. Thin packs are packs that contain deltas with parents that exist
  360. in a different pack.
  361. """
  362. fd, path = tempfile.mkstemp(dir=self.pack_dir, suffix=".pack")
  363. f = os.fdopen(fd, 'wb')
  364. def commit():
  365. os.fsync(fd)
  366. f.close()
  367. if os.path.getsize(path) > 0:
  368. self.move_in_thin_pack(path)
  369. return f, commit
  370. def add_pack(self):
  371. """Add a new pack to this object store.
  372. :return: Fileobject to write to and a commit function to
  373. call when the pack is finished.
  374. """
  375. fd, path = tempfile.mkstemp(dir=self.pack_dir, suffix=".pack")
  376. f = os.fdopen(fd, 'wb')
  377. def commit():
  378. os.fsync(fd)
  379. f.close()
  380. if os.path.getsize(path) > 0:
  381. self.move_in_pack(path)
  382. return f, commit
  383. def add_object(self, obj):
  384. """Add a single object to this object store.
  385. :param obj: Object to add
  386. """
  387. dir = os.path.join(self.path, obj.id[:2])
  388. try:
  389. os.mkdir(dir)
  390. except OSError, e:
  391. if e.errno != errno.EEXIST:
  392. raise
  393. path = os.path.join(dir, obj.id[2:])
  394. if os.path.exists(path):
  395. return # Already there, no need to write again
  396. f = GitFile(path, 'wb')
  397. try:
  398. f.write(obj.as_legacy_object())
  399. finally:
  400. f.close()
  401. @classmethod
  402. def init(cls, path):
  403. try:
  404. os.mkdir(path)
  405. except OSError, e:
  406. if e.errno != errno.EEXIST:
  407. raise
  408. os.mkdir(os.path.join(path, "info"))
  409. os.mkdir(os.path.join(path, PACKDIR))
  410. return cls(path)
  411. class MemoryObjectStore(BaseObjectStore):
  412. """Object store that keeps all objects in memory."""
  413. def __init__(self):
  414. super(MemoryObjectStore, self).__init__()
  415. self._data = {}
  416. def contains_loose(self, sha):
  417. """Check if a particular object is present by SHA1 and is loose."""
  418. return sha in self._data
  419. def contains_packed(self, sha):
  420. """Check if a particular object is present by SHA1 and is packed."""
  421. return False
  422. def __iter__(self):
  423. """Iterate over the SHAs that are present in this store."""
  424. return self._data.iterkeys()
  425. @property
  426. def packs(self):
  427. """List with pack objects."""
  428. return []
  429. def get_raw(self, name):
  430. """Obtain the raw text for an object.
  431. :param name: sha for the object.
  432. :return: tuple with numeric type and object contents.
  433. """
  434. return self[name].as_raw_string()
  435. def __getitem__(self, name):
  436. return self._data[name]
  437. def add_object(self, obj):
  438. """Add a single object to this object store.
  439. """
  440. self._data[obj.id] = obj
  441. def add_objects(self, objects):
  442. """Add a set of objects to this object store.
  443. :param objects: Iterable over a list of objects.
  444. """
  445. for obj, path in objects:
  446. self._data[obj.id] = obj
  447. class ObjectImporter(object):
  448. """Interface for importing objects."""
  449. def __init__(self, count):
  450. """Create a new ObjectImporter.
  451. :param count: Number of objects that's going to be imported.
  452. """
  453. self.count = count
  454. def add_object(self, object):
  455. """Add an object."""
  456. raise NotImplementedError(self.add_object)
  457. def finish(self, object):
  458. """Finish the imoprt and write objects to disk."""
  459. raise NotImplementedError(self.finish)
  460. class ObjectIterator(object):
  461. """Interface for iterating over objects."""
  462. def iterobjects(self):
  463. raise NotImplementedError(self.iterobjects)
  464. class ObjectStoreIterator(ObjectIterator):
  465. """ObjectIterator that works on top of an ObjectStore."""
  466. def __init__(self, store, sha_iter):
  467. """Create a new ObjectIterator.
  468. :param store: Object store to retrieve from
  469. :param sha_iter: Iterator over (sha, path) tuples
  470. """
  471. self.store = store
  472. self.sha_iter = sha_iter
  473. self._shas = []
  474. def __iter__(self):
  475. """Yield tuple with next object and path."""
  476. for sha, path in self.itershas():
  477. yield self.store[sha], path
  478. def iterobjects(self):
  479. """Iterate over just the objects."""
  480. for o, path in self:
  481. yield o
  482. def itershas(self):
  483. """Iterate over the SHAs."""
  484. for sha in self._shas:
  485. yield sha
  486. for sha in self.sha_iter:
  487. self._shas.append(sha)
  488. yield sha
  489. def __contains__(self, needle):
  490. """Check if an object is present.
  491. :note: This checks if the object is present in
  492. the underlying object store, not if it would
  493. be yielded by the iterator.
  494. :param needle: SHA1 of the object to check for
  495. """
  496. return needle in self.store
  497. def __getitem__(self, key):
  498. """Find an object by SHA1.
  499. :note: This retrieves the object from the underlying
  500. object store. It will also succeed if the object would
  501. not be returned by the iterator.
  502. """
  503. return self.store[key]
  504. def __len__(self):
  505. """Return the number of objects."""
  506. return len(list(self.itershas()))
  507. def tree_lookup_path(lookup_obj, root_sha, path):
  508. """Lookup an object in a Git tree.
  509. :param lookup_obj: Callback for retrieving object by SHA1
  510. :param root_sha: SHA1 of the root tree
  511. :param path: Path to lookup
  512. """
  513. parts = path.split("/")
  514. sha = root_sha
  515. mode = None
  516. for p in parts:
  517. obj = lookup_obj(sha)
  518. if not isinstance(obj, Tree):
  519. raise NotTreeError(sha)
  520. if p == '':
  521. continue
  522. mode, sha = obj[p]
  523. return mode, sha
  524. class MissingObjectFinder(object):
  525. """Find the objects missing from another object store.
  526. :param object_store: Object store containing at least all objects to be
  527. sent
  528. :param haves: SHA1s of commits not to send (already present in target)
  529. :param wants: SHA1s of commits to send
  530. :param progress: Optional function to report progress to.
  531. :param get_tagged: Function that returns a dict of pointed-to sha -> tag
  532. sha for including tags.
  533. :param tagged: dict of pointed-to sha -> tag sha for including tags
  534. """
  535. def __init__(self, object_store, haves, wants, progress=None,
  536. get_tagged=None):
  537. self.sha_done = set(haves)
  538. self.objects_to_send = set([(w, None, False) for w in wants if w not in haves])
  539. self.object_store = object_store
  540. if progress is None:
  541. self.progress = lambda x: None
  542. else:
  543. self.progress = progress
  544. self._tagged = get_tagged and get_tagged() or {}
  545. def add_todo(self, entries):
  546. self.objects_to_send.update([e for e in entries if not e[0] in self.sha_done])
  547. def parse_tree(self, tree):
  548. self.add_todo([(sha, name, not stat.S_ISDIR(mode)) for (mode, name, sha) in tree.entries() if not S_ISGITLINK(mode)])
  549. def parse_commit(self, commit):
  550. self.add_todo([(commit.tree, "", False)])
  551. self.add_todo([(p, None, False) for p in commit.parents])
  552. def parse_tag(self, tag):
  553. self.add_todo([(tag.object[1], None, False)])
  554. def next(self):
  555. if not self.objects_to_send:
  556. return None
  557. (sha, name, leaf) = self.objects_to_send.pop()
  558. if not leaf:
  559. o = self.object_store[sha]
  560. if isinstance(o, Commit):
  561. self.parse_commit(o)
  562. elif isinstance(o, Tree):
  563. self.parse_tree(o)
  564. elif isinstance(o, Tag):
  565. self.parse_tag(o)
  566. if sha in self._tagged:
  567. self.add_todo([(self._tagged[sha], None, True)])
  568. self.sha_done.add(sha)
  569. self.progress("counting objects: %d\r" % len(self.sha_done))
  570. return (sha, name)
  571. class ObjectStoreGraphWalker(object):
  572. """Graph walker that finds out what commits are missing from an object
  573. store.
  574. :ivar heads: Revisions without descendants in the local repo
  575. :ivar get_parents: Function to retrieve parents in the local repo
  576. """
  577. def __init__(self, local_heads, get_parents):
  578. """Create a new instance.
  579. :param local_heads: Heads to start search with
  580. :param get_parents: Function for finding the parents of a SHA1.
  581. """
  582. self.heads = set(local_heads)
  583. self.get_parents = get_parents
  584. self.parents = {}
  585. def ack(self, sha):
  586. """Ack that a revision and its ancestors are present in the source."""
  587. ancestors = set([sha])
  588. # stop if we run out of heads to remove
  589. while self.heads:
  590. for a in ancestors:
  591. if a in self.heads:
  592. self.heads.remove(a)
  593. # collect all ancestors
  594. new_ancestors = set()
  595. for a in ancestors:
  596. if a in self.parents:
  597. new_ancestors.update(self.parents[a])
  598. # no more ancestors; stop
  599. if not new_ancestors:
  600. break
  601. ancestors = new_ancestors
  602. def next(self):
  603. """Iterate over ancestors of heads in the target."""
  604. if self.heads:
  605. ret = self.heads.pop()
  606. ps = self.get_parents(ret)
  607. self.parents[ret] = ps
  608. self.heads.update(ps)
  609. return ret
  610. return None