repo.py 39 KB

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