]> arthur.barton.de Git - bup.git/blob - lib/bup/cmd/get.py
pylint: enable inconsistent-return-statements
[bup.git] / lib / bup / cmd / get.py
1
2 from __future__ import absolute_import, print_function
3 from binascii import hexlify, unhexlify
4 from collections import namedtuple
5 from stat import S_ISDIR
6 import os, sys, textwrap, time
7
8 from bup import compat, git, client, vfs
9 from bup.compat import (
10     argv_bytes,
11     bytes_from_byte,
12     environ,
13     hexstr,
14     items,
15 )
16 from bup.git import get_cat_data, parse_commit, walk_object
17 from bup.helpers import add_error, debug1, log, saved_errors
18 from bup.helpers import hostname, tty_width, parse_num
19 from bup.io import path_msg
20 from bup.pwdgrp import userfullname, username
21 from bup.repo import LocalRepo, RemoteRepo
22
23 argspec = (
24     "usage: bup get [-s source] [-r remote] (<--ff|--append|...> REF [DEST])...",
25
26     """Transfer data from a source repository to a destination repository
27     according to the methods specified (--ff, --ff:, --append, etc.).
28     Both repositories default to BUP_DIR.  A remote destination may be
29     specified with -r, and data may be pulled from a remote repository
30     with the related "bup on HOST get ..." command.""",
31
32     ('optional arguments:',
33      (('-h, --help', 'show this help message and exit'),
34       ('-v, --verbose',
35        'increase log output (can be specified more than once)'),
36       ('-q, --quiet', "don't show progress meter"),
37       ('-s SOURCE, --source SOURCE',
38        'path to the source repository (defaults to BUP_DIR)'),
39       ('-r REMOTE, --remote REMOTE',
40        'hostname:/path/to/repo of remote destination repository'),
41       ('-t --print-trees', 'output a tree id for each ref set'),
42       ('-c, --print-commits', 'output a commit id for each ref set'),
43       ('--print-tags', 'output an id for each tag'),
44       ('--bwlimit BWLIMIT', 'maximum bytes/sec to transmit to server'),
45       ('-0, -1, -2, -3, -4, -5, -6, -7, -8, -9, --compress LEVEL',
46        'set compression LEVEL (default: 1)'))),
47
48     ('transfer methods:',
49      (('--ff REF, --ff: REF DEST',
50        'fast-forward dest REF (or DEST) to match source REF'),
51       ('--append REF, --append: REF DEST',
52        'append REF (treeish or committish) to dest REF (or DEST)'),
53       ('--pick REF, --pick: REF DEST',
54        'append single source REF commit to dest REF (or DEST)'),
55       ('--force-pick REF, --force-pick: REF DEST',
56        '--pick, overwriting REF (or DEST)'),
57       ('--new-tag REF, --new-tag: REF DEST',
58        'tag source ref REF as REF (or DEST) in dest unless it already exists'),
59       ('--replace, --replace: REF DEST',
60        'overwrite REF (or DEST) in dest with source REF'),
61       ('--unnamed REF',
62        'fetch REF anonymously (without destination ref)'))))
63
64 def render_opts(opts, width=None):
65     if not width:
66         width = tty_width()
67     result = []
68     for args, desc in opts:
69         result.append(textwrap.fill(args, width=width,
70                                     initial_indent=(' ' * 2),
71                                     subsequent_indent=(' ' * 4)))
72         result.append('\n')
73         result.append(textwrap.fill(desc, width=width,
74                                     initial_indent=(' ' * 6),
75                                     subsequent_indent=(' ' * 6)))
76         result.append('\n')
77     return result
78
79 def usage(argspec, width=None):
80     if not width:
81         width = tty_width()
82     usage, preamble, groups = argspec[0], argspec[1], argspec[2:]
83     msg = []
84     msg.append(textwrap.fill(usage, width=width, subsequent_indent='  '))
85     msg.append('\n\n')
86     msg.append(textwrap.fill(preamble.replace('\n', ' '), width=width))
87     msg.append('\n')
88     for group_name, group_args in groups:
89         msg.extend(['\n', group_name, '\n'])
90         msg.extend(render_opts(group_args, width=width))
91     return ''.join(msg)
92
93 def misuse(message=None):
94     sys.stderr.write(usage(argspec))
95     if message:
96         sys.stderr.write('\nerror: ')
97         sys.stderr.write(message)
98         sys.stderr.write('\n')
99     sys.exit(1)
100
101 def require_n_args_or_die(n, args):
102     if len(args) < n + 1:
103         misuse('%s argument requires %d %s'
104                % (n, 'values' if n == 1 else 'value'))
105     result = args[1:1+n], args[1+n:]
106     assert len(result[0]) == n
107     return result
108
109 Spec = namedtuple('Spec', ('method', 'src', 'dest'))
110
111 def spec_msg(s):
112     if not s.dest:
113         return '--%s %s' % (s.method, path_msg(s.src))
114     return '--%s: %s %s' % (s.method, path_msg(s.src), path_msg(s.dest))
115
116 def parse_args(args):
117     class GetOpts:
118         pass
119     opt = GetOpts()
120     opt.help = False
121     opt.verbose = 0
122     opt.quiet = False
123     opt.print_commits = opt.print_trees = opt.print_tags = False
124     opt.bwlimit = None
125     opt.compress = 1
126     opt.source = opt.remote = None
127     opt.target_specs = []
128
129     remaining = args[1:]  # Skip argv[0]
130     while remaining:
131         arg = remaining[0]
132         if arg in (b'-h', b'--help'):
133             sys.stdout.write(usage(argspec))
134             sys.exit(0)
135         elif arg in (b'-v', b'--verbose'):
136             opt.verbose += 1
137             remaining = remaining[1:]
138         elif arg in (b'--ff', b'--append', b'--pick', b'--force-pick',
139                      b'--new-tag', b'--replace', b'--unnamed'):
140             (ref,), remaining = require_n_args_or_die(1, remaining)
141             opt.target_specs.append(Spec(method=arg[2:].decode('ascii'),
142                                          src=ref, dest=None))
143         elif arg in (b'--ff:', b'--append:', b'--pick:', b'--force-pick:',
144                      b'--new-tag:', b'--replace:'):
145             (ref, dest), remaining = require_n_args_or_die(2, remaining)
146             opt.target_specs.append(Spec(method=arg[2:-1].decode('ascii'),
147                                          src=ref, dest=dest))
148         elif arg in (b'-s', b'--source'):
149             (opt.source,), remaining = require_n_args_or_die(1, remaining)
150         elif arg in (b'-r', b'--remote'):
151             (opt.remote,), remaining = require_n_args_or_die(1, remaining)
152         elif arg in (b'-c', b'--print-commits'):
153             opt.print_commits, remaining = True, remaining[1:]
154         elif arg in (b'-t', b'--print-trees'):
155             opt.print_trees, remaining = True, remaining[1:]
156         elif arg == b'--print-tags':
157             opt.print_tags, remaining = True, remaining[1:]
158         elif arg in (b'-0', b'-1', b'-2', b'-3', b'-4', b'-5', b'-6', b'-7',
159                      b'-8', b'-9'):
160             opt.compress = int(arg[1:])
161             remaining = remaining[1:]
162         elif arg == b'--compress':
163             (opt.compress,), remaining = require_n_args_or_die(1, remaining)
164             opt.compress = int(opt.compress)
165         elif arg == b'--bwlimit':
166             (opt.bwlimit,), remaining = require_n_args_or_die(1, remaining)
167             opt.bwlimit = int(opt.bwlimit)
168         elif arg.startswith(b'-') and len(arg) > 2 and arg[1] != b'-':
169             # Try to interpret this as -xyz, i.e. "-xyz -> -x -y -z".
170             # We do this last so that --foo -bar is valid if --foo
171             # requires a value.
172             remaining[0:1] = (b'-' + bytes_from_byte(c) for c in arg[1:])
173             # FIXME
174             continue
175         else:
176             misuse()
177     return opt
178
179 # FIXME: client error handling (remote exceptions, etc.)
180
181 # FIXME: walk_object in in git.py doesn't support opt.verbose.  Do we
182 # need to adjust for that here?
183 def get_random_item(name, hash, repo, writer, opt):
184     def already_seen(oid):
185         return writer.exists(unhexlify(oid))
186     for item in walk_object(repo.cat, hash, stop_at=already_seen,
187                             include_data=True):
188         # already_seen ensures that writer.exists(id) is false.
189         # Otherwise, just_write() would fail.
190         writer.just_write(item.oid, item.type, item.data)
191
192
193 def append_commit(name, hash, parent, src_repo, writer, opt):
194     now = time.time()
195     items = parse_commit(get_cat_data(src_repo.cat(hash), b'commit'))
196     tree = unhexlify(items.tree)
197     author = b'%s <%s>' % (items.author_name, items.author_mail)
198     author_time = (items.author_sec, items.author_offset)
199     committer = b'%s <%s@%s>' % (userfullname(), username(), hostname())
200     get_random_item(name, hexlify(tree), src_repo, writer, opt)
201     c = writer.new_commit(tree, parent,
202                           author, items.author_sec, items.author_offset,
203                           committer, now, None,
204                           items.message)
205     return c, tree
206
207
208 def append_commits(commits, src_name, dest_hash, src_repo, writer, opt):
209     last_c, tree = dest_hash, None
210     for commit in commits:
211         last_c, tree = append_commit(src_name, commit, last_c,
212                                      src_repo, writer, opt)
213     assert(tree is not None)
214     return last_c, tree
215
216 Loc = namedtuple('Loc', ['type', 'hash', 'path'])
217 default_loc = Loc(None, None, None)
218
219 def find_vfs_item(name, repo):
220     res = repo.resolve(name, follow=False, want_meta=False)
221     leaf_name, leaf_item = res[-1]
222     if not leaf_item:
223         return None
224     kind = type(leaf_item)
225     if kind == vfs.Root:
226         kind = 'root'
227     elif kind == vfs.Tags:
228         kind = 'tags'
229     elif kind == vfs.RevList:
230         kind = 'branch'
231     elif kind == vfs.Commit:
232         if len(res) > 1 and isinstance(res[-2][1], vfs.RevList):
233             kind = 'save'
234         else:
235             kind = 'commit'
236     elif kind == vfs.Item:
237         if S_ISDIR(vfs.item_mode(leaf_item)):
238             kind = 'tree'
239         else:
240             kind = 'blob'
241     elif kind == vfs.Chunky:
242         kind = 'tree'
243     elif kind == vfs.FakeLink:
244         # Don't have to worry about ELOOP, excepting malicious
245         # remotes, since "latest" is the only FakeLink.
246         assert leaf_name == b'latest'
247         res = repo.resolve(leaf_item.target, parent=res[:-1],
248                            follow=False, want_meta=False)
249         leaf_name, leaf_item = res[-1]
250         assert leaf_item
251         assert isinstance(leaf_item, vfs.Commit)
252         name = b'/'.join(x[0] for x in res)
253         kind = 'save'
254     else:
255         raise Exception('unexpected resolution for %s: %r'
256                         % (path_msg(name), res))
257     path = b'/'.join(name for name, item in res)
258     if hasattr(leaf_item, 'coid'):
259         result = Loc(type=kind, hash=leaf_item.coid, path=path)
260     elif hasattr(leaf_item, 'oid'):
261         result = Loc(type=kind, hash=leaf_item.oid, path=path)
262     else:
263         result = Loc(type=kind, hash=None, path=path)
264     return result
265
266
267 Target = namedtuple('Target', ['spec', 'src', 'dest'])
268
269 def loc_desc(loc):
270     if loc and loc.hash:
271         loc = loc._replace(hash=hexlify(loc.hash))
272     return repr(loc)
273
274
275 # FIXME: see if resolve() means we can drop the vfs path cleanup
276
277 def cleanup_vfs_path(p):
278     result = os.path.normpath(p)
279     if result.startswith(b'/'):
280         return result
281     return b'/' + result
282
283
284 def validate_vfs_path(p, spec):
285     if p.startswith(b'/.') \
286        and not p.startswith(b'/.tag/'):
287         misuse('unsupported destination path %s in %s'
288                % (path_msg(p), spec_msg(spec)))
289     return p
290
291
292 def resolve_src(spec, src_repo):
293     src = find_vfs_item(spec.src, src_repo)
294     spec_args = spec_msg(spec)
295     if not src:
296         misuse('cannot find source for %s' % spec_args)
297     if src.type == 'root':
298         misuse('cannot fetch entire repository for %s' % spec_args)
299     if src.type == 'tags':
300         misuse('cannot fetch entire /.tag directory for %s' % spec_args)
301     debug1('src: %s\n' % loc_desc(src))
302     return src
303
304
305 def get_save_branch(repo, path):
306     res = repo.resolve(path, follow=False, want_meta=False)
307     leaf_name, leaf_item = res[-1]
308     if not leaf_item:
309         misuse('error: cannot access %r in %r' % (leaf_name, path))
310     assert len(res) == 3
311     res_path = b'/'.join(name for name, item in res[:-1])
312     return res_path
313
314
315 def resolve_branch_dest(spec, src, src_repo, dest_repo):
316     # Resulting dest must be treeish, or not exist.
317     if not spec.dest:
318         # Pick a default dest.
319         if src.type == 'branch':
320             spec = spec._replace(dest=spec.src)
321         elif src.type == 'save':
322             spec = spec._replace(dest=get_save_branch(src_repo, spec.src))
323         elif src.path.startswith(b'/.tag/'):  # Dest defaults to the same.
324             spec = spec._replace(dest=spec.src)
325
326     spec_args = spec_msg(spec)
327     if not spec.dest:
328         misuse('no destination (implicit or explicit) for %s', spec_args)
329
330     dest = find_vfs_item(spec.dest, dest_repo)
331     if dest:
332         if dest.type == 'commit':
333             misuse('destination for %s is a tagged commit, not a branch'
334                   % spec_args)
335         if dest.type != 'branch':
336             misuse('destination for %s is a %s, not a branch'
337                   % (spec_args, dest.type))
338     else:
339         dest = default_loc._replace(path=cleanup_vfs_path(spec.dest))
340
341     if dest.path.startswith(b'/.'):
342         misuse('destination for %s must be a valid branch name' % spec_args)
343
344     debug1('dest: %s\n' % loc_desc(dest))
345     return spec, dest
346
347
348 def resolve_ff(spec, src_repo, dest_repo):
349     src = resolve_src(spec, src_repo)
350     spec_args = spec_msg(spec)
351     if src.type == 'tree':
352         misuse('%s is impossible; can only --append a tree to a branch'
353               % spec_args)
354     if src.type not in ('branch', 'save', 'commit'):
355         misuse('source for %s must be a branch, save, or commit, not %s'
356               % (spec_args, src.type))
357     spec, dest = resolve_branch_dest(spec, src, src_repo, dest_repo)
358     return Target(spec=spec, src=src, dest=dest)
359
360
361 def handle_ff(item, src_repo, writer, opt):
362     assert item.spec.method == 'ff'
363     assert item.src.type in ('branch', 'save', 'commit')
364     src_oidx = hexlify(item.src.hash)
365     dest_oidx = hexlify(item.dest.hash) if item.dest.hash else None
366     if not dest_oidx or dest_oidx in src_repo.rev_list(src_oidx):
367         # Can fast forward.
368         get_random_item(item.spec.src, src_oidx, src_repo, writer, opt)
369         commit_items = parse_commit(get_cat_data(src_repo.cat(src_oidx), b'commit'))
370         return item.src.hash, unhexlify(commit_items.tree)
371     misuse('destination is not an ancestor of source for %s'
372            % spec_msg(item.spec))
373     # misuse() doesn't return
374     return None
375
376
377 def resolve_append(spec, src_repo, dest_repo):
378     src = resolve_src(spec, src_repo)
379     if src.type not in ('branch', 'save', 'commit', 'tree'):
380         misuse('source for %s must be a branch, save, commit, or tree, not %s'
381               % (spec_msg(spec), src.type))
382     spec, dest = resolve_branch_dest(spec, src, src_repo, dest_repo)
383     return Target(spec=spec, src=src, dest=dest)
384
385
386 def handle_append(item, src_repo, writer, opt):
387     assert item.spec.method == 'append'
388     assert item.src.type in ('branch', 'save', 'commit', 'tree')
389     assert item.dest.type == 'branch' or not item.dest.type
390     src_oidx = hexlify(item.src.hash)
391     if item.src.type == 'tree':
392         get_random_item(item.spec.src, src_oidx, src_repo, writer, opt)
393         parent = item.dest.hash
394         msg = b'bup save\n\nGenerated by command:\n%r\n' % compat.get_argvb()
395         userline = b'%s <%s@%s>' % (userfullname(), username(), hostname())
396         now = time.time()
397         commit = writer.new_commit(item.src.hash, parent,
398                                    userline, now, None,
399                                    userline, now, None, msg)
400         return commit, item.src.hash
401     commits = list(src_repo.rev_list(src_oidx))
402     commits.reverse()
403     return append_commits(commits, item.spec.src, item.dest.hash,
404                           src_repo, writer, opt)
405
406
407 def resolve_pick(spec, src_repo, dest_repo):
408     src = resolve_src(spec, src_repo)
409     spec_args = spec_msg(spec)
410     if src.type == 'tree':
411         misuse('%s is impossible; can only --append a tree' % spec_args)
412     if src.type not in ('commit', 'save'):
413         misuse('%s impossible; can only pick a commit or save, not %s'
414               % (spec_args, src.type))
415     if not spec.dest:
416         if src.path.startswith(b'/.tag/'):
417             spec = spec._replace(dest=spec.src)
418         elif src.type == 'save':
419             spec = spec._replace(dest=get_save_branch(src_repo, spec.src))
420     if not spec.dest:
421         misuse('no destination provided for %s', spec_args)
422     dest = find_vfs_item(spec.dest, dest_repo)
423     if not dest:
424         cp = validate_vfs_path(cleanup_vfs_path(spec.dest), spec)
425         dest = default_loc._replace(path=cp)
426     else:
427         if not dest.type == 'branch' and not dest.path.startswith(b'/.tag/'):
428             misuse('%s destination is not a tag or branch' % spec_args)
429         if spec.method == 'pick' \
430            and dest.hash and dest.path.startswith(b'/.tag/'):
431             misuse('cannot overwrite existing tag for %s (requires --force-pick)'
432                   % spec_args)
433     return Target(spec=spec, src=src, dest=dest)
434
435
436 def handle_pick(item, src_repo, writer, opt):
437     assert item.spec.method in ('pick', 'force-pick')
438     assert item.src.type in ('save', 'commit')
439     src_oidx = hexlify(item.src.hash)
440     if item.dest.hash:
441         return append_commit(item.spec.src, src_oidx, item.dest.hash,
442                              src_repo, writer, opt)
443     return append_commit(item.spec.src, src_oidx, None, src_repo, writer, opt)
444
445
446 def resolve_new_tag(spec, src_repo, dest_repo):
447     src = resolve_src(spec, src_repo)
448     spec_args = spec_msg(spec)
449     if not spec.dest and src.path.startswith(b'/.tag/'):
450         spec = spec._replace(dest=src.path)
451     if not spec.dest:
452         misuse('no destination (implicit or explicit) for %s', spec_args)
453     dest = find_vfs_item(spec.dest, dest_repo)
454     if not dest:
455         dest = default_loc._replace(path=cleanup_vfs_path(spec.dest))
456     if not dest.path.startswith(b'/.tag/'):
457         misuse('destination for %s must be a VFS tag' % spec_args)
458     if dest.hash:
459         misuse('cannot overwrite existing tag for %s (requires --replace)'
460               % spec_args)
461     return Target(spec=spec, src=src, dest=dest)
462
463
464 def handle_new_tag(item, src_repo, writer, opt):
465     assert item.spec.method == 'new-tag'
466     assert item.dest.path.startswith(b'/.tag/')
467     get_random_item(item.spec.src, hexlify(item.src.hash),
468                     src_repo, writer, opt)
469     return (item.src.hash,)
470
471
472 def resolve_replace(spec, src_repo, dest_repo):
473     src = resolve_src(spec, src_repo)
474     spec_args = spec_msg(spec)
475     if not spec.dest:
476         if src.path.startswith(b'/.tag/') or src.type == 'branch':
477             spec = spec._replace(dest=spec.src)
478     if not spec.dest:
479         misuse('no destination provided for %s', spec_args)
480     dest = find_vfs_item(spec.dest, dest_repo)
481     if dest:
482         if not dest.type == 'branch' and not dest.path.startswith(b'/.tag/'):
483             misuse('%s impossible; can only overwrite branch or tag'
484                   % spec_args)
485     else:
486         cp = validate_vfs_path(cleanup_vfs_path(spec.dest), spec)
487         dest = default_loc._replace(path=cp)
488     if not dest.path.startswith(b'/.tag/') \
489        and not src.type in ('branch', 'save', 'commit'):
490         misuse('cannot overwrite branch with %s for %s' % (src.type, spec_args))
491     return Target(spec=spec, src=src, dest=dest)
492
493
494 def handle_replace(item, src_repo, writer, opt):
495     assert(item.spec.method == 'replace')
496     if item.dest.path.startswith(b'/.tag/'):
497         get_random_item(item.spec.src, hexlify(item.src.hash),
498                         src_repo, writer, opt)
499         return (item.src.hash,)
500     assert(item.dest.type == 'branch' or not item.dest.type)
501     src_oidx = hexlify(item.src.hash)
502     get_random_item(item.spec.src, src_oidx, src_repo, writer, opt)
503     commit_items = parse_commit(get_cat_data(src_repo.cat(src_oidx), b'commit'))
504     return item.src.hash, unhexlify(commit_items.tree)
505
506
507 def resolve_unnamed(spec, src_repo, dest_repo):
508     if spec.dest:
509         misuse('destination name given for %s' % spec_msg(spec))
510     src = resolve_src(spec, src_repo)
511     return Target(spec=spec, src=src, dest=None)
512
513
514 def handle_unnamed(item, src_repo, writer, opt):
515     get_random_item(item.spec.src, hexlify(item.src.hash),
516                     src_repo, writer, opt)
517     return (None,)
518
519
520 def resolve_targets(specs, src_repo, dest_repo):
521     resolved_items = []
522     common_args = src_repo, dest_repo
523     for spec in specs:
524         debug1('initial-spec: %r\n' % (spec,))
525         if spec.method == 'ff':
526             resolved_items.append(resolve_ff(spec, *common_args))
527         elif spec.method == 'append':
528             resolved_items.append(resolve_append(spec, *common_args))
529         elif spec.method in ('pick', 'force-pick'):
530             resolved_items.append(resolve_pick(spec, *common_args))
531         elif spec.method == 'new-tag':
532             resolved_items.append(resolve_new_tag(spec, *common_args))
533         elif spec.method == 'replace':
534             resolved_items.append(resolve_replace(spec, *common_args))
535         elif spec.method == 'unnamed':
536             resolved_items.append(resolve_unnamed(spec, *common_args))
537         else: # Should be impossible -- prevented by the option parser.
538             assert(False)
539
540     # FIXME: check for prefix overlap?  i.e.:
541     #   bup get --ff foo --ff: baz foo/bar
542     #   bup get --new-tag .tag/foo --new-tag: bar .tag/foo/bar
543
544     # Now that we have all the items, check for duplicate tags.
545     tags_targeted = set()
546     for item in resolved_items:
547         dest_path = item.dest and item.dest.path
548         if dest_path:
549             assert(dest_path.startswith(b'/'))
550             if dest_path.startswith(b'/.tag/'):
551                 if dest_path in tags_targeted:
552                     if item.spec.method not in ('replace', 'force-pick'):
553                         misuse('cannot overwrite tag %s via %s' \
554                               % (path_msg(dest_path), spec_msg(item.spec)))
555                 else:
556                     tags_targeted.add(dest_path)
557     return resolved_items
558
559
560 def log_item(name, type, opt, tree=None, commit=None, tag=None):
561     if tag and opt.print_tags:
562         print(hexstr(tag))
563     if tree and opt.print_trees:
564         print(hexstr(tree))
565     if commit and opt.print_commits:
566         print(hexstr(commit))
567     if opt.verbose:
568         last = ''
569         if type in ('root', 'branch', 'save', 'commit', 'tree'):
570             if not name.endswith(b'/'):
571                 last = '/'
572         log('%s%s\n' % (path_msg(name), last))
573
574 def main(argv):
575     is_reverse = environ.get(b'BUP_SERVER_REVERSE')
576     opt = parse_args(argv)
577     git.check_repo_or_die()
578     if opt.source:
579         opt.source = argv_bytes(opt.source)
580     if opt.bwlimit:
581         client.bwlimit = parse_num(opt.bwlimit)
582     if is_reverse and opt.remote:
583         misuse("don't use -r in reverse mode; it's automatic")
584     if opt.remote or is_reverse:
585         dest_repo = RemoteRepo(opt.remote)
586     else:
587         dest_repo = LocalRepo()
588
589     with dest_repo as dest_repo:
590         with LocalRepo(repo_dir=opt.source) as src_repo:
591             with dest_repo.new_packwriter(compression_level=opt.compress) as writer:
592                 # Resolve and validate all sources and destinations,
593                 # implicit or explicit, and do it up-front, so we can
594                 # fail before we start writing (for any obviously
595                 # broken cases).
596                 target_items = resolve_targets(opt.target_specs,
597                                                src_repo, dest_repo)
598
599                 updated_refs = {}  # ref_name -> (original_ref, tip_commit(bin))
600                 no_ref_info = (None, None)
601
602                 handlers = {'ff': handle_ff,
603                             'append': handle_append,
604                             'force-pick': handle_pick,
605                             'pick': handle_pick,
606                             'new-tag': handle_new_tag,
607                             'replace': handle_replace,
608                             'unnamed': handle_unnamed}
609
610                 for item in target_items:
611                     debug1('get-spec: %r\n' % (item.spec,))
612                     debug1('get-src: %s\n' % loc_desc(item.src))
613                     debug1('get-dest: %s\n' % loc_desc(item.dest))
614                     dest_path = item.dest and item.dest.path
615                     if dest_path:
616                         if dest_path.startswith(b'/.tag/'):
617                             dest_ref = b'refs/tags/%s' % dest_path[6:]
618                         else:
619                             dest_ref = b'refs/heads/%s' % dest_path[1:]
620                     else:
621                         dest_ref = None
622
623                     dest_hash = item.dest and item.dest.hash
624                     orig_ref, cur_ref = updated_refs.get(dest_ref, no_ref_info)
625                     orig_ref = orig_ref or dest_hash
626                     cur_ref = cur_ref or dest_hash
627
628                     handler = handlers[item.spec.method]
629                     item_result = handler(item, src_repo, writer, opt)
630                     if len(item_result) > 1:
631                         new_id, tree = item_result
632                     else:
633                         new_id = item_result[0]
634
635                     if not dest_ref:
636                         log_item(item.spec.src, item.src.type, opt)
637                     else:
638                         updated_refs[dest_ref] = (orig_ref, new_id)
639                         if dest_ref.startswith(b'refs/tags/'):
640                             log_item(item.spec.src, item.src.type, opt, tag=new_id)
641                         else:
642                             log_item(item.spec.src, item.src.type, opt,
643                                      tree=tree, commit=new_id)
644
645         # Only update the refs at the very end, once the writer is
646         # closed, so that if something goes wrong above, the old refs
647         # will be undisturbed.
648         for ref_name, info in items(updated_refs):
649             orig_ref, new_ref = info
650             try:
651                 dest_repo.update_ref(ref_name, new_ref, orig_ref)
652                 if opt.verbose:
653                     new_hex = hexlify(new_ref)
654                     if orig_ref:
655                         orig_hex = hexlify(orig_ref)
656                         log('updated %r (%s -> %s)\n' % (ref_name, orig_hex, new_hex))
657                     else:
658                         log('updated %r (%s)\n' % (ref_name, new_hex))
659             except (git.GitError, client.ClientError) as ex:
660                 add_error('unable to update ref %r: %s' % (ref_name, ex))
661
662     if saved_errors:
663         log('WARNING: %d errors encountered while saving.\n' % len(saved_errors))
664         sys.exit(1)