object_store.py 25 KB

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