porcelain.py 40 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206120712081209121012111212121312141215121612171218121912201221122212231224122512261227122812291230123112321233123412351236123712381239124012411242124312441245124612471248124912501251125212531254125512561257125812591260
  1. # porcelain.py -- Porcelain-like layer on top of Dulwich
  2. # Copyright (C) 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. """Simple wrapper that provides porcelain-like functions on top of Dulwich.
  21. Currently implemented:
  22. * archive
  23. * add
  24. * branch{_create,_delete,_list}
  25. * check-ignore
  26. * checkout
  27. * clone
  28. * commit
  29. * commit-tree
  30. * daemon
  31. * diff-tree
  32. * fetch
  33. * init
  34. * ls-remote
  35. * ls-tree
  36. * pull
  37. * push
  38. * rm
  39. * remote{_add}
  40. * receive-pack
  41. * reset
  42. * rev-list
  43. * tag{_create,_delete,_list}
  44. * upload-pack
  45. * update-server-info
  46. * status
  47. * symbolic-ref
  48. These functions are meant to behave similarly to the git subcommands.
  49. Differences in behaviour are considered bugs.
  50. Functions should generally accept both unicode strings and bytestrings
  51. """
  52. from collections import namedtuple
  53. from contextlib import (
  54. closing,
  55. contextmanager,
  56. )
  57. from io import BytesIO
  58. import os
  59. import posixpath
  60. import stat
  61. import sys
  62. import time
  63. from dulwich.archive import (
  64. tar_stream,
  65. )
  66. from dulwich.client import (
  67. get_transport_and_path,
  68. )
  69. from dulwich.config import (
  70. StackedConfig,
  71. )
  72. from dulwich.diff_tree import (
  73. CHANGE_ADD,
  74. CHANGE_DELETE,
  75. CHANGE_MODIFY,
  76. CHANGE_RENAME,
  77. CHANGE_COPY,
  78. RENAME_CHANGE_TYPES,
  79. )
  80. from dulwich.errors import (
  81. SendPackError,
  82. UpdateRefsError,
  83. )
  84. from dulwich.ignore import IgnoreFilterManager
  85. from dulwich.index import (
  86. blob_from_path_and_stat,
  87. get_unstaged_changes,
  88. )
  89. from dulwich.object_store import (
  90. tree_lookup_path,
  91. )
  92. from dulwich.objects import (
  93. Commit,
  94. Tag,
  95. format_timezone,
  96. parse_timezone,
  97. pretty_format_tree_entry,
  98. )
  99. from dulwich.objectspec import (
  100. parse_commit,
  101. parse_object,
  102. parse_ref,
  103. parse_reftuples,
  104. parse_tree,
  105. )
  106. from dulwich.pack import (
  107. write_pack_index,
  108. write_pack_objects,
  109. )
  110. from dulwich.patch import write_tree_diff
  111. from dulwich.protocol import (
  112. Protocol,
  113. ZERO_SHA,
  114. )
  115. from dulwich.refs import (
  116. ANNOTATED_TAG_SUFFIX,
  117. strip_peeled_refs,
  118. )
  119. from dulwich.repo import (BaseRepo, Repo)
  120. from dulwich.server import (
  121. FileSystemBackend,
  122. TCPGitServer,
  123. ReceivePackHandler,
  124. UploadPackHandler,
  125. update_server_info as server_update_server_info,
  126. )
  127. # Module level tuple definition for status output
  128. GitStatus = namedtuple('GitStatus', 'staged unstaged untracked')
  129. default_bytes_out_stream = getattr(sys.stdout, 'buffer', sys.stdout)
  130. default_bytes_err_stream = getattr(sys.stderr, 'buffer', sys.stderr)
  131. DEFAULT_ENCODING = 'utf-8'
  132. class RemoteExists(Exception):
  133. """Raised when the remote already exists."""
  134. def open_repo(path_or_repo):
  135. """Open an argument that can be a repository or a path for a repository."""
  136. if isinstance(path_or_repo, BaseRepo):
  137. return path_or_repo
  138. return Repo(path_or_repo)
  139. @contextmanager
  140. def _noop_context_manager(obj):
  141. """Context manager that has the same api as closing but does nothing."""
  142. yield obj
  143. def open_repo_closing(path_or_repo):
  144. """Open an argument that can be a repository or a path for a repository.
  145. returns a context manager that will close the repo on exit if the argument
  146. is a path, else does nothing if the argument is a repo.
  147. """
  148. if isinstance(path_or_repo, BaseRepo):
  149. return _noop_context_manager(path_or_repo)
  150. return closing(Repo(path_or_repo))
  151. def path_to_tree_path(repopath, path):
  152. """Convert a path to a path usable in e.g. an index.
  153. :param repo: Repository
  154. :param path: A path
  155. :return: A path formatted for use in e.g. an index
  156. """
  157. os.path.relpath(path, repopath)
  158. if os.path.sep != '/':
  159. path = path.replace(os.path.sep, '/')
  160. return path.encode(sys.getfilesystemencoding())
  161. def archive(repo, committish=None, outstream=default_bytes_out_stream,
  162. errstream=default_bytes_err_stream):
  163. """Create an archive.
  164. :param repo: Path of repository for which to generate an archive.
  165. :param committish: Commit SHA1 or ref to use
  166. :param outstream: Output stream (defaults to stdout)
  167. :param errstream: Error stream (defaults to stderr)
  168. """
  169. if committish is None:
  170. committish = "HEAD"
  171. with open_repo_closing(repo) as repo_obj:
  172. c = repo_obj[committish]
  173. for chunk in tar_stream(
  174. repo_obj.object_store, repo_obj.object_store[c.tree],
  175. c.commit_time):
  176. outstream.write(chunk)
  177. def update_server_info(repo="."):
  178. """Update server info files for a repository.
  179. :param repo: path to the repository
  180. """
  181. with open_repo_closing(repo) as r:
  182. server_update_server_info(r)
  183. def symbolic_ref(repo, ref_name, force=False):
  184. """Set git symbolic ref into HEAD.
  185. :param repo: path to the repository
  186. :param ref_name: short name of the new ref
  187. :param force: force settings without checking if it exists in refs/heads
  188. """
  189. with open_repo_closing(repo) as repo_obj:
  190. ref_path = _make_branch_ref(ref_name)
  191. if not force and ref_path not in repo_obj.refs.keys():
  192. raise ValueError('fatal: ref `%s` is not a ref' % ref_name)
  193. repo_obj.refs.set_symbolic_ref(b'HEAD', ref_path)
  194. def commit(repo=".", message=None, author=None, committer=None, encoding=None):
  195. """Create a new commit.
  196. :param repo: Path to repository
  197. :param message: Optional commit message
  198. :param author: Optional author name and email
  199. :param committer: Optional committer name and email
  200. :return: SHA1 of the new commit
  201. """
  202. # FIXME: Support --all argument
  203. # FIXME: Support --signoff argument
  204. if getattr(message, 'encode', None):
  205. message = message.encode(encoding or DEFAULT_ENCODING)
  206. if getattr(author, 'encode', None):
  207. author = author.encode(encoding or DEFAULT_ENCODING)
  208. if getattr(committer, 'encode', None):
  209. committer = committer.encode(encoding or DEFAULT_ENCODING)
  210. with open_repo_closing(repo) as r:
  211. return r.do_commit(
  212. message=message, author=author, committer=committer,
  213. encoding=encoding)
  214. def commit_tree(repo, tree, message=None, author=None, committer=None):
  215. """Create a new commit object.
  216. :param repo: Path to repository
  217. :param tree: An existing tree object
  218. :param author: Optional author name and email
  219. :param committer: Optional committer name and email
  220. """
  221. with open_repo_closing(repo) as r:
  222. return r.do_commit(
  223. message=message, tree=tree, committer=committer, author=author)
  224. def init(path=".", bare=False):
  225. """Create a new git repository.
  226. :param path: Path to repository.
  227. :param bare: Whether to create a bare repository.
  228. :return: A Repo instance
  229. """
  230. if not os.path.exists(path):
  231. os.mkdir(path)
  232. if bare:
  233. return Repo.init_bare(path)
  234. else:
  235. return Repo.init(path)
  236. def clone(source, target=None, bare=False, checkout=None,
  237. errstream=default_bytes_err_stream, outstream=None,
  238. origin=b"origin", **kwargs):
  239. """Clone a local or remote git repository.
  240. :param source: Path or URL for source repository
  241. :param target: Path to target repository (optional)
  242. :param bare: Whether or not to create a bare repository
  243. :param checkout: Whether or not to check-out HEAD after cloning
  244. :param errstream: Optional stream to write progress to
  245. :param outstream: Optional stream to write progress to (deprecated)
  246. :param origin: Name of remote from the repository used to clone
  247. :return: The new repository
  248. """
  249. # TODO(jelmer): This code overlaps quite a bit with Repo.clone
  250. if outstream is not None:
  251. import warnings
  252. warnings.warn(
  253. "outstream= has been deprecated in favour of errstream=.",
  254. DeprecationWarning, stacklevel=3)
  255. errstream = outstream
  256. if checkout is None:
  257. checkout = (not bare)
  258. if checkout and bare:
  259. raise ValueError("checkout and bare are incompatible")
  260. config = StackedConfig.default()
  261. client, host_path = get_transport_and_path(source, config=config, **kwargs)
  262. if target is None:
  263. target = host_path.split("/")[-1]
  264. if not os.path.exists(target):
  265. os.mkdir(target)
  266. if bare:
  267. r = Repo.init_bare(target)
  268. else:
  269. r = Repo.init(target)
  270. reflog_message = b'clone: from ' + source.encode('utf-8')
  271. try:
  272. fetch_result = fetch(r, host_path, origin, message=reflog_message)
  273. target_config = r.get_config()
  274. if not isinstance(source, bytes):
  275. source = source.encode(DEFAULT_ENCODING)
  276. target_config.set((b'remote', origin), b'url', source)
  277. target_config.set(
  278. (b'remote', origin), b'fetch',
  279. b'+refs/heads/*:refs/remotes/' + origin + b'/*')
  280. target_config.write_to_path()
  281. # TODO(jelmer): Support symref capability,
  282. # https://github.com/jelmer/dulwich/issues/485
  283. try:
  284. head = r[fetch_result[b'HEAD']]
  285. except KeyError:
  286. head = None
  287. else:
  288. r[b'HEAD'] = head.id
  289. if checkout and not bare and head is not None:
  290. errstream.write(b'Checking out ' + head.id + b'\n')
  291. r.reset_index(head.tree)
  292. except BaseException:
  293. r.close()
  294. raise
  295. return r
  296. def add(repo=".", paths=None):
  297. """Add files to the staging area.
  298. :param repo: Repository for the files
  299. :param paths: Paths to add. No value passed stages all modified files.
  300. :return: Tuple with set of added files and ignored files
  301. """
  302. ignored = set()
  303. with open_repo_closing(repo) as r:
  304. ignore_manager = IgnoreFilterManager.from_repo(r)
  305. if not paths:
  306. paths = list(
  307. get_untracked_paths(os.getcwd(), r.path, r.open_index()))
  308. relpaths = []
  309. if not isinstance(paths, list):
  310. paths = [paths]
  311. for p in paths:
  312. relpath = os.path.relpath(p, r.path)
  313. if relpath.startswith('..' + os.path.sep):
  314. raise ValueError('path %r is not in repo' % relpath)
  315. # FIXME: Support patterns, directories.
  316. if ignore_manager.is_ignored(relpath):
  317. ignored.add(relpath)
  318. continue
  319. relpaths.append(relpath)
  320. r.stage(relpaths)
  321. return (relpaths, ignored)
  322. def remove(repo=".", paths=None, cached=False):
  323. """Remove files from the staging area.
  324. :param repo: Repository for the files
  325. :param paths: Paths to remove
  326. """
  327. with open_repo_closing(repo) as r:
  328. index = r.open_index()
  329. for p in paths:
  330. full_path = os.path.abspath(p).encode(sys.getfilesystemencoding())
  331. tree_path = path_to_tree_path(r.path, p)
  332. try:
  333. index_sha = index[tree_path].sha
  334. except KeyError:
  335. raise Exception('%s did not match any files' % p)
  336. if not cached:
  337. try:
  338. st = os.lstat(full_path)
  339. except OSError:
  340. pass
  341. else:
  342. try:
  343. blob = blob_from_path_and_stat(full_path, st)
  344. except IOError:
  345. pass
  346. else:
  347. try:
  348. committed_sha = tree_lookup_path(
  349. r.__getitem__, r[r.head()].tree, tree_path)[1]
  350. except KeyError:
  351. committed_sha = None
  352. if blob.id != index_sha and index_sha != committed_sha:
  353. raise Exception(
  354. 'file has staged content differing '
  355. 'from both the file and head: %s' % p)
  356. if index_sha != committed_sha:
  357. raise Exception(
  358. 'file has staged changes: %s' % p)
  359. os.remove(full_path)
  360. del index[tree_path]
  361. index.write()
  362. rm = remove
  363. def commit_decode(commit, contents, default_encoding=DEFAULT_ENCODING):
  364. if commit.encoding is not None:
  365. return contents.decode(commit.encoding, "replace")
  366. return contents.decode(default_encoding, "replace")
  367. def print_commit(commit, decode, outstream=sys.stdout):
  368. """Write a human-readable commit log entry.
  369. :param commit: A `Commit` object
  370. :param outstream: A stream file to write to
  371. """
  372. outstream.write("-" * 50 + "\n")
  373. outstream.write("commit: " + commit.id.decode('ascii') + "\n")
  374. if len(commit.parents) > 1:
  375. outstream.write(
  376. "merge: " +
  377. "...".join([c.decode('ascii') for c in commit.parents[1:]]) + "\n")
  378. outstream.write("Author: " + decode(commit.author) + "\n")
  379. if commit.author != commit.committer:
  380. outstream.write("Committer: " + decode(commit.committer) + "\n")
  381. time_tuple = time.gmtime(commit.author_time + commit.author_timezone)
  382. time_str = time.strftime("%a %b %d %Y %H:%M:%S", time_tuple)
  383. timezone_str = format_timezone(commit.author_timezone).decode('ascii')
  384. outstream.write("Date: " + time_str + " " + timezone_str + "\n")
  385. outstream.write("\n")
  386. outstream.write(decode(commit.message) + "\n")
  387. outstream.write("\n")
  388. def print_tag(tag, decode, outstream=sys.stdout):
  389. """Write a human-readable tag.
  390. :param tag: A `Tag` object
  391. :param decode: Function for decoding bytes to unicode string
  392. :param outstream: A stream to write to
  393. """
  394. outstream.write("Tagger: " + decode(tag.tagger) + "\n")
  395. outstream.write("Date: " + decode(tag.tag_time) + "\n")
  396. outstream.write("\n")
  397. outstream.write(decode(tag.message) + "\n")
  398. outstream.write("\n")
  399. def show_blob(repo, blob, decode, outstream=sys.stdout):
  400. """Write a blob to a stream.
  401. :param repo: A `Repo` object
  402. :param blob: A `Blob` object
  403. :param decode: Function for decoding bytes to unicode string
  404. :param outstream: A stream file to write to
  405. """
  406. outstream.write(decode(blob.data))
  407. def show_commit(repo, commit, decode, outstream=sys.stdout):
  408. """Show a commit to a stream.
  409. :param repo: A `Repo` object
  410. :param commit: A `Commit` object
  411. :param decode: Function for decoding bytes to unicode string
  412. :param outstream: Stream to write to
  413. """
  414. print_commit(commit, decode=decode, outstream=outstream)
  415. if commit.parents:
  416. parent_commit = repo[commit.parents[0]]
  417. base_tree = parent_commit.tree
  418. else:
  419. base_tree = None
  420. diffstream = BytesIO()
  421. write_tree_diff(
  422. diffstream,
  423. repo.object_store, base_tree, commit.tree)
  424. diffstream.seek(0)
  425. outstream.write(
  426. diffstream.getvalue().decode(
  427. commit.encoding or DEFAULT_ENCODING, 'replace'))
  428. def show_tree(repo, tree, decode, outstream=sys.stdout):
  429. """Print a tree to a stream.
  430. :param repo: A `Repo` object
  431. :param tree: A `Tree` object
  432. :param decode: Function for decoding bytes to unicode string
  433. :param outstream: Stream to write to
  434. """
  435. for n in tree:
  436. outstream.write(decode(n) + "\n")
  437. def show_tag(repo, tag, decode, outstream=sys.stdout):
  438. """Print a tag to a stream.
  439. :param repo: A `Repo` object
  440. :param tag: A `Tag` object
  441. :param decode: Function for decoding bytes to unicode string
  442. :param outstream: Stream to write to
  443. """
  444. print_tag(tag, decode, outstream)
  445. show_object(repo, repo[tag.object[1]], outstream)
  446. def show_object(repo, obj, decode, outstream):
  447. return {
  448. b"tree": show_tree,
  449. b"blob": show_blob,
  450. b"commit": show_commit,
  451. b"tag": show_tag,
  452. }[obj.type_name](repo, obj, decode, outstream)
  453. def print_name_status(changes):
  454. """Print a simple status summary, listing changed files.
  455. """
  456. for change in changes:
  457. if not change:
  458. continue
  459. if isinstance(change, list):
  460. change = change[0]
  461. if change.type == CHANGE_ADD:
  462. path1 = change.new.path
  463. path2 = ''
  464. kind = 'A'
  465. elif change.type == CHANGE_DELETE:
  466. path1 = change.old.path
  467. path2 = ''
  468. kind = 'D'
  469. elif change.type == CHANGE_MODIFY:
  470. path1 = change.new.path
  471. path2 = ''
  472. kind = 'M'
  473. elif change.type in RENAME_CHANGE_TYPES:
  474. path1 = change.old.path
  475. path2 = change.new.path
  476. if change.type == CHANGE_RENAME:
  477. kind = 'R'
  478. elif change.type == CHANGE_COPY:
  479. kind = 'C'
  480. yield '%-8s%-20s%-20s' % (kind, path1, path2)
  481. def log(repo=".", paths=None, outstream=sys.stdout, max_entries=None,
  482. reverse=False, name_status=False):
  483. """Write commit logs.
  484. :param repo: Path to repository
  485. :param paths: Optional set of specific paths to print entries for
  486. :param outstream: Stream to write log output to
  487. :param reverse: Reverse order in which entries are printed
  488. :param name_status: Print name status
  489. :param max_entries: Optional maximum number of entries to display
  490. """
  491. with open_repo_closing(repo) as r:
  492. walker = r.get_walker(
  493. max_entries=max_entries, paths=paths, reverse=reverse)
  494. for entry in walker:
  495. def decode(x):
  496. return commit_decode(entry.commit, x)
  497. print_commit(entry.commit, decode, outstream)
  498. if name_status:
  499. outstream.writelines(
  500. [l+'\n' for l in print_name_status(entry.changes())])
  501. # TODO(jelmer): better default for encoding?
  502. def show(repo=".", objects=None, outstream=sys.stdout,
  503. default_encoding=DEFAULT_ENCODING):
  504. """Print the changes in a commit.
  505. :param repo: Path to repository
  506. :param objects: Objects to show (defaults to [HEAD])
  507. :param outstream: Stream to write to
  508. :param default_encoding: Default encoding to use if none is set in the
  509. commit
  510. """
  511. if objects is None:
  512. objects = ["HEAD"]
  513. if not isinstance(objects, list):
  514. objects = [objects]
  515. with open_repo_closing(repo) as r:
  516. for objectish in objects:
  517. o = parse_object(r, objectish)
  518. if isinstance(o, Commit):
  519. def decode(x):
  520. return commit_decode(o, x, default_encoding)
  521. else:
  522. def decode(x):
  523. return x.decode(default_encoding)
  524. show_object(r, o, decode, outstream)
  525. def diff_tree(repo, old_tree, new_tree, outstream=sys.stdout):
  526. """Compares the content and mode of blobs found via two tree objects.
  527. :param repo: Path to repository
  528. :param old_tree: Id of old tree
  529. :param new_tree: Id of new tree
  530. :param outstream: Stream to write to
  531. """
  532. with open_repo_closing(repo) as r:
  533. write_tree_diff(outstream, r.object_store, old_tree, new_tree)
  534. def rev_list(repo, commits, outstream=sys.stdout):
  535. """Lists commit objects in reverse chronological order.
  536. :param repo: Path to repository
  537. :param commits: Commits over which to iterate
  538. :param outstream: Stream to write to
  539. """
  540. with open_repo_closing(repo) as r:
  541. for entry in r.get_walker(include=[r[c].id for c in commits]):
  542. outstream.write(entry.commit.id + b"\n")
  543. def tag(*args, **kwargs):
  544. import warnings
  545. warnings.warn("tag has been deprecated in favour of tag_create.",
  546. DeprecationWarning)
  547. return tag_create(*args, **kwargs)
  548. def tag_create(
  549. repo, tag, author=None, message=None, annotated=False,
  550. objectish="HEAD", tag_time=None, tag_timezone=None):
  551. """Creates a tag in git via dulwich calls:
  552. :param repo: Path to repository
  553. :param tag: tag string
  554. :param author: tag author (optional, if annotated is set)
  555. :param message: tag message (optional)
  556. :param annotated: whether to create an annotated tag
  557. :param objectish: object the tag should point at, defaults to HEAD
  558. :param tag_time: Optional time for annotated tag
  559. :param tag_timezone: Optional timezone for annotated tag
  560. """
  561. with open_repo_closing(repo) as r:
  562. object = parse_object(r, objectish)
  563. if annotated:
  564. # Create the tag object
  565. tag_obj = Tag()
  566. if author is None:
  567. # TODO(jelmer): Don't use repo private method.
  568. author = r._get_user_identity()
  569. tag_obj.tagger = author
  570. tag_obj.message = message
  571. tag_obj.name = tag
  572. tag_obj.object = (type(object), object.id)
  573. if tag_time is None:
  574. tag_time = int(time.time())
  575. tag_obj.tag_time = tag_time
  576. if tag_timezone is None:
  577. # TODO(jelmer) Use current user timezone rather than UTC
  578. tag_timezone = 0
  579. elif isinstance(tag_timezone, str):
  580. tag_timezone = parse_timezone(tag_timezone)
  581. tag_obj.tag_timezone = tag_timezone
  582. r.object_store.add_object(tag_obj)
  583. tag_id = tag_obj.id
  584. else:
  585. tag_id = object.id
  586. r.refs[_make_tag_ref(tag)] = tag_id
  587. def list_tags(*args, **kwargs):
  588. import warnings
  589. warnings.warn("list_tags has been deprecated in favour of tag_list.",
  590. DeprecationWarning)
  591. return tag_list(*args, **kwargs)
  592. def tag_list(repo, outstream=sys.stdout):
  593. """List all tags.
  594. :param repo: Path to repository
  595. :param outstream: Stream to write tags to
  596. """
  597. with open_repo_closing(repo) as r:
  598. tags = sorted(r.refs.as_dict(b"refs/tags"))
  599. return tags
  600. def tag_delete(repo, name):
  601. """Remove a tag.
  602. :param repo: Path to repository
  603. :param name: Name of tag to remove
  604. """
  605. with open_repo_closing(repo) as r:
  606. if isinstance(name, bytes):
  607. names = [name]
  608. elif isinstance(name, list):
  609. names = name
  610. else:
  611. raise TypeError("Unexpected tag name type %r" % name)
  612. for name in names:
  613. del r.refs[_make_tag_ref(name)]
  614. def reset(repo, mode, treeish="HEAD"):
  615. """Reset current HEAD to the specified state.
  616. :param repo: Path to repository
  617. :param mode: Mode ("hard", "soft", "mixed")
  618. :param treeish: Treeish to reset to
  619. """
  620. if mode != "hard":
  621. raise ValueError("hard is the only mode currently supported")
  622. with open_repo_closing(repo) as r:
  623. tree = parse_tree(r, treeish)
  624. r.reset_index(tree.id)
  625. def push(repo, remote_location, refspecs,
  626. outstream=default_bytes_out_stream,
  627. errstream=default_bytes_err_stream, **kwargs):
  628. """Remote push with dulwich via dulwich.client
  629. :param repo: Path to repository
  630. :param remote_location: Location of the remote
  631. :param refspecs: Refs to push to remote
  632. :param outstream: A stream file to write output
  633. :param errstream: A stream file to write errors
  634. """
  635. # Open the repo
  636. with open_repo_closing(repo) as r:
  637. # Get the client and path
  638. client, path = get_transport_and_path(
  639. remote_location, config=r.get_config_stack(), **kwargs)
  640. selected_refs = []
  641. def update_refs(refs):
  642. selected_refs.extend(parse_reftuples(r.refs, refs, refspecs))
  643. new_refs = {}
  644. # TODO: Handle selected_refs == {None: None}
  645. for (lh, rh, force) in selected_refs:
  646. if lh is None:
  647. new_refs[rh] = ZERO_SHA
  648. else:
  649. new_refs[rh] = r.refs[lh]
  650. return new_refs
  651. err_encoding = getattr(errstream, 'encoding', None) or DEFAULT_ENCODING
  652. remote_location_bytes = client.get_url(path).encode(err_encoding)
  653. try:
  654. client.send_pack(
  655. path, update_refs,
  656. generate_pack_data=r.object_store.generate_pack_data,
  657. progress=errstream.write)
  658. errstream.write(
  659. b"Push to " + remote_location_bytes + b" successful.\n")
  660. except (UpdateRefsError, SendPackError) as e:
  661. errstream.write(b"Push to " + remote_location_bytes +
  662. b" failed -> " + e.message.encode(err_encoding) +
  663. b"\n")
  664. def pull(repo, remote_location=None, refspecs=None,
  665. outstream=default_bytes_out_stream,
  666. errstream=default_bytes_err_stream, **kwargs):
  667. """Pull from remote via dulwich.client
  668. :param repo: Path to repository
  669. :param remote_location: Location of the remote
  670. :param refspec: refspecs to fetch
  671. :param outstream: A stream file to write to output
  672. :param errstream: A stream file to write to errors
  673. """
  674. # Open the repo
  675. with open_repo_closing(repo) as r:
  676. if remote_location is None:
  677. # TODO(jelmer): Lookup 'remote' for current branch in config
  678. raise NotImplementedError(
  679. "looking up remote from branch config not supported yet")
  680. if refspecs is None:
  681. refspecs = [b"HEAD"]
  682. selected_refs = []
  683. def determine_wants(remote_refs):
  684. selected_refs.extend(
  685. parse_reftuples(remote_refs, r.refs, refspecs))
  686. return [remote_refs[lh] for (lh, rh, force) in selected_refs]
  687. client, path = get_transport_and_path(
  688. remote_location, config=r.get_config_stack(), **kwargs)
  689. fetch_result = client.fetch(
  690. path, r, progress=errstream.write, determine_wants=determine_wants)
  691. for (lh, rh, force) in selected_refs:
  692. r.refs[rh] = fetch_result.refs[lh]
  693. if selected_refs:
  694. r[b'HEAD'] = fetch_result.refs[selected_refs[0][1]]
  695. # Perform 'git checkout .' - syncs staged changes
  696. tree = r[b"HEAD"].tree
  697. r.reset_index(tree=tree)
  698. def status(repo=".", ignored=False):
  699. """Returns staged, unstaged, and untracked changes relative to the HEAD.
  700. :param repo: Path to repository or repository object
  701. :param ignored: Whether to include ignored files in `untracked`
  702. :return: GitStatus tuple,
  703. staged - list of staged paths (diff index/HEAD)
  704. unstaged - list of unstaged paths (diff index/working-tree)
  705. untracked - list of untracked, un-ignored & non-.git paths
  706. """
  707. with open_repo_closing(repo) as r:
  708. # 1. Get status of staged
  709. tracked_changes = get_tree_changes(r)
  710. # 2. Get status of unstaged
  711. index = r.open_index()
  712. unstaged_changes = list(get_unstaged_changes(index, r.path))
  713. ignore_manager = IgnoreFilterManager.from_repo(r)
  714. untracked_paths = get_untracked_paths(r.path, r.path, index)
  715. if ignored:
  716. untracked_changes = list(untracked_paths)
  717. else:
  718. untracked_changes = [
  719. p for p in untracked_paths
  720. if not ignore_manager.is_ignored(p)]
  721. return GitStatus(tracked_changes, unstaged_changes, untracked_changes)
  722. def get_untracked_paths(frompath, basepath, index):
  723. """Get untracked paths.
  724. ;param frompath: Path to walk
  725. :param basepath: Path to compare to
  726. :param index: Index to check against
  727. """
  728. # If nothing is specified, add all non-ignored files.
  729. for dirpath, dirnames, filenames in os.walk(frompath):
  730. # Skip .git and below.
  731. if '.git' in dirnames:
  732. dirnames.remove('.git')
  733. if dirpath != basepath:
  734. continue
  735. if '.git' in filenames:
  736. filenames.remove('.git')
  737. if dirpath != basepath:
  738. continue
  739. for filename in filenames:
  740. ap = os.path.join(dirpath, filename)
  741. ip = path_to_tree_path(basepath, ap)
  742. if ip not in index:
  743. yield os.path.relpath(ap, frompath)
  744. def get_tree_changes(repo):
  745. """Return add/delete/modify changes to tree by comparing index to HEAD.
  746. :param repo: repo path or object
  747. :return: dict with lists for each type of change
  748. """
  749. with open_repo_closing(repo) as r:
  750. index = r.open_index()
  751. # Compares the Index to the HEAD & determines changes
  752. # Iterate through the changes and report add/delete/modify
  753. # TODO: call out to dulwich.diff_tree somehow.
  754. tracked_changes = {
  755. 'add': [],
  756. 'delete': [],
  757. 'modify': [],
  758. }
  759. try:
  760. tree_id = r[b'HEAD'].tree
  761. except KeyError:
  762. tree_id = None
  763. for change in index.changes_from_tree(r.object_store, tree_id):
  764. if not change[0][0]:
  765. tracked_changes['add'].append(change[0][1])
  766. elif not change[0][1]:
  767. tracked_changes['delete'].append(change[0][0])
  768. elif change[0][0] == change[0][1]:
  769. tracked_changes['modify'].append(change[0][0])
  770. else:
  771. raise AssertionError('git mv ops not yet supported')
  772. return tracked_changes
  773. def daemon(path=".", address=None, port=None):
  774. """Run a daemon serving Git requests over TCP/IP.
  775. :param path: Path to the directory to serve.
  776. :param address: Optional address to listen on (defaults to ::)
  777. :param port: Optional port to listen on (defaults to TCP_GIT_PORT)
  778. """
  779. # TODO(jelmer): Support git-daemon-export-ok and --export-all.
  780. backend = FileSystemBackend(path)
  781. server = TCPGitServer(backend, address, port)
  782. server.serve_forever()
  783. def web_daemon(path=".", address=None, port=None):
  784. """Run a daemon serving Git requests over HTTP.
  785. :param path: Path to the directory to serve
  786. :param address: Optional address to listen on (defaults to ::)
  787. :param port: Optional port to listen on (defaults to 80)
  788. """
  789. from dulwich.web import (
  790. make_wsgi_chain,
  791. make_server,
  792. WSGIRequestHandlerLogger,
  793. WSGIServerLogger)
  794. backend = FileSystemBackend(path)
  795. app = make_wsgi_chain(backend)
  796. server = make_server(address, port, app,
  797. handler_class=WSGIRequestHandlerLogger,
  798. server_class=WSGIServerLogger)
  799. server.serve_forever()
  800. def upload_pack(path=".", inf=None, outf=None):
  801. """Upload a pack file after negotiating its contents using smart protocol.
  802. :param path: Path to the repository
  803. :param inf: Input stream to communicate with client
  804. :param outf: Output stream to communicate with client
  805. """
  806. if outf is None:
  807. outf = getattr(sys.stdout, 'buffer', sys.stdout)
  808. if inf is None:
  809. inf = getattr(sys.stdin, 'buffer', sys.stdin)
  810. path = os.path.expanduser(path)
  811. backend = FileSystemBackend(path)
  812. def send_fn(data):
  813. outf.write(data)
  814. outf.flush()
  815. proto = Protocol(inf.read, send_fn)
  816. handler = UploadPackHandler(backend, [path], proto)
  817. # FIXME: Catch exceptions and write a single-line summary to outf.
  818. handler.handle()
  819. return 0
  820. def receive_pack(path=".", inf=None, outf=None):
  821. """Receive a pack file after negotiating its contents using smart protocol.
  822. :param path: Path to the repository
  823. :param inf: Input stream to communicate with client
  824. :param outf: Output stream to communicate with client
  825. """
  826. if outf is None:
  827. outf = getattr(sys.stdout, 'buffer', sys.stdout)
  828. if inf is None:
  829. inf = getattr(sys.stdin, 'buffer', sys.stdin)
  830. path = os.path.expanduser(path)
  831. backend = FileSystemBackend(path)
  832. def send_fn(data):
  833. outf.write(data)
  834. outf.flush()
  835. proto = Protocol(inf.read, send_fn)
  836. handler = ReceivePackHandler(backend, [path], proto)
  837. # FIXME: Catch exceptions and write a single-line summary to outf.
  838. handler.handle()
  839. return 0
  840. def _make_branch_ref(name):
  841. if getattr(name, 'encode', None):
  842. name = name.encode(DEFAULT_ENCODING)
  843. return b"refs/heads/" + name
  844. def _make_tag_ref(name):
  845. if getattr(name, 'encode', None):
  846. name = name.encode(DEFAULT_ENCODING)
  847. return b"refs/tags/" + name
  848. def branch_delete(repo, name):
  849. """Delete a branch.
  850. :param repo: Path to the repository
  851. :param name: Name of the branch
  852. """
  853. with open_repo_closing(repo) as r:
  854. if isinstance(name, list):
  855. names = name
  856. else:
  857. names = [name]
  858. for name in names:
  859. del r.refs[_make_branch_ref(name)]
  860. def branch_create(repo, name, objectish=None, force=False):
  861. """Create a branch.
  862. :param repo: Path to the repository
  863. :param name: Name of the new branch
  864. :param objectish: Target object to point new branch at (defaults to HEAD)
  865. :param force: Force creation of branch, even if it already exists
  866. """
  867. with open_repo_closing(repo) as r:
  868. if objectish is None:
  869. objectish = "HEAD"
  870. object = parse_object(r, objectish)
  871. refname = _make_branch_ref(name)
  872. ref_message = b"branch: Created from " + objectish.encode('utf-8')
  873. if force:
  874. r.refs.set_if_equals(refname, None, object.id, message=ref_message)
  875. else:
  876. if not r.refs.add_if_new(refname, object.id, message=ref_message):
  877. raise KeyError("Branch with name %s already exists." % name)
  878. def branch_list(repo):
  879. """List all branches.
  880. :param repo: Path to the repository
  881. """
  882. with open_repo_closing(repo) as r:
  883. return r.refs.keys(base=b"refs/heads/")
  884. def fetch(repo, remote_location, remote_name=b'origin', outstream=sys.stdout,
  885. errstream=default_bytes_err_stream, message=None, **kwargs):
  886. """Fetch objects from a remote server.
  887. :param repo: Path to the repository
  888. :param remote_location: String identifying a remote server
  889. :param remote_name: Name for remote server
  890. :param outstream: Output stream (defaults to stdout)
  891. :param errstream: Error stream (defaults to stderr)
  892. :param message: Reflog message (defaults to b"fetch: from <remote_name>")
  893. :return: Dictionary with refs on the remote
  894. """
  895. if message is None:
  896. message = b'fetch: from ' + remote_location.encode("utf-8")
  897. with open_repo_closing(repo) as r:
  898. client, path = get_transport_and_path(
  899. remote_location, config=r.get_config_stack(), **kwargs)
  900. fetch_result = client.fetch(path, r, progress=errstream.write)
  901. stripped_refs = strip_peeled_refs(fetch_result.refs)
  902. branches = {
  903. n[len(b'refs/heads/'):]: v for (n, v) in stripped_refs.items()
  904. if n.startswith(b'refs/heads/')}
  905. r.refs.import_refs(
  906. b'refs/remotes/' + remote_name, branches, message=message)
  907. tags = {
  908. n[len(b'refs/tags/'):]: v for (n, v) in stripped_refs.items()
  909. if n.startswith(b'refs/tags/') and
  910. not n.endswith(ANNOTATED_TAG_SUFFIX)}
  911. r.refs.import_refs(b'refs/tags', tags, message=message)
  912. return fetch_result.refs
  913. def ls_remote(remote, config=None, **kwargs):
  914. """List the refs in a remote.
  915. :param remote: Remote repository location
  916. :param config: Configuration to use
  917. :return: Dictionary with remote refs
  918. """
  919. if config is None:
  920. config = StackedConfig.default()
  921. client, host_path = get_transport_and_path(remote, config=config, **kwargs)
  922. return client.get_refs(host_path)
  923. def repack(repo):
  924. """Repack loose files in a repository.
  925. Currently this only packs loose objects.
  926. :param repo: Path to the repository
  927. """
  928. with open_repo_closing(repo) as r:
  929. r.object_store.pack_loose_objects()
  930. def pack_objects(repo, object_ids, packf, idxf, delta_window_size=None):
  931. """Pack objects into a file.
  932. :param repo: Path to the repository
  933. :param object_ids: List of object ids to write
  934. :param packf: File-like object to write to
  935. :param idxf: File-like object to write to (can be None)
  936. """
  937. with open_repo_closing(repo) as r:
  938. entries, data_sum = write_pack_objects(
  939. packf,
  940. r.object_store.iter_shas((oid, None) for oid in object_ids),
  941. delta_window_size=delta_window_size)
  942. if idxf is not None:
  943. entries = sorted([(k, v[0], v[1]) for (k, v) in entries.items()])
  944. write_pack_index(idxf, entries, data_sum)
  945. def ls_tree(repo, treeish=b"HEAD", outstream=sys.stdout, recursive=False,
  946. name_only=False):
  947. """List contents of a tree.
  948. :param repo: Path to the repository
  949. :param tree_ish: Tree id to list
  950. :param outstream: Output stream (defaults to stdout)
  951. :param recursive: Whether to recursively list files
  952. :param name_only: Only print item name
  953. """
  954. def list_tree(store, treeid, base):
  955. for (name, mode, sha) in store[treeid].iteritems():
  956. if base:
  957. name = posixpath.join(base, name)
  958. if name_only:
  959. outstream.write(name + b"\n")
  960. else:
  961. outstream.write(pretty_format_tree_entry(name, mode, sha))
  962. if stat.S_ISDIR(mode) and recursive:
  963. list_tree(store, sha, name)
  964. with open_repo_closing(repo) as r:
  965. tree = parse_tree(r, treeish)
  966. list_tree(r.object_store, tree.id, "")
  967. def remote_add(repo, name, url):
  968. """Add a remote.
  969. :param repo: Path to the repository
  970. :param name: Remote name
  971. :param url: Remote URL
  972. """
  973. if not isinstance(name, bytes):
  974. name = name.encode(DEFAULT_ENCODING)
  975. if not isinstance(url, bytes):
  976. url = url.encode(DEFAULT_ENCODING)
  977. with open_repo_closing(repo) as r:
  978. c = r.get_config()
  979. section = (b'remote', name)
  980. if c.has_section(section):
  981. raise RemoteExists(section)
  982. c.set(section, b"url", url)
  983. c.write_to_path()
  984. def check_ignore(repo, paths, no_index=False):
  985. """Debug gitignore files.
  986. :param repo: Path to the repository
  987. :param paths: List of paths to check for
  988. :param no_index: Don't check index
  989. :return: List of ignored files
  990. """
  991. with open_repo_closing(repo) as r:
  992. index = r.open_index()
  993. ignore_manager = IgnoreFilterManager.from_repo(r)
  994. for path in paths:
  995. if os.path.isabs(path):
  996. path = os.path.relpath(path, r.path)
  997. if not no_index and path_to_tree_path(r.path, path) in index:
  998. continue
  999. if ignore_manager.is_ignored(path):
  1000. yield path
  1001. def update_head(repo, target, detached=False, new_branch=None):
  1002. """Update HEAD to point at a new branch/commit.
  1003. Note that this does not actually update the working tree.
  1004. :param repo: Path to the repository
  1005. :param detach: Create a detached head
  1006. :param target: Branch or committish to switch to
  1007. :param new_branch: New branch to create
  1008. """
  1009. with open_repo_closing(repo) as r:
  1010. if new_branch is not None:
  1011. to_set = _make_branch_ref(new_branch)
  1012. else:
  1013. to_set = b"HEAD"
  1014. if detached:
  1015. # TODO(jelmer): Provide some way so that the actual ref gets
  1016. # updated rather than what it points to, so the delete isn't
  1017. # necessary.
  1018. del r.refs[to_set]
  1019. r.refs[to_set] = parse_commit(r, target).id
  1020. else:
  1021. r.refs.set_symbolic_ref(to_set, parse_ref(r, target))
  1022. if new_branch is not None:
  1023. r.refs.set_symbolic_ref(b"HEAD", to_set)
  1024. def check_mailmap(repo, contact):
  1025. """Check canonical name and email of contact.
  1026. :param repo: Path to the repository
  1027. :param contact: Contact name and/or email
  1028. :return: Canonical contact data
  1029. """
  1030. with open_repo_closing(repo) as r:
  1031. from dulwich.mailmap import Mailmap
  1032. import errno
  1033. try:
  1034. mailmap = Mailmap.from_path(os.path.join(r.path, '.mailmap'))
  1035. except IOError as e:
  1036. if e.errno != errno.ENOENT:
  1037. raise
  1038. mailmap = Mailmap()
  1039. return mailmap.lookup(contact)
  1040. def fsck(repo):
  1041. """Check a repository.
  1042. :param repo: A path to the repository
  1043. :return: Iterator over errors/warnings
  1044. """
  1045. with open_repo_closing(repo) as r:
  1046. # TODO(jelmer): check pack files
  1047. # TODO(jelmer): check graph
  1048. # TODO(jelmer): check refs
  1049. for sha in r.object_store:
  1050. o = r.object_store[sha]
  1051. try:
  1052. o.check()
  1053. except Exception as e:
  1054. yield (sha, e)