refs.py 32 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946
  1. # refs.py -- For dealing with git refs
  2. # Copyright (C) 2008-2013 Jelmer Vernooij <jelmer@jelmer.uk>
  3. #
  4. # Dulwich is dual-licensed under the Apache License, Version 2.0 and the GNU
  5. # General Public License as public by the Free Software Foundation; version 2.0
  6. # or (at your option) any later version. You can redistribute it and/or
  7. # modify it under the terms of either of these two licenses.
  8. #
  9. # Unless required by applicable law or agreed to in writing, software
  10. # distributed under the License is distributed on an "AS IS" BASIS,
  11. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  12. # See the License for the specific language governing permissions and
  13. # limitations under the License.
  14. #
  15. # You should have received a copy of the licenses; if not, see
  16. # <http://www.gnu.org/licenses/> for a copy of the GNU General Public License
  17. # and <http://www.apache.org/licenses/LICENSE-2.0> for a copy of the Apache
  18. # License, Version 2.0.
  19. #
  20. """Ref handling.
  21. """
  22. import errno
  23. import os
  24. import sys
  25. from dulwich.errors import (
  26. PackedRefsException,
  27. RefFormatError,
  28. )
  29. from dulwich.objects import (
  30. git_line,
  31. valid_hexsha,
  32. ZERO_SHA,
  33. )
  34. from dulwich.file import (
  35. GitFile,
  36. ensure_dir_exists,
  37. )
  38. SYMREF = b'ref: '
  39. LOCAL_BRANCH_PREFIX = b'refs/heads/'
  40. LOCAL_TAG_PREFIX = b'refs/tags/'
  41. BAD_REF_CHARS = set(b'\177 ~^:?*[')
  42. ANNOTATED_TAG_SUFFIX = b'^{}'
  43. def parse_symref_value(contents):
  44. """Parse a symref value.
  45. :param contents: Contents to parse
  46. :return: Destination
  47. """
  48. if contents.startswith(SYMREF):
  49. return contents[len(SYMREF):].rstrip(b'\r\n')
  50. raise ValueError(contents)
  51. def check_ref_format(refname):
  52. """Check if a refname is correctly formatted.
  53. Implements all the same rules as git-check-ref-format[1].
  54. [1]
  55. http://www.kernel.org/pub/software/scm/git/docs/git-check-ref-format.html
  56. :param refname: The refname to check
  57. :return: True if refname is valid, False otherwise
  58. """
  59. # These could be combined into one big expression, but are listed
  60. # separately to parallel [1].
  61. if b'/.' in refname or refname.startswith(b'.'):
  62. return False
  63. if b'/' not in refname:
  64. return False
  65. if b'..' in refname:
  66. return False
  67. for i, c in enumerate(refname):
  68. if ord(refname[i:i+1]) < 0o40 or c in BAD_REF_CHARS:
  69. return False
  70. if refname[-1] in b'/.':
  71. return False
  72. if refname.endswith(b'.lock'):
  73. return False
  74. if b'@{' in refname:
  75. return False
  76. if b'\\' in refname:
  77. return False
  78. return True
  79. class RefsContainer(object):
  80. """A container for refs."""
  81. def __init__(self, logger=None):
  82. self._logger = logger
  83. def _log(self, ref, old_sha, new_sha, committer=None, timestamp=None,
  84. timezone=None, message=None):
  85. if self._logger is None:
  86. return
  87. if message is None:
  88. return
  89. self._logger(ref, old_sha, new_sha, committer, timestamp,
  90. timezone, message)
  91. def set_symbolic_ref(self, name, other, committer=None, timestamp=None,
  92. timezone=None, message=None):
  93. """Make a ref point at another ref.
  94. :param name: Name of the ref to set
  95. :param other: Name of the ref to point at
  96. :param message: Optional message
  97. """
  98. raise NotImplementedError(self.set_symbolic_ref)
  99. def get_packed_refs(self):
  100. """Get contents of the packed-refs file.
  101. :return: Dictionary mapping ref names to SHA1s
  102. :note: Will return an empty dictionary when no packed-refs file is
  103. present.
  104. """
  105. raise NotImplementedError(self.get_packed_refs)
  106. def get_peeled(self, name):
  107. """Return the cached peeled value of a ref, if available.
  108. :param name: Name of the ref to peel
  109. :return: The peeled value of the ref. If the ref is known not point to
  110. a tag, this will be the SHA the ref refers to. If the ref may point
  111. to a tag, but no cached information is available, None is returned.
  112. """
  113. return None
  114. def import_refs(self, base, other, committer=None, timestamp=None,
  115. timezone=None, message=None, prune=False):
  116. if prune:
  117. to_delete = set(self.subkeys(base))
  118. else:
  119. to_delete = set()
  120. for name, value in other.items():
  121. self.set_if_equals(b'/'.join((base, name)), None, value,
  122. message=message)
  123. if to_delete:
  124. try:
  125. to_delete.remove(name)
  126. except KeyError:
  127. pass
  128. for ref in to_delete:
  129. self.remove_if_equals(b'/'.join((base, ref)), None)
  130. def allkeys(self):
  131. """All refs present in this container."""
  132. raise NotImplementedError(self.allkeys)
  133. def __iter__(self):
  134. return iter(self.allkeys())
  135. def keys(self, base=None):
  136. """Refs present in this container.
  137. :param base: An optional base to return refs under.
  138. :return: An unsorted set of valid refs in this container, including
  139. packed refs.
  140. """
  141. if base is not None:
  142. return self.subkeys(base)
  143. else:
  144. return self.allkeys()
  145. def subkeys(self, base):
  146. """Refs present in this container under a base.
  147. :param base: The base to return refs under.
  148. :return: A set of valid refs in this container under the base; the base
  149. prefix is stripped from the ref names returned.
  150. """
  151. keys = set()
  152. base_len = len(base) + 1
  153. for refname in self.allkeys():
  154. if refname.startswith(base):
  155. keys.add(refname[base_len:])
  156. return keys
  157. def as_dict(self, base=None):
  158. """Return the contents of this container as a dictionary.
  159. """
  160. ret = {}
  161. keys = self.keys(base)
  162. if base is None:
  163. base = b''
  164. else:
  165. base = base.rstrip(b'/')
  166. for key in keys:
  167. try:
  168. ret[key] = self[(base + b'/' + key).strip(b'/')]
  169. except KeyError:
  170. continue # Unable to resolve
  171. return ret
  172. def _check_refname(self, name):
  173. """Ensure a refname is valid and lives in refs or is HEAD.
  174. HEAD is not a valid refname according to git-check-ref-format, but this
  175. class needs to be able to touch HEAD. Also, check_ref_format expects
  176. refnames without the leading 'refs/', but this class requires that
  177. so it cannot touch anything outside the refs dir (or HEAD).
  178. :param name: The name of the reference.
  179. :raises KeyError: if a refname is not HEAD or is otherwise not valid.
  180. """
  181. if name in (b'HEAD', b'refs/stash'):
  182. return
  183. if not name.startswith(b'refs/') or not check_ref_format(name[5:]):
  184. raise RefFormatError(name)
  185. def read_ref(self, refname):
  186. """Read a reference without following any references.
  187. :param refname: The name of the reference
  188. :return: The contents of the ref file, or None if it does
  189. not exist.
  190. """
  191. contents = self.read_loose_ref(refname)
  192. if not contents:
  193. contents = self.get_packed_refs().get(refname, None)
  194. return contents
  195. def read_loose_ref(self, name):
  196. """Read a loose reference and return its contents.
  197. :param name: the refname to read
  198. :return: The contents of the ref file, or None if it does
  199. not exist.
  200. """
  201. raise NotImplementedError(self.read_loose_ref)
  202. def follow(self, name):
  203. """Follow a reference name.
  204. :return: a tuple of (refnames, sha), wheres refnames are the names of
  205. references in the chain
  206. """
  207. contents = SYMREF + name
  208. depth = 0
  209. refnames = []
  210. while contents.startswith(SYMREF):
  211. refname = contents[len(SYMREF):]
  212. refnames.append(refname)
  213. contents = self.read_ref(refname)
  214. if not contents:
  215. break
  216. depth += 1
  217. if depth > 5:
  218. raise KeyError(name)
  219. return refnames, contents
  220. def _follow(self, name):
  221. import warnings
  222. warnings.warn(
  223. "RefsContainer._follow is deprecated. Use RefsContainer.follow "
  224. "instead.", DeprecationWarning)
  225. refnames, contents = self.follow(name)
  226. if not refnames:
  227. return (None, contents)
  228. return (refnames[-1], contents)
  229. def __contains__(self, refname):
  230. if self.read_ref(refname):
  231. return True
  232. return False
  233. def __getitem__(self, name):
  234. """Get the SHA1 for a reference name.
  235. This method follows all symbolic references.
  236. """
  237. _, sha = self.follow(name)
  238. if sha is None:
  239. raise KeyError(name)
  240. return sha
  241. def set_if_equals(self, name, old_ref, new_ref, committer=None,
  242. timestamp=None, timezone=None, message=None):
  243. """Set a refname to new_ref only if it currently equals old_ref.
  244. This method follows all symbolic references if applicable for the
  245. subclass, and can be used to perform an atomic compare-and-swap
  246. operation.
  247. :param name: The refname to set.
  248. :param old_ref: The old sha the refname must refer to, or None to set
  249. unconditionally.
  250. :param new_ref: The new sha the refname will refer to.
  251. :param message: Message for reflog
  252. :return: True if the set was successful, False otherwise.
  253. """
  254. raise NotImplementedError(self.set_if_equals)
  255. def add_if_new(self, name, ref):
  256. """Add a new reference only if it does not already exist.
  257. :param name: Ref name
  258. :param ref: Ref value
  259. :param message: Message for reflog
  260. """
  261. raise NotImplementedError(self.add_if_new)
  262. def __setitem__(self, name, ref):
  263. """Set a reference name to point to the given SHA1.
  264. This method follows all symbolic references if applicable for the
  265. subclass.
  266. :note: This method unconditionally overwrites the contents of a
  267. reference. To update atomically only if the reference has not
  268. changed, use set_if_equals().
  269. :param name: The refname to set.
  270. :param ref: The new sha the refname will refer to.
  271. """
  272. self.set_if_equals(name, None, ref)
  273. def remove_if_equals(self, name, old_ref, committer=None,
  274. timestamp=None, timezone=None, message=None):
  275. """Remove a refname only if it currently equals old_ref.
  276. This method does not follow symbolic references, even if applicable for
  277. the subclass. It can be used to perform an atomic compare-and-delete
  278. operation.
  279. :param name: The refname to delete.
  280. :param old_ref: The old sha the refname must refer to, or None to
  281. delete unconditionally.
  282. :param message: Message for reflog
  283. :return: True if the delete was successful, False otherwise.
  284. """
  285. raise NotImplementedError(self.remove_if_equals)
  286. def __delitem__(self, name):
  287. """Remove a refname.
  288. This method does not follow symbolic references, even if applicable for
  289. the subclass.
  290. :note: This method unconditionally deletes the contents of a reference.
  291. To delete atomically only if the reference has not changed, use
  292. remove_if_equals().
  293. :param name: The refname to delete.
  294. """
  295. self.remove_if_equals(name, None)
  296. def get_symrefs(self):
  297. """Get a dict with all symrefs in this container.
  298. :return: Dictionary mapping source ref to target ref
  299. """
  300. ret = {}
  301. for src in self.allkeys():
  302. try:
  303. dst = parse_symref_value(self.read_ref(src))
  304. except ValueError:
  305. pass
  306. else:
  307. ret[src] = dst
  308. return ret
  309. class DictRefsContainer(RefsContainer):
  310. """RefsContainer backed by a simple dict.
  311. This container does not support symbolic or packed references and is not
  312. threadsafe.
  313. """
  314. def __init__(self, refs, logger=None):
  315. super(DictRefsContainer, self).__init__(logger=logger)
  316. self._refs = refs
  317. self._peeled = {}
  318. def allkeys(self):
  319. return self._refs.keys()
  320. def read_loose_ref(self, name):
  321. return self._refs.get(name, None)
  322. def get_packed_refs(self):
  323. return {}
  324. def set_symbolic_ref(self, name, other, committer=None,
  325. timestamp=None, timezone=None, message=None):
  326. old = self.follow(name)[-1]
  327. self._refs[name] = SYMREF + other
  328. self._log(name, old, old, committer=committer, timestamp=timestamp,
  329. timezone=timezone, message=message)
  330. def set_if_equals(self, name, old_ref, new_ref, committer=None,
  331. timestamp=None, timezone=None, message=None):
  332. if old_ref is not None and self._refs.get(name, ZERO_SHA) != old_ref:
  333. return False
  334. realnames, _ = self.follow(name)
  335. for realname in realnames:
  336. self._check_refname(realname)
  337. old = self._refs.get(realname)
  338. self._refs[realname] = new_ref
  339. self._log(realname, old, new_ref, committer=committer,
  340. timestamp=timestamp, timezone=timezone, message=message)
  341. return True
  342. def add_if_new(self, name, ref, committer=None, timestamp=None,
  343. timezone=None, message=None):
  344. if name in self._refs:
  345. return False
  346. self._refs[name] = ref
  347. self._log(name, None, ref, committer=committer, timestamp=timestamp,
  348. timezone=timezone, message=message)
  349. return True
  350. def remove_if_equals(self, name, old_ref, committer=None, timestamp=None,
  351. timezone=None, message=None):
  352. if old_ref is not None and self._refs.get(name, ZERO_SHA) != old_ref:
  353. return False
  354. try:
  355. old = self._refs.pop(name)
  356. except KeyError:
  357. pass
  358. else:
  359. self._log(name, old, None, committer=committer,
  360. timestamp=timestamp, timezone=timezone, message=message)
  361. return True
  362. def get_peeled(self, name):
  363. return self._peeled.get(name)
  364. def _update(self, refs):
  365. """Update multiple refs; intended only for testing."""
  366. # TODO(dborowitz): replace this with a public function that uses
  367. # set_if_equal.
  368. self._refs.update(refs)
  369. def _update_peeled(self, peeled):
  370. """Update cached peeled refs; intended only for testing."""
  371. self._peeled.update(peeled)
  372. class InfoRefsContainer(RefsContainer):
  373. """Refs container that reads refs from a info/refs file."""
  374. def __init__(self, f):
  375. self._refs = {}
  376. self._peeled = {}
  377. for l in f.readlines():
  378. sha, name = l.rstrip(b'\n').split(b'\t')
  379. if name.endswith(ANNOTATED_TAG_SUFFIX):
  380. name = name[:-3]
  381. if not check_ref_format(name):
  382. raise ValueError("invalid ref name %r" % name)
  383. self._peeled[name] = sha
  384. else:
  385. if not check_ref_format(name):
  386. raise ValueError("invalid ref name %r" % name)
  387. self._refs[name] = sha
  388. def allkeys(self):
  389. return self._refs.keys()
  390. def read_loose_ref(self, name):
  391. return self._refs.get(name, None)
  392. def get_packed_refs(self):
  393. return {}
  394. def get_peeled(self, name):
  395. try:
  396. return self._peeled[name]
  397. except KeyError:
  398. return self._refs[name]
  399. class DiskRefsContainer(RefsContainer):
  400. """Refs container that reads refs from disk."""
  401. def __init__(self, path, worktree_path=None, logger=None):
  402. super(DiskRefsContainer, self).__init__(logger=logger)
  403. if getattr(path, 'encode', None) is not None:
  404. path = path.encode(sys.getfilesystemencoding())
  405. self.path = path
  406. if worktree_path is None:
  407. worktree_path = path
  408. if getattr(worktree_path, 'encode', None) is not None:
  409. worktree_path = worktree_path.encode(sys.getfilesystemencoding())
  410. self.worktree_path = worktree_path
  411. self._packed_refs = None
  412. self._peeled_refs = None
  413. def __repr__(self):
  414. return "%s(%r)" % (self.__class__.__name__, self.path)
  415. def subkeys(self, base):
  416. subkeys = set()
  417. path = self.refpath(base)
  418. for root, unused_dirs, files in os.walk(path):
  419. dir = root[len(path):]
  420. if os.path.sep != '/':
  421. dir = dir.replace(os.path.sep.encode(
  422. sys.getfilesystemencoding()), b"/")
  423. dir = dir.strip(b'/')
  424. for filename in files:
  425. refname = b"/".join(([dir] if dir else []) + [filename])
  426. # check_ref_format requires at least one /, so we prepend the
  427. # base before calling it.
  428. if check_ref_format(base + b'/' + refname):
  429. subkeys.add(refname)
  430. for key in self.get_packed_refs():
  431. if key.startswith(base):
  432. subkeys.add(key[len(base):].strip(b'/'))
  433. return subkeys
  434. def allkeys(self):
  435. allkeys = set()
  436. if os.path.exists(self.refpath(b'HEAD')):
  437. allkeys.add(b'HEAD')
  438. path = self.refpath(b'')
  439. refspath = self.refpath(b'refs')
  440. for root, unused_dirs, files in os.walk(refspath):
  441. dir = root[len(path):]
  442. if os.path.sep != '/':
  443. dir = dir.replace(
  444. os.path.sep.encode(sys.getfilesystemencoding()), b"/")
  445. for filename in files:
  446. refname = b"/".join([dir, filename])
  447. if check_ref_format(refname):
  448. allkeys.add(refname)
  449. allkeys.update(self.get_packed_refs())
  450. return allkeys
  451. def refpath(self, name):
  452. """Return the disk path of a ref.
  453. """
  454. if os.path.sep != "/":
  455. name = name.replace(
  456. b"/",
  457. os.path.sep.encode(sys.getfilesystemencoding()))
  458. # TODO: as the 'HEAD' reference is working tree specific, it
  459. # should actually not be a part of RefsContainer
  460. if name == b'HEAD':
  461. return os.path.join(self.worktree_path, name)
  462. else:
  463. return os.path.join(self.path, name)
  464. def get_packed_refs(self):
  465. """Get contents of the packed-refs file.
  466. :return: Dictionary mapping ref names to SHA1s
  467. :note: Will return an empty dictionary when no packed-refs file is
  468. present.
  469. """
  470. # TODO: invalidate the cache on repacking
  471. if self._packed_refs is None:
  472. # set both to empty because we want _peeled_refs to be
  473. # None if and only if _packed_refs is also None.
  474. self._packed_refs = {}
  475. self._peeled_refs = {}
  476. path = os.path.join(self.path, b'packed-refs')
  477. try:
  478. f = GitFile(path, 'rb')
  479. except IOError as e:
  480. if e.errno == errno.ENOENT:
  481. return {}
  482. raise
  483. with f:
  484. first_line = next(iter(f)).rstrip()
  485. if (first_line.startswith(b'# pack-refs') and b' peeled' in
  486. first_line):
  487. for sha, name, peeled in read_packed_refs_with_peeled(f):
  488. self._packed_refs[name] = sha
  489. if peeled:
  490. self._peeled_refs[name] = peeled
  491. else:
  492. f.seek(0)
  493. for sha, name in read_packed_refs(f):
  494. self._packed_refs[name] = sha
  495. return self._packed_refs
  496. def get_peeled(self, name):
  497. """Return the cached peeled value of a ref, if available.
  498. :param name: Name of the ref to peel
  499. :return: The peeled value of the ref. If the ref is known not point to
  500. a tag, this will be the SHA the ref refers to. If the ref may point
  501. to a tag, but no cached information is available, None is returned.
  502. """
  503. self.get_packed_refs()
  504. if self._peeled_refs is None or name not in self._packed_refs:
  505. # No cache: no peeled refs were read, or this ref is loose
  506. return None
  507. if name in self._peeled_refs:
  508. return self._peeled_refs[name]
  509. else:
  510. # Known not peelable
  511. return self[name]
  512. def read_loose_ref(self, name):
  513. """Read a reference file and return its contents.
  514. If the reference file a symbolic reference, only read the first line of
  515. the file. Otherwise, only read the first 40 bytes.
  516. :param name: the refname to read, relative to refpath
  517. :return: The contents of the ref file, or None if the file does not
  518. exist.
  519. :raises IOError: if any other error occurs
  520. """
  521. filename = self.refpath(name)
  522. try:
  523. with GitFile(filename, 'rb') as f:
  524. header = f.read(len(SYMREF))
  525. if header == SYMREF:
  526. # Read only the first line
  527. return header + next(iter(f)).rstrip(b'\r\n')
  528. else:
  529. # Read only the first 40 bytes
  530. return header + f.read(40 - len(SYMREF))
  531. except IOError as e:
  532. if e.errno in (errno.ENOENT, errno.EISDIR, errno.ENOTDIR):
  533. return None
  534. raise
  535. def _remove_packed_ref(self, name):
  536. if self._packed_refs is None:
  537. return
  538. filename = os.path.join(self.path, b'packed-refs')
  539. # reread cached refs from disk, while holding the lock
  540. f = GitFile(filename, 'wb')
  541. try:
  542. self._packed_refs = None
  543. self.get_packed_refs()
  544. if name not in self._packed_refs:
  545. return
  546. del self._packed_refs[name]
  547. if name in self._peeled_refs:
  548. del self._peeled_refs[name]
  549. write_packed_refs(f, self._packed_refs, self._peeled_refs)
  550. f.close()
  551. finally:
  552. f.abort()
  553. def set_symbolic_ref(self, name, other, committer=None, timestamp=None,
  554. timezone=None, message=None):
  555. """Make a ref point at another ref.
  556. :param name: Name of the ref to set
  557. :param other: Name of the ref to point at
  558. :param message: Optional message to describe the change
  559. """
  560. self._check_refname(name)
  561. self._check_refname(other)
  562. filename = self.refpath(name)
  563. f = GitFile(filename, 'wb')
  564. try:
  565. f.write(SYMREF + other + b'\n')
  566. sha = self.follow(name)[-1]
  567. self._log(name, sha, sha, committer=committer,
  568. timestamp=timestamp, timezone=timezone,
  569. message=message)
  570. except BaseException:
  571. f.abort()
  572. raise
  573. else:
  574. f.close()
  575. def set_if_equals(self, name, old_ref, new_ref, committer=None,
  576. timestamp=None, timezone=None, message=None):
  577. """Set a refname to new_ref only if it currently equals old_ref.
  578. This method follows all symbolic references, and can be used to perform
  579. an atomic compare-and-swap operation.
  580. :param name: The refname to set.
  581. :param old_ref: The old sha the refname must refer to, or None to set
  582. unconditionally.
  583. :param new_ref: The new sha the refname will refer to.
  584. :param message: Set message for reflog
  585. :return: True if the set was successful, False otherwise.
  586. """
  587. self._check_refname(name)
  588. try:
  589. realnames, _ = self.follow(name)
  590. realname = realnames[-1]
  591. except (KeyError, IndexError):
  592. realname = name
  593. filename = self.refpath(realname)
  594. # make sure none of the ancestor folders is in packed refs
  595. probe_ref = os.path.dirname(realname)
  596. packed_refs = self.get_packed_refs()
  597. while probe_ref:
  598. if packed_refs.get(probe_ref, None) is not None:
  599. raise OSError(errno.ENOTDIR,
  600. 'Not a directory: {}'.format(filename))
  601. probe_ref = os.path.dirname(probe_ref)
  602. ensure_dir_exists(os.path.dirname(filename))
  603. with GitFile(filename, 'wb') as f:
  604. if old_ref is not None:
  605. try:
  606. # read again while holding the lock
  607. orig_ref = self.read_loose_ref(realname)
  608. if orig_ref is None:
  609. orig_ref = self.get_packed_refs().get(
  610. realname, ZERO_SHA)
  611. if orig_ref != old_ref:
  612. f.abort()
  613. return False
  614. except (OSError, IOError):
  615. f.abort()
  616. raise
  617. try:
  618. f.write(new_ref + b'\n')
  619. except (OSError, IOError):
  620. f.abort()
  621. raise
  622. self._log(realname, old_ref, new_ref, committer=committer,
  623. timestamp=timestamp, timezone=timezone, message=message)
  624. return True
  625. def add_if_new(self, name, ref, committer=None, timestamp=None,
  626. timezone=None, message=None):
  627. """Add a new reference only if it does not already exist.
  628. This method follows symrefs, and only ensures that the last ref in the
  629. chain does not exist.
  630. :param name: The refname to set.
  631. :param ref: The new sha the refname will refer to.
  632. :param message: Optional message for reflog
  633. :return: True if the add was successful, False otherwise.
  634. """
  635. try:
  636. realnames, contents = self.follow(name)
  637. if contents is not None:
  638. return False
  639. realname = realnames[-1]
  640. except (KeyError, IndexError):
  641. realname = name
  642. self._check_refname(realname)
  643. filename = self.refpath(realname)
  644. ensure_dir_exists(os.path.dirname(filename))
  645. with GitFile(filename, 'wb') as f:
  646. if os.path.exists(filename) or name in self.get_packed_refs():
  647. f.abort()
  648. return False
  649. try:
  650. f.write(ref + b'\n')
  651. except (OSError, IOError):
  652. f.abort()
  653. raise
  654. else:
  655. self._log(name, None, ref, committer=committer,
  656. timestamp=timestamp, timezone=timezone,
  657. message=message)
  658. return True
  659. def remove_if_equals(self, name, old_ref, committer=None, timestamp=None,
  660. timezone=None, message=None):
  661. """Remove a refname only if it currently equals old_ref.
  662. This method does not follow symbolic references. It can be used to
  663. perform an atomic compare-and-delete operation.
  664. :param name: The refname to delete.
  665. :param old_ref: The old sha the refname must refer to, or None to
  666. delete unconditionally.
  667. :param message: Optional message
  668. :return: True if the delete was successful, False otherwise.
  669. """
  670. self._check_refname(name)
  671. filename = self.refpath(name)
  672. ensure_dir_exists(os.path.dirname(filename))
  673. f = GitFile(filename, 'wb')
  674. try:
  675. if old_ref is not None:
  676. orig_ref = self.read_loose_ref(name)
  677. if orig_ref is None:
  678. orig_ref = self.get_packed_refs().get(name, ZERO_SHA)
  679. if orig_ref != old_ref:
  680. return False
  681. # remove the reference file itself
  682. try:
  683. os.remove(filename)
  684. except OSError as e:
  685. if e.errno != errno.ENOENT: # may only be packed
  686. raise
  687. self._remove_packed_ref(name)
  688. self._log(name, old_ref, None, committer=committer,
  689. timestamp=timestamp, timezone=timezone, message=message)
  690. finally:
  691. # never write, we just wanted the lock
  692. f.abort()
  693. # outside of the lock, clean-up any parent directory that might now
  694. # be empty. this ensures that re-creating a reference of the same
  695. # name of what was previously a directory works as expected
  696. parent = name
  697. while True:
  698. try:
  699. parent, _ = parent.rsplit(b'/', 1)
  700. except ValueError:
  701. break
  702. parent_filename = self.refpath(parent)
  703. try:
  704. os.rmdir(parent_filename)
  705. except OSError:
  706. # this can be caused by the parent directory being
  707. # removed by another process, being not empty, etc.
  708. # in any case, this is non fatal because we already
  709. # removed the reference, just ignore it
  710. break
  711. return True
  712. def _split_ref_line(line):
  713. """Split a single ref line into a tuple of SHA1 and name."""
  714. fields = line.rstrip(b'\n\r').split(b' ')
  715. if len(fields) != 2:
  716. raise PackedRefsException("invalid ref line %r" % line)
  717. sha, name = fields
  718. if not valid_hexsha(sha):
  719. raise PackedRefsException("Invalid hex sha %r" % sha)
  720. if not check_ref_format(name):
  721. raise PackedRefsException("invalid ref name %r" % name)
  722. return (sha, name)
  723. def read_packed_refs(f):
  724. """Read a packed refs file.
  725. :param f: file-like object to read from
  726. :return: Iterator over tuples with SHA1s and ref names.
  727. """
  728. for l in f:
  729. if l.startswith(b'#'):
  730. # Comment
  731. continue
  732. if l.startswith(b'^'):
  733. raise PackedRefsException(
  734. "found peeled ref in packed-refs without peeled")
  735. yield _split_ref_line(l)
  736. def read_packed_refs_with_peeled(f):
  737. """Read a packed refs file including peeled refs.
  738. Assumes the "# pack-refs with: peeled" line was already read. Yields tuples
  739. with ref names, SHA1s, and peeled SHA1s (or None).
  740. :param f: file-like object to read from, seek'ed to the second line
  741. """
  742. last = None
  743. for line in f:
  744. if line[0] == b'#':
  745. continue
  746. line = line.rstrip(b'\r\n')
  747. if line.startswith(b'^'):
  748. if not last:
  749. raise PackedRefsException("unexpected peeled ref line")
  750. if not valid_hexsha(line[1:]):
  751. raise PackedRefsException("Invalid hex sha %r" % line[1:])
  752. sha, name = _split_ref_line(last)
  753. last = None
  754. yield (sha, name, line[1:])
  755. else:
  756. if last:
  757. sha, name = _split_ref_line(last)
  758. yield (sha, name, None)
  759. last = line
  760. if last:
  761. sha, name = _split_ref_line(last)
  762. yield (sha, name, None)
  763. def write_packed_refs(f, packed_refs, peeled_refs=None):
  764. """Write a packed refs file.
  765. :param f: empty file-like object to write to
  766. :param packed_refs: dict of refname to sha of packed refs to write
  767. :param peeled_refs: dict of refname to peeled value of sha
  768. """
  769. if peeled_refs is None:
  770. peeled_refs = {}
  771. else:
  772. f.write(b'# pack-refs with: peeled\n')
  773. for refname in sorted(packed_refs.keys()):
  774. f.write(git_line(packed_refs[refname], refname))
  775. if refname in peeled_refs:
  776. f.write(b'^' + peeled_refs[refname] + b'\n')
  777. def read_info_refs(f):
  778. ret = {}
  779. for l in f.readlines():
  780. (sha, name) = l.rstrip(b"\r\n").split(b"\t", 1)
  781. ret[name] = sha
  782. return ret
  783. def write_info_refs(refs, store):
  784. """Generate info refs."""
  785. for name, sha in sorted(refs.items()):
  786. # get_refs() includes HEAD as a special case, but we don't want to
  787. # advertise it
  788. if name == b'HEAD':
  789. continue
  790. try:
  791. o = store[sha]
  792. except KeyError:
  793. continue
  794. peeled = store.peel_sha(sha)
  795. yield o.id + b'\t' + name + b'\n'
  796. if o.id != peeled.id:
  797. yield peeled.id + b'\t' + name + ANNOTATED_TAG_SUFFIX + b'\n'
  798. def is_local_branch(x):
  799. return x.startswith(LOCAL_BRANCH_PREFIX)
  800. def strip_peeled_refs(refs):
  801. """Remove all peeled refs"""
  802. return {ref: sha for (ref, sha) in refs.items()
  803. if not ref.endswith(ANNOTATED_TAG_SUFFIX)}