object_store.py 28 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879
  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 stat
  23. import tempfile
  24. from dulwich.diff_tree import (
  25. tree_changes,
  26. walk_trees,
  27. )
  28. from dulwich.errors import (
  29. NotTreeError,
  30. )
  31. from dulwich.file import GitFile
  32. from dulwich.objects import (
  33. Commit,
  34. ShaFile,
  35. Tag,
  36. Tree,
  37. ZERO_SHA,
  38. hex_to_sha,
  39. sha_to_hex,
  40. hex_to_filename,
  41. S_ISGITLINK,
  42. object_class,
  43. )
  44. from dulwich.pack import (
  45. Pack,
  46. PackData,
  47. iter_sha1,
  48. write_pack_header,
  49. write_pack_index_v2,
  50. write_pack_object,
  51. write_pack_objects,
  52. compute_file_sha,
  53. PackIndexer,
  54. PackStreamCopier,
  55. )
  56. INFODIR = 'info'
  57. PACKDIR = 'pack'
  58. class BaseObjectStore(object):
  59. """Object store interface."""
  60. def determine_wants_all(self, refs):
  61. return [sha for (ref, sha) in refs.iteritems()
  62. if not sha in self and not ref.endswith("^{}") and
  63. not sha == ZERO_SHA]
  64. def iter_shas(self, shas):
  65. """Iterate over the objects for the specified shas.
  66. :param shas: Iterable object with SHAs
  67. :return: Object iterator
  68. """
  69. return ObjectStoreIterator(self, shas)
  70. def contains_loose(self, sha):
  71. """Check if a particular object is present by SHA1 and is loose."""
  72. raise NotImplementedError(self.contains_loose)
  73. def contains_packed(self, sha):
  74. """Check if a particular object is present by SHA1 and is packed."""
  75. raise NotImplementedError(self.contains_packed)
  76. def __contains__(self, sha):
  77. """Check if a particular object is present by SHA1.
  78. This method makes no distinction between loose and packed objects.
  79. """
  80. return self.contains_packed(sha) or self.contains_loose(sha)
  81. @property
  82. def packs(self):
  83. """Iterable of pack objects."""
  84. raise NotImplementedError
  85. def get_raw(self, name):
  86. """Obtain the raw text for an object.
  87. :param name: sha for the object.
  88. :return: tuple with numeric type and object contents.
  89. """
  90. raise NotImplementedError(self.get_raw)
  91. def __getitem__(self, sha):
  92. """Obtain an object by SHA1."""
  93. type_num, uncomp = self.get_raw(sha)
  94. return ShaFile.from_raw_string(type_num, uncomp)
  95. def __iter__(self):
  96. """Iterate over the SHAs that are present in this store."""
  97. raise NotImplementedError(self.__iter__)
  98. def add_object(self, obj):
  99. """Add a single object to this object store.
  100. """
  101. raise NotImplementedError(self.add_object)
  102. def add_objects(self, objects):
  103. """Add a set of objects to this object store.
  104. :param objects: Iterable over a list of objects.
  105. """
  106. raise NotImplementedError(self.add_objects)
  107. def tree_changes(self, source, target, want_unchanged=False):
  108. """Find the differences between the contents of two trees
  109. :param object_store: Object store to use for retrieving tree contents
  110. :param tree: SHA1 of the root tree
  111. :param want_unchanged: Whether unchanged files should be reported
  112. :return: Iterator over tuples with
  113. (oldpath, newpath), (oldmode, newmode), (oldsha, newsha)
  114. """
  115. for change in tree_changes(self, source, target,
  116. want_unchanged=want_unchanged):
  117. yield ((change.old.path, change.new.path),
  118. (change.old.mode, change.new.mode),
  119. (change.old.sha, change.new.sha))
  120. def iter_tree_contents(self, tree_id, include_trees=False):
  121. """Iterate the contents of a tree and all subtrees.
  122. Iteration is depth-first pre-order, as in e.g. os.walk.
  123. :param tree_id: SHA1 of the tree.
  124. :param include_trees: If True, include tree objects in the iteration.
  125. :return: Iterator over TreeEntry namedtuples for all the objects in a
  126. tree.
  127. """
  128. for entry, _ in walk_trees(self, tree_id, None):
  129. if not stat.S_ISDIR(entry.mode) or include_trees:
  130. yield entry
  131. def find_missing_objects(self, haves, wants, progress=None,
  132. get_tagged=None):
  133. """Find the missing objects required for a set of revisions.
  134. :param haves: Iterable over SHAs already in common.
  135. :param wants: Iterable over SHAs of objects to fetch.
  136. :param progress: Simple progress function that will be called with
  137. updated progress strings.
  138. :param get_tagged: Function that returns a dict of pointed-to sha -> tag
  139. sha for including tags.
  140. :return: Iterator over (sha, path) pairs.
  141. """
  142. finder = MissingObjectFinder(self, haves, wants, progress, get_tagged)
  143. return iter(finder.next, None)
  144. def find_common_revisions(self, graphwalker):
  145. """Find which revisions this store has in common using graphwalker.
  146. :param graphwalker: A graphwalker object.
  147. :return: List of SHAs that are in common
  148. """
  149. haves = []
  150. sha = graphwalker.next()
  151. while sha:
  152. if sha in self:
  153. haves.append(sha)
  154. graphwalker.ack(sha)
  155. sha = graphwalker.next()
  156. return haves
  157. def get_graph_walker(self, heads):
  158. """Obtain a graph walker for this object store.
  159. :param heads: Local heads to start search with
  160. :return: GraphWalker object
  161. """
  162. return ObjectStoreGraphWalker(heads, lambda sha: self[sha].parents)
  163. def generate_pack_contents(self, have, want, progress=None):
  164. """Iterate over the contents of a pack file.
  165. :param have: List of SHA1s of objects that should not be sent
  166. :param want: List of SHA1s of objects that should be sent
  167. :param progress: Optional progress reporting method
  168. """
  169. return self.iter_shas(self.find_missing_objects(have, want, progress))
  170. def peel_sha(self, sha):
  171. """Peel all tags from a SHA.
  172. :param sha: The object SHA to peel.
  173. :return: The fully-peeled SHA1 of a tag object, after peeling all
  174. intermediate tags; if the original ref does not point to a tag, this
  175. will equal the original SHA1.
  176. """
  177. obj = self[sha]
  178. obj_class = object_class(obj.type_name)
  179. while obj_class is Tag:
  180. obj_class, sha = obj.object
  181. obj = self[sha]
  182. return obj
  183. class PackBasedObjectStore(BaseObjectStore):
  184. def __init__(self):
  185. self._pack_cache = None
  186. @property
  187. def alternates(self):
  188. return []
  189. def contains_packed(self, sha):
  190. """Check if a particular object is present by SHA1 and is packed."""
  191. for pack in self.packs:
  192. if sha in pack:
  193. return True
  194. return False
  195. def _load_packs(self):
  196. raise NotImplementedError(self._load_packs)
  197. def _pack_cache_stale(self):
  198. """Check whether the pack cache is stale."""
  199. raise NotImplementedError(self._pack_cache_stale)
  200. def _add_known_pack(self, pack):
  201. """Add a newly appeared pack to the cache by path.
  202. """
  203. if self._pack_cache is not None:
  204. self._pack_cache.append(pack)
  205. @property
  206. def packs(self):
  207. """List with pack objects."""
  208. if self._pack_cache is None or self._pack_cache_stale():
  209. self._pack_cache = self._load_packs()
  210. return self._pack_cache
  211. def _iter_loose_objects(self):
  212. """Iterate over the SHAs of all loose objects."""
  213. raise NotImplementedError(self._iter_loose_objects)
  214. def _get_loose_object(self, sha):
  215. raise NotImplementedError(self._get_loose_object)
  216. def _remove_loose_object(self, sha):
  217. raise NotImplementedError(self._remove_loose_object)
  218. def pack_loose_objects(self):
  219. """Pack loose objects.
  220. :return: Number of objects packed
  221. """
  222. objects = set()
  223. for sha in self._iter_loose_objects():
  224. objects.add((self._get_loose_object(sha), None))
  225. self.add_objects(list(objects))
  226. for obj, path in objects:
  227. self._remove_loose_object(obj.id)
  228. return len(objects)
  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("Invalid object name %r" % name)
  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. for alternate in self.alternates:
  260. try:
  261. return alternate.get_raw(hexsha)
  262. except KeyError:
  263. pass
  264. raise KeyError(hexsha)
  265. def add_objects(self, objects):
  266. """Add a set of objects to this object store.
  267. :param objects: Iterable over objects, should support __len__.
  268. :return: Pack object of the objects written.
  269. """
  270. if len(objects) == 0:
  271. # Don't bother writing an empty pack file
  272. return
  273. f, commit = self.add_pack()
  274. write_pack_objects(f, objects)
  275. return commit()
  276. class DiskObjectStore(PackBasedObjectStore):
  277. """Git-style object store that exists on disk."""
  278. def __init__(self, path):
  279. """Open an object store.
  280. :param path: Path of the object store.
  281. """
  282. super(DiskObjectStore, self).__init__()
  283. self.path = path
  284. self.pack_dir = os.path.join(self.path, PACKDIR)
  285. self._pack_cache_time = 0
  286. self._alternates = None
  287. @property
  288. def alternates(self):
  289. if self._alternates is not None:
  290. return self._alternates
  291. self._alternates = []
  292. for path in self._read_alternate_paths():
  293. self._alternates.append(DiskObjectStore(path))
  294. return self._alternates
  295. def _read_alternate_paths(self):
  296. try:
  297. f = GitFile(os.path.join(self.path, "info", "alternates"),
  298. 'rb')
  299. except (OSError, IOError), e:
  300. if e.errno == errno.ENOENT:
  301. return []
  302. raise
  303. ret = []
  304. try:
  305. for l in f.readlines():
  306. l = l.rstrip("\n")
  307. if l[0] == "#":
  308. continue
  309. if not os.path.isabs(l):
  310. continue
  311. ret.append(l)
  312. return ret
  313. finally:
  314. f.close()
  315. def add_alternate_path(self, path):
  316. """Add an alternate path to this object store.
  317. """
  318. try:
  319. os.mkdir(os.path.join(self.path, "info"))
  320. except OSError, e:
  321. if e.errno != errno.EEXIST:
  322. raise
  323. alternates_path = os.path.join(self.path, "info/alternates")
  324. f = GitFile(alternates_path, 'wb')
  325. try:
  326. try:
  327. orig_f = open(alternates_path, 'rb')
  328. except (OSError, IOError), e:
  329. if e.errno != errno.ENOENT:
  330. raise
  331. else:
  332. try:
  333. f.write(orig_f.read())
  334. finally:
  335. orig_f.close()
  336. f.write("%s\n" % path)
  337. finally:
  338. f.close()
  339. self.alternates.append(DiskObjectStore(path))
  340. def _load_packs(self):
  341. pack_files = []
  342. try:
  343. self._pack_cache_time = os.stat(self.pack_dir).st_mtime
  344. pack_dir_contents = os.listdir(self.pack_dir)
  345. for name in pack_dir_contents:
  346. # TODO: verify that idx exists first
  347. if name.startswith("pack-") and name.endswith(".pack"):
  348. filename = os.path.join(self.pack_dir, name)
  349. pack_files.append((os.stat(filename).st_mtime, filename))
  350. except OSError, e:
  351. if e.errno == errno.ENOENT:
  352. return []
  353. raise
  354. pack_files.sort(reverse=True)
  355. suffix_len = len(".pack")
  356. return [Pack(f[:-suffix_len]) for _, f in pack_files]
  357. def _pack_cache_stale(self):
  358. try:
  359. return os.stat(self.pack_dir).st_mtime > self._pack_cache_time
  360. except OSError, e:
  361. if e.errno == errno.ENOENT:
  362. return True
  363. raise
  364. def _get_shafile_path(self, sha):
  365. # Check from object dir
  366. return hex_to_filename(self.path, sha)
  367. def _iter_loose_objects(self):
  368. for base in os.listdir(self.path):
  369. if len(base) != 2:
  370. continue
  371. for rest in os.listdir(os.path.join(self.path, base)):
  372. yield base+rest
  373. def _get_loose_object(self, sha):
  374. path = self._get_shafile_path(sha)
  375. try:
  376. return ShaFile.from_path(path)
  377. except (OSError, IOError), e:
  378. if e.errno == errno.ENOENT:
  379. return None
  380. raise
  381. def _remove_loose_object(self, sha):
  382. os.remove(self._get_shafile_path(sha))
  383. def _complete_thin_pack(self, f, path, copier, indexer):
  384. """Move a specific file containing a pack into the pack directory.
  385. :note: The file should be on the same file system as the
  386. packs directory.
  387. :param f: Open file object for the pack.
  388. :param path: Path to the pack file.
  389. :param copier: A PackStreamCopier to use for writing pack data.
  390. :param indexer: A PackIndexer for indexing the pack.
  391. """
  392. entries = list(indexer)
  393. # Update the header with the new number of objects.
  394. f.seek(0)
  395. write_pack_header(f, len(entries) + len(indexer.ext_refs()))
  396. # Rescan the rest of the pack, computing the SHA with the new header.
  397. new_sha = compute_file_sha(f, end_ofs=-20)
  398. # Complete the pack.
  399. for ext_sha in indexer.ext_refs():
  400. assert len(ext_sha) == 20
  401. type_num, data = self.get_raw(ext_sha)
  402. offset = f.tell()
  403. crc32 = write_pack_object(f, type_num, data, sha=new_sha)
  404. entries.append((ext_sha, offset, crc32))
  405. pack_sha = new_sha.digest()
  406. f.write(pack_sha)
  407. f.close()
  408. # Move the pack in.
  409. entries.sort()
  410. pack_base_name = os.path.join(
  411. self.pack_dir, 'pack-' + iter_sha1(e[0] for e in entries))
  412. os.rename(path, pack_base_name + '.pack')
  413. # Write the index.
  414. index_file = GitFile(pack_base_name + '.idx', 'wb')
  415. try:
  416. write_pack_index_v2(index_file, entries, pack_sha)
  417. index_file.close()
  418. finally:
  419. index_file.abort()
  420. # Add the pack to the store and return it.
  421. final_pack = Pack(pack_base_name)
  422. final_pack.check_length_and_checksum()
  423. self._add_known_pack(final_pack)
  424. return final_pack
  425. def add_thin_pack(self, read_all, read_some):
  426. """Add a new thin pack to this object store.
  427. Thin packs are packs that contain deltas with parents that exist outside
  428. the pack. They should never be placed in the object store directly, and
  429. always indexed and completed as they are copied.
  430. :param read_all: Read function that blocks until the number of requested
  431. bytes are read.
  432. :param read_some: Read function that returns at least one byte, but may
  433. not return the number of bytes requested.
  434. :return: A Pack object pointing at the now-completed thin pack in the
  435. objects/pack directory.
  436. """
  437. fd, path = tempfile.mkstemp(dir=self.path, prefix='tmp_pack_')
  438. f = os.fdopen(fd, 'w+b')
  439. try:
  440. indexer = PackIndexer(f, resolve_ext_ref=self.get_raw)
  441. copier = PackStreamCopier(read_all, read_some, f,
  442. delta_iter=indexer)
  443. copier.verify()
  444. return self._complete_thin_pack(f, path, copier, indexer)
  445. finally:
  446. f.close()
  447. def move_in_pack(self, path):
  448. """Move a specific file containing a pack into the pack directory.
  449. :note: The file should be on the same file system as the
  450. packs directory.
  451. :param path: Path to the pack file.
  452. """
  453. p = PackData(path)
  454. entries = p.sorted_entries()
  455. basename = os.path.join(self.pack_dir,
  456. "pack-%s" % iter_sha1(entry[0] for entry in entries))
  457. f = GitFile(basename+".idx", "wb")
  458. try:
  459. write_pack_index_v2(f, entries, p.get_stored_checksum())
  460. finally:
  461. f.close()
  462. p.close()
  463. os.rename(path, basename + ".pack")
  464. final_pack = Pack(basename)
  465. self._add_known_pack(final_pack)
  466. return final_pack
  467. def add_pack(self):
  468. """Add a new pack to this object store.
  469. :return: Fileobject to write to and a commit function to
  470. call when the pack is finished.
  471. """
  472. fd, path = tempfile.mkstemp(dir=self.pack_dir, suffix=".pack")
  473. f = os.fdopen(fd, 'wb')
  474. def commit():
  475. os.fsync(fd)
  476. f.close()
  477. if os.path.getsize(path) > 0:
  478. return self.move_in_pack(path)
  479. else:
  480. os.remove(path)
  481. return None
  482. return f, commit
  483. def add_object(self, obj):
  484. """Add a single object to this object store.
  485. :param obj: Object to add
  486. """
  487. dir = os.path.join(self.path, obj.id[:2])
  488. try:
  489. os.mkdir(dir)
  490. except OSError, e:
  491. if e.errno != errno.EEXIST:
  492. raise
  493. path = os.path.join(dir, obj.id[2:])
  494. if os.path.exists(path):
  495. return # Already there, no need to write again
  496. f = GitFile(path, 'wb')
  497. try:
  498. f.write(obj.as_legacy_object())
  499. finally:
  500. f.close()
  501. @classmethod
  502. def init(cls, path):
  503. try:
  504. os.mkdir(path)
  505. except OSError, e:
  506. if e.errno != errno.EEXIST:
  507. raise
  508. os.mkdir(os.path.join(path, "info"))
  509. os.mkdir(os.path.join(path, PACKDIR))
  510. return cls(path)
  511. class MemoryObjectStore(BaseObjectStore):
  512. """Object store that keeps all objects in memory."""
  513. def __init__(self):
  514. super(MemoryObjectStore, self).__init__()
  515. self._data = {}
  516. def _to_hexsha(self, sha):
  517. if len(sha) == 40:
  518. return sha
  519. elif len(sha) == 20:
  520. return sha_to_hex(sha)
  521. else:
  522. raise ValueError("Invalid sha %r" % sha)
  523. def contains_loose(self, sha):
  524. """Check if a particular object is present by SHA1 and is loose."""
  525. return self._to_hexsha(sha) in self._data
  526. def contains_packed(self, sha):
  527. """Check if a particular object is present by SHA1 and is packed."""
  528. return False
  529. def __iter__(self):
  530. """Iterate over the SHAs that are present in this store."""
  531. return self._data.iterkeys()
  532. @property
  533. def packs(self):
  534. """List with pack objects."""
  535. return []
  536. def get_raw(self, name):
  537. """Obtain the raw text for an object.
  538. :param name: sha for the object.
  539. :return: tuple with numeric type and object contents.
  540. """
  541. obj = self[self._to_hexsha(name)]
  542. return obj.type_num, obj.as_raw_string()
  543. def __getitem__(self, name):
  544. return self._data[self._to_hexsha(name)]
  545. def __delitem__(self, name):
  546. """Delete an object from this store, for testing only."""
  547. del self._data[self._to_hexsha(name)]
  548. def add_object(self, obj):
  549. """Add a single object to this object store.
  550. """
  551. self._data[obj.id] = obj
  552. def add_objects(self, objects):
  553. """Add a set of objects to this object store.
  554. :param objects: Iterable over a list of objects.
  555. """
  556. for obj, path in objects:
  557. self._data[obj.id] = obj
  558. class ObjectImporter(object):
  559. """Interface for importing objects."""
  560. def __init__(self, count):
  561. """Create a new ObjectImporter.
  562. :param count: Number of objects that's going to be imported.
  563. """
  564. self.count = count
  565. def add_object(self, object):
  566. """Add an object."""
  567. raise NotImplementedError(self.add_object)
  568. def finish(self, object):
  569. """Finish the import and write objects to disk."""
  570. raise NotImplementedError(self.finish)
  571. class ObjectIterator(object):
  572. """Interface for iterating over objects."""
  573. def iterobjects(self):
  574. raise NotImplementedError(self.iterobjects)
  575. class ObjectStoreIterator(ObjectIterator):
  576. """ObjectIterator that works on top of an ObjectStore."""
  577. def __init__(self, store, sha_iter):
  578. """Create a new ObjectIterator.
  579. :param store: Object store to retrieve from
  580. :param sha_iter: Iterator over (sha, path) tuples
  581. """
  582. self.store = store
  583. self.sha_iter = sha_iter
  584. self._shas = []
  585. def __iter__(self):
  586. """Yield tuple with next object and path."""
  587. for sha, path in self.itershas():
  588. yield self.store[sha], path
  589. def iterobjects(self):
  590. """Iterate over just the objects."""
  591. for o, path in self:
  592. yield o
  593. def itershas(self):
  594. """Iterate over the SHAs."""
  595. for sha in self._shas:
  596. yield sha
  597. for sha in self.sha_iter:
  598. self._shas.append(sha)
  599. yield sha
  600. def __contains__(self, needle):
  601. """Check if an object is present.
  602. :note: This checks if the object is present in
  603. the underlying object store, not if it would
  604. be yielded by the iterator.
  605. :param needle: SHA1 of the object to check for
  606. """
  607. return needle in self.store
  608. def __getitem__(self, key):
  609. """Find an object by SHA1.
  610. :note: This retrieves the object from the underlying
  611. object store. It will also succeed if the object would
  612. not be returned by the iterator.
  613. """
  614. return self.store[key]
  615. def __len__(self):
  616. """Return the number of objects."""
  617. return len(list(self.itershas()))
  618. def tree_lookup_path(lookup_obj, root_sha, path):
  619. """Look up an object in a Git tree.
  620. :param lookup_obj: Callback for retrieving object by SHA1
  621. :param root_sha: SHA1 of the root tree
  622. :param path: Path to lookup
  623. :return: A tuple of (mode, SHA) of the resulting path.
  624. """
  625. tree = lookup_obj(root_sha)
  626. if not isinstance(tree, Tree):
  627. raise NotTreeError(root_sha)
  628. return tree.lookup_path(lookup_obj, path)
  629. class MissingObjectFinder(object):
  630. """Find the objects missing from another object store.
  631. :param object_store: Object store containing at least all objects to be
  632. sent
  633. :param haves: SHA1s of commits not to send (already present in target)
  634. :param wants: SHA1s of commits to send
  635. :param progress: Optional function to report progress to.
  636. :param get_tagged: Function that returns a dict of pointed-to sha -> tag
  637. sha for including tags.
  638. :param tagged: dict of pointed-to sha -> tag sha for including tags
  639. """
  640. def __init__(self, object_store, haves, wants, progress=None,
  641. get_tagged=None):
  642. haves = set(haves)
  643. self.sha_done = haves
  644. self.objects_to_send = set([(w, None, False) for w in wants
  645. if w not in haves])
  646. self.object_store = object_store
  647. if progress is None:
  648. self.progress = lambda x: None
  649. else:
  650. self.progress = progress
  651. self._tagged = get_tagged and get_tagged() or {}
  652. def add_todo(self, entries):
  653. self.objects_to_send.update([e for e in entries
  654. if not e[0] in self.sha_done])
  655. def parse_tree(self, tree):
  656. self.add_todo([(sha, name, not stat.S_ISDIR(mode))
  657. for name, mode, sha in tree.iteritems()
  658. if not S_ISGITLINK(mode)])
  659. def parse_commit(self, commit):
  660. self.add_todo([(commit.tree, "", False)])
  661. self.add_todo([(p, None, False) for p in commit.parents])
  662. def parse_tag(self, tag):
  663. self.add_todo([(tag.object[1], None, False)])
  664. def next(self):
  665. while True:
  666. if not self.objects_to_send:
  667. return None
  668. (sha, name, leaf) = self.objects_to_send.pop()
  669. if sha not in self.sha_done:
  670. break
  671. if not leaf:
  672. o = self.object_store[sha]
  673. if isinstance(o, Commit):
  674. self.parse_commit(o)
  675. elif isinstance(o, Tree):
  676. self.parse_tree(o)
  677. elif isinstance(o, Tag):
  678. self.parse_tag(o)
  679. if sha in self._tagged:
  680. self.add_todo([(self._tagged[sha], None, True)])
  681. self.sha_done.add(sha)
  682. self.progress("counting objects: %d\r" % len(self.sha_done))
  683. return (sha, name)
  684. class ObjectStoreGraphWalker(object):
  685. """Graph walker that finds what commits are missing from an object store.
  686. :ivar heads: Revisions without descendants in the local repo
  687. :ivar get_parents: Function to retrieve parents in the local repo
  688. """
  689. def __init__(self, local_heads, get_parents):
  690. """Create a new instance.
  691. :param local_heads: Heads to start search with
  692. :param get_parents: Function for finding the parents of a SHA1.
  693. """
  694. self.heads = set(local_heads)
  695. self.get_parents = get_parents
  696. self.parents = {}
  697. def ack(self, sha):
  698. """Ack that a revision and its ancestors are present in the source."""
  699. ancestors = set([sha])
  700. # stop if we run out of heads to remove
  701. while self.heads:
  702. for a in ancestors:
  703. if a in self.heads:
  704. self.heads.remove(a)
  705. # collect all ancestors
  706. new_ancestors = set()
  707. for a in ancestors:
  708. ps = self.parents.get(a)
  709. if ps is not None:
  710. new_ancestors.update(ps)
  711. self.parents[a] = None
  712. # no more ancestors; stop
  713. if not new_ancestors:
  714. break
  715. ancestors = new_ancestors
  716. def next(self):
  717. """Iterate over ancestors of heads in the target."""
  718. if self.heads:
  719. ret = self.heads.pop()
  720. ps = self.get_parents(ret)
  721. self.parents[ret] = ps
  722. self.heads.update([p for p in ps if not p in self.parents])
  723. return ret
  724. return None