repo.py 34 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031
  1. # repo.py -- For dealing wih git repositories.
  2. # Copyright (C) 2007 James Westby <jw+debian@jameswestby.net>
  3. # Copyright (C) 2008-2009 Jelmer Vernooij <jelmer@samba.org>
  4. #
  5. # This program is free software; you can redistribute it and/or
  6. # modify it under the terms of the GNU General Public License
  7. # as published by the Free Software Foundation; version 2
  8. # of the License or (at your option) any later version of
  9. # the License.
  10. #
  11. # This program is distributed in the hope that it will be useful,
  12. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  13. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  14. # GNU General Public License for more details.
  15. #
  16. # You should have received a copy of the GNU General Public License
  17. # along with this program; if not, write to the Free Software
  18. # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
  19. # MA 02110-1301, USA.
  20. """Repository access."""
  21. import errno
  22. import os
  23. from dulwich.errors import (
  24. MissingCommitError,
  25. NoIndexPresent,
  26. NotBlobError,
  27. NotCommitError,
  28. NotGitRepository,
  29. NotTreeError,
  30. NotTagError,
  31. PackedRefsException,
  32. )
  33. from dulwich.file import (
  34. ensure_dir_exists,
  35. GitFile,
  36. )
  37. from dulwich.object_store import (
  38. DiskObjectStore,
  39. )
  40. from dulwich.objects import (
  41. Blob,
  42. Commit,
  43. ShaFile,
  44. Tag,
  45. Tree,
  46. hex_to_sha,
  47. object_class,
  48. )
  49. import warnings
  50. OBJECTDIR = 'objects'
  51. SYMREF = 'ref: '
  52. REFSDIR = 'refs'
  53. REFSDIR_TAGS = 'tags'
  54. REFSDIR_HEADS = 'heads'
  55. INDEX_FILENAME = "index"
  56. BASE_DIRECTORIES = [
  57. [OBJECTDIR],
  58. [OBJECTDIR, "info"],
  59. [OBJECTDIR, "pack"],
  60. ["branches"],
  61. [REFSDIR],
  62. [REFSDIR, REFSDIR_TAGS],
  63. [REFSDIR, REFSDIR_HEADS],
  64. ["hooks"],
  65. ["info"]
  66. ]
  67. def read_info_refs(f):
  68. ret = {}
  69. for l in f.readlines():
  70. (sha, name) = l.rstrip("\n").split("\t", 1)
  71. ret[name] = sha
  72. return ret
  73. def check_ref_format(refname):
  74. """Check if a refname is correctly formatted.
  75. Implements all the same rules as git-check-ref-format[1].
  76. [1] http://www.kernel.org/pub/software/scm/git/docs/git-check-ref-format.html
  77. :param refname: The refname to check
  78. :return: True if refname is valid, False otherwise
  79. """
  80. # These could be combined into one big expression, but are listed separately
  81. # to parallel [1].
  82. if '/.' in refname or refname.startswith('.'):
  83. return False
  84. if '/' not in refname:
  85. return False
  86. if '..' in refname:
  87. return False
  88. for c in refname:
  89. if ord(c) < 040 or c in '\177 ~^:?*[':
  90. return False
  91. if refname[-1] in '/.':
  92. return False
  93. if refname.endswith('.lock'):
  94. return False
  95. if '@{' in refname:
  96. return False
  97. if '\\' in refname:
  98. return False
  99. return True
  100. class RefsContainer(object):
  101. """A container for refs."""
  102. def set_ref(self, name, other):
  103. warnings.warn("RefsContainer.set_ref() is deprecated."
  104. "Use set_symblic_ref instead.",
  105. category=DeprecationWarning, stacklevel=2)
  106. return self.set_symbolic_ref(name, other)
  107. def set_symbolic_ref(self, name, other):
  108. """Make a ref point at another ref.
  109. :param name: Name of the ref to set
  110. :param other: Name of the ref to point at
  111. """
  112. self[name] = SYMREF + other + '\n'
  113. def get_packed_refs(self):
  114. """Get contents of the packed-refs file.
  115. :return: Dictionary mapping ref names to SHA1s
  116. :note: Will return an empty dictionary when no packed-refs file is
  117. present.
  118. """
  119. raise NotImplementedError(self.get_packed_refs)
  120. def get_peeled(self, name):
  121. """Return the cached peeled value of a ref, if available.
  122. :param name: Name of the ref to peel
  123. :return: The peeled value of the ref. If the ref is known not point to a
  124. tag, this will be the SHA the ref refers to. If the ref may point to
  125. a tag, but no cached information is available, None is returned.
  126. """
  127. return None
  128. def import_refs(self, base, other):
  129. for name, value in other.iteritems():
  130. self["%s/%s" % (base, name)] = value
  131. def keys(self, base=None):
  132. """Refs present in this container.
  133. :param base: An optional base to return refs under
  134. :return: An unsorted set of valid refs in this container, including
  135. packed refs.
  136. """
  137. if base is not None:
  138. return self.subkeys(base)
  139. else:
  140. return self.allkeys()
  141. def subkeys(self, base):
  142. keys = set()
  143. for refname in self.allkeys():
  144. if refname.startswith(base):
  145. keys.add(refname)
  146. return keys
  147. def as_dict(self, base=None):
  148. """Return the contents of this container as a dictionary.
  149. """
  150. ret = {}
  151. keys = self.keys(base)
  152. if base is None:
  153. base = ""
  154. for key in keys:
  155. try:
  156. ret[key] = self[("%s/%s" % (base, key)).strip("/")]
  157. except KeyError:
  158. continue # Unable to resolve
  159. return ret
  160. def _check_refname(self, name):
  161. """Ensure a refname is valid and lives in refs or is HEAD.
  162. HEAD is not a valid refname according to git-check-ref-format, but this
  163. class needs to be able to touch HEAD. Also, check_ref_format expects
  164. refnames without the leading 'refs/', but this class requires that
  165. so it cannot touch anything outside the refs dir (or HEAD).
  166. :param name: The name of the reference.
  167. :raises KeyError: if a refname is not HEAD or is otherwise not valid.
  168. """
  169. if name == 'HEAD':
  170. return
  171. if not name.startswith('refs/') or not check_ref_format(name[5:]):
  172. raise KeyError(name)
  173. def read_ref(self, refname):
  174. """Read a reference without following any references.
  175. :param refname: The name of the reference
  176. :return: The contents of the ref file, or None if it does
  177. not exist.
  178. """
  179. contents = self.read_loose_ref(refname)
  180. if not contents:
  181. contents = self.get_packed_refs().get(refname, None)
  182. return contents
  183. def read_loose_ref(self, name):
  184. """Read a loose reference and return its contents.
  185. :param name: the refname to read
  186. :return: The contents of the ref file, or None if it does
  187. not exist.
  188. """
  189. raise NotImplementedError(self.read_loose_ref)
  190. def _follow(self, name):
  191. """Follow a reference name.
  192. :return: a tuple of (refname, sha), where refname is the name of the
  193. last reference in the symbolic reference chain
  194. """
  195. self._check_refname(name)
  196. contents = SYMREF + name
  197. depth = 0
  198. while contents.startswith(SYMREF):
  199. refname = contents[len(SYMREF):]
  200. contents = self.read_ref(refname)
  201. if not contents:
  202. break
  203. depth += 1
  204. if depth > 5:
  205. raise KeyError(name)
  206. return refname, contents
  207. def __contains__(self, refname):
  208. if self.read_ref(refname):
  209. return True
  210. return False
  211. def __getitem__(self, name):
  212. """Get the SHA1 for a reference name.
  213. This method follows all symbolic references.
  214. """
  215. _, sha = self._follow(name)
  216. if sha is None:
  217. raise KeyError(name)
  218. return sha
  219. class DictRefsContainer(RefsContainer):
  220. def __init__(self, refs):
  221. self._refs = refs
  222. def allkeys(self):
  223. return self._refs.keys()
  224. def read_loose_ref(self, name):
  225. return self._refs[name]
  226. class DiskRefsContainer(RefsContainer):
  227. """Refs container that reads refs from disk."""
  228. def __init__(self, path):
  229. self.path = path
  230. self._packed_refs = None
  231. self._peeled_refs = None
  232. def __repr__(self):
  233. return "%s(%r)" % (self.__class__.__name__, self.path)
  234. def subkeys(self, base):
  235. keys = set()
  236. path = self.refpath(base)
  237. for root, dirs, files in os.walk(path):
  238. dir = root[len(path):].strip(os.path.sep).replace(os.path.sep, "/")
  239. for filename in files:
  240. refname = ("%s/%s" % (dir, filename)).strip("/")
  241. # check_ref_format requires at least one /, so we prepend the
  242. # base before calling it.
  243. if check_ref_format("%s/%s" % (base, refname)):
  244. keys.add(refname)
  245. for key in self.get_packed_refs():
  246. if key.startswith(base):
  247. keys.add(key[len(base):].strip("/"))
  248. return keys
  249. def allkeys(self):
  250. keys = set()
  251. if os.path.exists(self.refpath("HEAD")):
  252. keys.add("HEAD")
  253. path = self.refpath("")
  254. for root, dirs, files in os.walk(self.refpath("refs")):
  255. dir = root[len(path):].strip(os.path.sep).replace(os.path.sep, "/")
  256. for filename in files:
  257. refname = ("%s/%s" % (dir, filename)).strip("/")
  258. if check_ref_format(refname):
  259. keys.add(refname)
  260. keys.update(self.get_packed_refs())
  261. return keys
  262. def refpath(self, name):
  263. """Return the disk path of a ref.
  264. """
  265. if os.path.sep != "/":
  266. name = name.replace("/", os.path.sep)
  267. return os.path.join(self.path, name)
  268. def get_packed_refs(self):
  269. """Get contents of the packed-refs file.
  270. :return: Dictionary mapping ref names to SHA1s
  271. :note: Will return an empty dictionary when no packed-refs file is
  272. present.
  273. """
  274. # TODO: invalidate the cache on repacking
  275. if self._packed_refs is None:
  276. self._packed_refs = {}
  277. path = os.path.join(self.path, 'packed-refs')
  278. try:
  279. f = GitFile(path, 'rb')
  280. except IOError, e:
  281. if e.errno == errno.ENOENT:
  282. return {}
  283. raise
  284. try:
  285. first_line = iter(f).next().rstrip()
  286. if (first_line.startswith("# pack-refs") and " peeled" in
  287. first_line):
  288. self._peeled_refs = {}
  289. for sha, name, peeled in read_packed_refs_with_peeled(f):
  290. self._packed_refs[name] = sha
  291. if peeled:
  292. self._peeled_refs[name] = peeled
  293. else:
  294. f.seek(0)
  295. for sha, name in read_packed_refs(f):
  296. self._packed_refs[name] = sha
  297. finally:
  298. f.close()
  299. return self._packed_refs
  300. def get_peeled(self, name):
  301. """Return the cached peeled value of a ref, if available.
  302. :param name: Name of the ref to peel
  303. :return: The peeled value of the ref. If the ref is known not point to a
  304. tag, this will be the SHA the ref refers to. If the ref may point to
  305. a tag, but no cached information is available, None is returned.
  306. """
  307. self.get_packed_refs()
  308. if self._peeled_refs is None or name not in self._packed_refs:
  309. # No cache: no peeled refs were read, or this ref is loose
  310. return None
  311. if name in self._peeled_refs:
  312. return self._peeled_refs[name]
  313. else:
  314. # Known not peelable
  315. return self[name]
  316. def read_loose_ref(self, name):
  317. """Read a reference file and return its contents.
  318. If the reference file a symbolic reference, only read the first line of
  319. the file. Otherwise, only read the first 40 bytes.
  320. :param name: the refname to read, relative to refpath
  321. :return: The contents of the ref file, or None if the file does not
  322. exist.
  323. :raises IOError: if any other error occurs
  324. """
  325. filename = self.refpath(name)
  326. try:
  327. f = GitFile(filename, 'rb')
  328. try:
  329. header = f.read(len(SYMREF))
  330. if header == SYMREF:
  331. # Read only the first line
  332. return header + iter(f).next().rstrip("\n")
  333. else:
  334. # Read only the first 40 bytes
  335. return header + f.read(40-len(SYMREF))
  336. finally:
  337. f.close()
  338. except IOError, e:
  339. if e.errno == errno.ENOENT:
  340. return None
  341. raise
  342. def _remove_packed_ref(self, name):
  343. if self._packed_refs is None:
  344. return
  345. filename = os.path.join(self.path, 'packed-refs')
  346. # reread cached refs from disk, while holding the lock
  347. f = GitFile(filename, 'wb')
  348. try:
  349. self._packed_refs = None
  350. self.get_packed_refs()
  351. if name not in self._packed_refs:
  352. return
  353. del self._packed_refs[name]
  354. if name in self._peeled_refs:
  355. del self._peeled_refs[name]
  356. write_packed_refs(f, self._packed_refs, self._peeled_refs)
  357. f.close()
  358. finally:
  359. f.abort()
  360. def set_if_equals(self, name, old_ref, new_ref):
  361. """Set a refname to new_ref only if it currently equals old_ref.
  362. This method follows all symbolic references, and can be used to perform
  363. an atomic compare-and-swap operation.
  364. :param name: The refname to set.
  365. :param old_ref: The old sha the refname must refer to, or None to set
  366. unconditionally.
  367. :param new_ref: The new sha the refname will refer to.
  368. :return: True if the set was successful, False otherwise.
  369. """
  370. try:
  371. realname, _ = self._follow(name)
  372. except KeyError:
  373. realname = name
  374. filename = self.refpath(realname)
  375. ensure_dir_exists(os.path.dirname(filename))
  376. f = GitFile(filename, 'wb')
  377. try:
  378. if old_ref is not None:
  379. try:
  380. # read again while holding the lock
  381. orig_ref = self.read_loose_ref(realname)
  382. if orig_ref is None:
  383. orig_ref = self.get_packed_refs().get(realname, None)
  384. if orig_ref != old_ref:
  385. f.abort()
  386. return False
  387. except (OSError, IOError):
  388. f.abort()
  389. raise
  390. try:
  391. f.write(new_ref+"\n")
  392. except (OSError, IOError):
  393. f.abort()
  394. raise
  395. finally:
  396. f.close()
  397. return True
  398. def add_if_new(self, name, ref):
  399. """Add a new reference only if it does not already exist."""
  400. self._check_refname(name)
  401. filename = self.refpath(name)
  402. ensure_dir_exists(os.path.dirname(filename))
  403. f = GitFile(filename, 'wb')
  404. try:
  405. if os.path.exists(filename) or name in self.get_packed_refs():
  406. f.abort()
  407. return False
  408. try:
  409. f.write(ref+"\n")
  410. except (OSError, IOError):
  411. f.abort()
  412. raise
  413. finally:
  414. f.close()
  415. return True
  416. def __setitem__(self, name, ref):
  417. """Set a reference name to point to the given SHA1.
  418. This method follows all symbolic references.
  419. :note: This method unconditionally overwrites the contents of a reference
  420. on disk. To update atomically only if the reference has not changed
  421. on disk, use set_if_equals().
  422. """
  423. self.set_if_equals(name, None, ref)
  424. def remove_if_equals(self, name, old_ref):
  425. """Remove a refname only if it currently equals old_ref.
  426. This method does not follow symbolic references. It can be used to
  427. perform an atomic compare-and-delete operation.
  428. :param name: The refname to delete.
  429. :param old_ref: The old sha the refname must refer to, or None to delete
  430. unconditionally.
  431. :return: True if the delete was successful, False otherwise.
  432. """
  433. self._check_refname(name)
  434. filename = self.refpath(name)
  435. ensure_dir_exists(os.path.dirname(filename))
  436. f = GitFile(filename, 'wb')
  437. try:
  438. if old_ref is not None:
  439. orig_ref = self.read_loose_ref(name)
  440. if orig_ref is None:
  441. orig_ref = self.get_packed_refs().get(name, None)
  442. if orig_ref != old_ref:
  443. return False
  444. # may only be packed
  445. try:
  446. os.remove(filename)
  447. except OSError, e:
  448. if e.errno != errno.ENOENT:
  449. raise
  450. self._remove_packed_ref(name)
  451. finally:
  452. # never write, we just wanted the lock
  453. f.abort()
  454. return True
  455. def __delitem__(self, name):
  456. """Remove a refname.
  457. This method does not follow symbolic references.
  458. :note: This method unconditionally deletes the contents of a reference
  459. on disk. To delete atomically only if the reference has not changed
  460. on disk, use set_if_equals().
  461. """
  462. self.remove_if_equals(name, None)
  463. def _split_ref_line(line):
  464. """Split a single ref line into a tuple of SHA1 and name."""
  465. fields = line.rstrip("\n").split(" ")
  466. if len(fields) != 2:
  467. raise PackedRefsException("invalid ref line '%s'" % line)
  468. sha, name = fields
  469. try:
  470. hex_to_sha(sha)
  471. except (AssertionError, TypeError), e:
  472. raise PackedRefsException(e)
  473. if not check_ref_format(name):
  474. raise PackedRefsException("invalid ref name '%s'" % name)
  475. return (sha, name)
  476. def read_packed_refs(f):
  477. """Read a packed refs file.
  478. Yields tuples with SHA1s and ref names.
  479. :param f: file-like object to read from
  480. """
  481. for l in f:
  482. if l[0] == "#":
  483. # Comment
  484. continue
  485. if l[0] == "^":
  486. raise PackedRefsException(
  487. "found peeled ref in packed-refs without peeled")
  488. yield _split_ref_line(l)
  489. def read_packed_refs_with_peeled(f):
  490. """Read a packed refs file including peeled refs.
  491. Assumes the "# pack-refs with: peeled" line was already read. Yields tuples
  492. with ref names, SHA1s, and peeled SHA1s (or None).
  493. :param f: file-like object to read from, seek'ed to the second line
  494. """
  495. last = None
  496. for l in f:
  497. if l[0] == "#":
  498. continue
  499. l = l.rstrip("\n")
  500. if l[0] == "^":
  501. if not last:
  502. raise PackedRefsException("unexpected peeled ref line")
  503. try:
  504. hex_to_sha(l[1:])
  505. except (AssertionError, TypeError), e:
  506. raise PackedRefsException(e)
  507. sha, name = _split_ref_line(last)
  508. last = None
  509. yield (sha, name, l[1:])
  510. else:
  511. if last:
  512. sha, name = _split_ref_line(last)
  513. yield (sha, name, None)
  514. last = l
  515. if last:
  516. sha, name = _split_ref_line(last)
  517. yield (sha, name, None)
  518. def write_packed_refs(f, packed_refs, peeled_refs=None):
  519. """Write a packed refs file.
  520. :param f: empty file-like object to write to
  521. :param packed_refs: dict of refname to sha of packed refs to write
  522. :param peeled_refs: dict of refname to peeled value of sha
  523. """
  524. if peeled_refs is None:
  525. peeled_refs = {}
  526. else:
  527. f.write('# pack-refs with: peeled\n')
  528. for refname in sorted(packed_refs.iterkeys()):
  529. f.write('%s %s\n' % (packed_refs[refname], refname))
  530. if refname in peeled_refs:
  531. f.write('^%s\n' % peeled_refs[refname])
  532. class BaseRepo(object):
  533. """Base class for a git repository.
  534. :ivar object_store: Dictionary-like object for accessing
  535. the objects
  536. :ivar refs: Dictionary-like object with the refs in this repository
  537. """
  538. def __init__(self, object_store, refs):
  539. self.object_store = object_store
  540. self.refs = refs
  541. def get_named_file(self, path):
  542. """Get a file from the control dir with a specific name.
  543. Although the filename should be interpreted as a filename relative to
  544. the control dir in a disk-baked Repo, the object returned need not be
  545. pointing to a file in that location.
  546. :param path: The path to the file, relative to the control dir.
  547. :return: An open file object, or None if the file does not exist.
  548. """
  549. raise NotImplementedError(self.get_named_file)
  550. def open_index(self):
  551. """Open the index for this repository.
  552. :raises NoIndexPresent: If no index is present
  553. :return: Index instance
  554. """
  555. raise NotImplementedError(self.open_index)
  556. def fetch(self, target, determine_wants=None, progress=None):
  557. """Fetch objects into another repository.
  558. :param target: The target repository
  559. :param determine_wants: Optional function to determine what refs to
  560. fetch.
  561. :param progress: Optional progress function
  562. """
  563. if determine_wants is None:
  564. determine_wants = lambda heads: heads.values()
  565. target.object_store.add_objects(
  566. self.fetch_objects(determine_wants, target.get_graph_walker(),
  567. progress))
  568. return self.get_refs()
  569. def fetch_objects(self, determine_wants, graph_walker, progress,
  570. get_tagged=None):
  571. """Fetch the missing objects required for a set of revisions.
  572. :param determine_wants: Function that takes a dictionary with heads
  573. and returns the list of heads to fetch.
  574. :param graph_walker: Object that can iterate over the list of revisions
  575. to fetch and has an "ack" method that will be called to acknowledge
  576. that a revision is present.
  577. :param progress: Simple progress function that will be called with
  578. updated progress strings.
  579. :param get_tagged: Function that returns a dict of pointed-to sha -> tag
  580. sha for including tags.
  581. :return: iterator over objects, with __len__ implemented
  582. """
  583. wants = determine_wants(self.get_refs())
  584. haves = self.object_store.find_common_revisions(graph_walker)
  585. return self.object_store.iter_shas(
  586. self.object_store.find_missing_objects(haves, wants, progress,
  587. get_tagged))
  588. def get_graph_walker(self, heads=None):
  589. if heads is None:
  590. heads = self.refs.as_dict('refs/heads').values()
  591. return self.object_store.get_graph_walker(heads)
  592. def ref(self, name):
  593. """Return the SHA1 a ref is pointing to."""
  594. return self.refs[name]
  595. def get_refs(self):
  596. """Get dictionary with all refs."""
  597. return self.refs.as_dict()
  598. def head(self):
  599. """Return the SHA1 pointed at by HEAD."""
  600. return self.refs['HEAD']
  601. def _get_object(self, sha, cls):
  602. assert len(sha) in (20, 40)
  603. ret = self.get_object(sha)
  604. if not isinstance(ret, cls):
  605. if cls is Commit:
  606. raise NotCommitError(ret)
  607. elif cls is Blob:
  608. raise NotBlobError(ret)
  609. elif cls is Tree:
  610. raise NotTreeError(ret)
  611. elif cls is Tag:
  612. raise NotTagError(ret)
  613. else:
  614. raise Exception("Type invalid: %r != %r" % (
  615. ret.type_name, cls.type_name))
  616. return ret
  617. def get_object(self, sha):
  618. return self.object_store[sha]
  619. def get_parents(self, sha):
  620. return self.commit(sha).parents
  621. def get_config(self):
  622. import ConfigParser
  623. p = ConfigParser.RawConfigParser()
  624. p.read(os.path.join(self._controldir, 'config'))
  625. return dict((section, dict(p.items(section)))
  626. for section in p.sections())
  627. def commit(self, sha):
  628. """Retrieve the commit with a particular SHA.
  629. :param sha: SHA of the commit to retrieve
  630. :raise NotCommitError: If the SHA provided doesn't point at a Commit
  631. :raise KeyError: If the SHA provided didn't exist
  632. :return: A `Commit` object
  633. """
  634. warnings.warn("Repo.commit(sha) is deprecated. Use Repo[sha] instead.",
  635. category=DeprecationWarning, stacklevel=2)
  636. return self._get_object(sha, Commit)
  637. def tree(self, sha):
  638. """Retrieve the tree with a particular SHA.
  639. :param sha: SHA of the tree to retrieve
  640. :raise NotTreeError: If the SHA provided doesn't point at a Tree
  641. :raise KeyError: If the SHA provided didn't exist
  642. :return: A `Tree` object
  643. """
  644. warnings.warn("Repo.tree(sha) is deprecated. Use Repo[sha] instead.",
  645. category=DeprecationWarning, stacklevel=2)
  646. return self._get_object(sha, Tree)
  647. def tag(self, sha):
  648. """Retrieve the tag with a particular SHA.
  649. :param sha: SHA of the tag to retrieve
  650. :raise NotTagError: If the SHA provided doesn't point at a Tag
  651. :raise KeyError: If the SHA provided didn't exist
  652. :return: A `Tag` object
  653. """
  654. warnings.warn("Repo.tag(sha) is deprecated. Use Repo[sha] instead.",
  655. category=DeprecationWarning, stacklevel=2)
  656. return self._get_object(sha, Tag)
  657. def get_blob(self, sha):
  658. """Retrieve the blob with a particular SHA.
  659. :param sha: SHA of the blob to retrieve
  660. :raise NotBlobError: If the SHA provided doesn't point at a Blob
  661. :raise KeyError: If the SHA provided didn't exist
  662. :return: A `Blob` object
  663. """
  664. warnings.warn("Repo.get_blob(sha) is deprecated. Use Repo[sha] "
  665. "instead.", category=DeprecationWarning, stacklevel=2)
  666. return self._get_object(sha, Blob)
  667. def get_peeled(self, ref):
  668. """Get the peeled value of a ref.
  669. :param ref: the refname to peel
  670. :return: the fully-peeled SHA1 of a tag object, after peeling all
  671. intermediate tags; if the original ref does not point to a tag, this
  672. will equal the original SHA1.
  673. """
  674. cached = self.refs.get_peeled(ref)
  675. if cached is not None:
  676. return cached
  677. obj = self[ref]
  678. obj_class = object_class(obj.type_name)
  679. while obj_class is Tag:
  680. obj_class, sha = obj.object
  681. obj = self.get_object(sha)
  682. return obj.id
  683. def revision_history(self, head):
  684. """Returns a list of the commits reachable from head.
  685. Returns a list of commit objects. the first of which will be the commit
  686. of head, then following theat will be the parents.
  687. Raises NotCommitError if any no commits are referenced, including if the
  688. head parameter isn't the sha of a commit.
  689. XXX: work out how to handle merges.
  690. """
  691. # We build the list backwards, as parents are more likely to be older
  692. # than children
  693. pending_commits = [head]
  694. history = []
  695. while pending_commits != []:
  696. head = pending_commits.pop(0)
  697. try:
  698. commit = self[head]
  699. except KeyError:
  700. raise MissingCommitError(head)
  701. if type(commit) != Commit:
  702. raise NotCommitError(commit)
  703. if commit in history:
  704. continue
  705. i = 0
  706. for known_commit in history:
  707. if known_commit.commit_time > commit.commit_time:
  708. break
  709. i += 1
  710. history.insert(i, commit)
  711. pending_commits += commit.parents
  712. history.reverse()
  713. return history
  714. def __getitem__(self, name):
  715. if len(name) in (20, 40):
  716. return self.object_store[name]
  717. return self.object_store[self.refs[name]]
  718. def __setitem__(self, name, value):
  719. if name.startswith("refs/") or name == "HEAD":
  720. if isinstance(value, ShaFile):
  721. self.refs[name] = value.id
  722. elif isinstance(value, str):
  723. self.refs[name] = value
  724. else:
  725. raise TypeError(value)
  726. else:
  727. raise ValueError(name)
  728. def __delitem__(self, name):
  729. if name.startswith("refs") or name == "HEAD":
  730. del self.refs[name]
  731. raise ValueError(name)
  732. def do_commit(self, message, committer=None,
  733. author=None, commit_timestamp=None,
  734. commit_timezone=None, author_timestamp=None,
  735. author_timezone=None, tree=None):
  736. """Create a new commit.
  737. :param message: Commit message
  738. :param committer: Committer fullname
  739. :param author: Author fullname (defaults to committer)
  740. :param commit_timestamp: Commit timestamp (defaults to now)
  741. :param commit_timezone: Commit timestamp timezone (defaults to GMT)
  742. :param author_timestamp: Author timestamp (defaults to commit timestamp)
  743. :param author_timezone: Author timestamp timezone
  744. (defaults to commit timestamp timezone)
  745. :param tree: SHA1 of the tree root to use (if not specified the current index will be committed).
  746. :return: New commit SHA1
  747. """
  748. import time
  749. index = self.open_index()
  750. c = Commit()
  751. if tree is None:
  752. c.tree = index.commit(self.object_store)
  753. else:
  754. c.tree = tree
  755. # TODO: Allow username to be missing, and get it from .git/config
  756. if committer is None:
  757. raise ValueError("committer not set")
  758. c.committer = committer
  759. if commit_timestamp is None:
  760. commit_timestamp = time.time()
  761. c.commit_time = int(commit_timestamp)
  762. if commit_timezone is None:
  763. # FIXME: Use current user timezone rather than UTC
  764. commit_timezone = 0
  765. c.commit_timezone = commit_timezone
  766. if author is None:
  767. author = committer
  768. c.author = author
  769. if author_timestamp is None:
  770. author_timestamp = commit_timestamp
  771. c.author_time = int(author_timestamp)
  772. if author_timezone is None:
  773. author_timezone = commit_timezone
  774. c.author_timezone = author_timezone
  775. c.message = message
  776. self.object_store.add_object(c)
  777. self.refs["HEAD"] = c.id
  778. return c.id
  779. class Repo(BaseRepo):
  780. """A git repository backed by local disk."""
  781. def __init__(self, root):
  782. if os.path.isdir(os.path.join(root, ".git", OBJECTDIR)):
  783. self.bare = False
  784. self._controldir = os.path.join(root, ".git")
  785. elif (os.path.isdir(os.path.join(root, OBJECTDIR)) and
  786. os.path.isdir(os.path.join(root, REFSDIR))):
  787. self.bare = True
  788. self._controldir = root
  789. else:
  790. raise NotGitRepository(root)
  791. self.path = root
  792. object_store = DiskObjectStore(
  793. os.path.join(self.controldir(), OBJECTDIR))
  794. refs = DiskRefsContainer(self.controldir())
  795. BaseRepo.__init__(self, object_store, refs)
  796. def controldir(self):
  797. """Return the path of the control directory."""
  798. return self._controldir
  799. def _put_named_file(self, path, contents):
  800. """Write a file from the control dir with a specific name and contents.
  801. """
  802. f = GitFile(os.path.join(self.controldir(), path), 'wb')
  803. try:
  804. f.write(contents)
  805. finally:
  806. f.close()
  807. def get_named_file(self, path):
  808. """Get a file from the control dir with a specific name.
  809. Although the filename should be interpreted as a filename relative to
  810. the control dir in a disk-baked Repo, the object returned need not be
  811. pointing to a file in that location.
  812. :param path: The path to the file, relative to the control dir.
  813. :return: An open file object, or None if the file does not exist.
  814. """
  815. try:
  816. return open(os.path.join(self.controldir(), path.lstrip('/')), 'rb')
  817. except (IOError, OSError), e:
  818. if e.errno == errno.ENOENT:
  819. return None
  820. raise
  821. def index_path(self):
  822. """Return path to the index file."""
  823. return os.path.join(self.controldir(), INDEX_FILENAME)
  824. def open_index(self):
  825. """Open the index for this repository."""
  826. from dulwich.index import Index
  827. if not self.has_index():
  828. raise NoIndexPresent()
  829. return Index(self.index_path())
  830. def has_index(self):
  831. """Check if an index is present."""
  832. return os.path.exists(self.index_path())
  833. def stage(self, paths):
  834. """Stage a set of paths.
  835. :param paths: List of paths, relative to the repository path
  836. """
  837. from dulwich.index import cleanup_mode
  838. index = self.open_index()
  839. for path in paths:
  840. blob = Blob()
  841. try:
  842. st = os.stat(path)
  843. except OSError:
  844. # File no longer exists
  845. del index[path]
  846. else:
  847. f = open(path, 'rb')
  848. try:
  849. blob.data = f.read()
  850. finally:
  851. f.close()
  852. self.object_store.add_object(blob)
  853. # XXX: Cleanup some of the other file properties as well?
  854. index[path] = (st.st_ctime, st.st_mtime, st.st_dev, st.st_ino,
  855. cleanup_mode(st.st_mode), st.st_uid, st.st_gid, st.st_size,
  856. blob.id, 0)
  857. index.write()
  858. def __repr__(self):
  859. return "<Repo at %r>" % self.path
  860. @classmethod
  861. def init(cls, path, mkdir=True):
  862. controldir = os.path.join(path, ".git")
  863. os.mkdir(controldir)
  864. cls.init_bare(controldir)
  865. return cls(path)
  866. @classmethod
  867. def init_bare(cls, path, mkdir=True):
  868. for d in BASE_DIRECTORIES:
  869. os.mkdir(os.path.join(path, *d))
  870. ret = cls(path)
  871. ret.refs.set_symbolic_ref("HEAD", "refs/heads/master")
  872. ret._put_named_file('description', "Unnamed repository")
  873. ret._put_named_file('config', """[core]
  874. repositoryformatversion = 0
  875. filemode = true
  876. bare = false
  877. logallrefupdates = true
  878. """)
  879. ret._put_named_file(os.path.join('info', 'excludes'), '')
  880. return ret
  881. create = init_bare