porcelain.py 38 KB

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