blob: b2845d8ac57b76b4269dd9a6d802578972813a79 [file] [log] [blame]
David Pursehouse8898e2f2012-11-14 07:51:03 +09001#!/usr/bin/env python
Mike Frysingerf6013762019-06-13 02:30:51 -04002# -*- coding:utf-8 -*-
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -07003#
4# Copyright (C) 2008 The Android Open Source Project
5#
6# Licensed under the Apache License, Version 2.0 (the "License");
7# you may not use this file except in compliance with the License.
8# You may obtain a copy of the License at
9#
10# http://www.apache.org/licenses/LICENSE-2.0
11#
12# Unless required by applicable law or agreed to in writing, software
13# distributed under the License is distributed on an "AS IS" BASIS,
14# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
15# See the License for the specific language governing permissions and
16# limitations under the License.
17
Mike Frysinger87fb5a12019-06-13 01:54:46 -040018"""The repo tool.
19
20People shouldn't run this directly; instead, they should use the `repo` wrapper
21which takes care of execing this entry point.
22"""
23
Sarah Owenscecd1d82012-11-01 22:59:27 -070024from __future__ import print_function
JoonCheol Parke9860722012-10-11 02:31:44 +090025import getpass
Shawn O. Pearcebd0312a2011-09-19 10:04:23 -070026import netrc
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -070027import optparse
28import os
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -070029import sys
Mike Frysinger7c321f12019-12-02 16:49:44 -050030import textwrap
Shawn O. Pearce3a0e7822011-09-22 17:06:41 -070031import time
David Pursehouse59bbb582013-05-17 10:49:33 +090032
33from pyversion import is_python3
34if is_python3():
Sarah Owens1f7627f2012-10-31 09:21:55 -070035 import urllib.request
36else:
Rashed Abdel-Tawab2058c632019-10-05 00:18:41 -040037 import imp
David Pursehouse59bbb582013-05-17 10:49:33 +090038 import urllib2
Sarah Owens1f7627f2012-10-31 09:21:55 -070039 urllib = imp.new_module('urllib')
40 urllib.request = urllib2
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -070041
Carlos Aguado1242e602014-02-03 13:48:47 +010042try:
43 import kerberos
44except ImportError:
45 kerberos = None
46
Mike Frysinger902665b2014-12-22 15:17:59 -050047from color import SetDefaultColoring
David Rileye0684ad2017-04-05 00:02:59 -070048import event_log
Mike Frysinger8a11f6f2019-08-27 00:26:15 -040049from repo_trace import SetTrace
David Pursehouse9090e802020-02-12 11:25:13 +090050from git_command import user_agent
Doug Anderson0048b692010-12-21 13:39:23 -080051from git_config import init_ssh, close_ssh
Shawn O. Pearcec95583b2009-03-03 17:47:06 -080052from command import InteractiveCommand
53from command import MirrorSafeCommand
Dan Willemsen79360642015-08-31 15:45:06 -070054from command import GitcAvailableCommand, GitcClientCommand
Shawn O. Pearceecff4f12011-11-29 15:01:33 -080055from subcmds.version import Version
Shawn O. Pearce7965f9f2008-10-29 15:20:02 -070056from editor import Editor
Shawn O. Pearcef322b9a2011-09-19 14:50:58 -070057from error import DownloadError
Jarkko Pöyry87ea5912015-06-19 15:39:25 -070058from error import InvalidProjectGroupsError
Shawn O. Pearce559b8462009-03-02 12:56:08 -080059from error import ManifestInvalidRevisionError
David Pursehouse0b8df7b2012-11-13 09:51:57 +090060from error import ManifestParseError
Conley Owens75ee0572012-11-15 17:33:11 -080061from error import NoManifestException
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -070062from error import NoSuchProjectError
63from error import RepoChangedException
Simran Basib9a1b732015-08-20 12:19:28 -070064import gitc_utils
65from manifest_xml import GitcManifest, XmlManifest
Renaud Paquaye8595e92016-11-01 15:51:59 -070066from pager import RunPager, TerminatePager
Conley Owens094cdbe2014-01-30 15:09:59 -080067from wrapper import WrapperPath, Wrapper
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -070068
David Pursehouse5c6eeac2012-10-11 16:44:48 +090069from subcmds import all_commands
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -070070
David Pursehouse59bbb582013-05-17 10:49:33 +090071if not is_python3():
Chirayu Desai217ea7d2013-03-01 19:14:38 +053072 input = raw_input
Chirayu Desai217ea7d2013-03-01 19:14:38 +053073
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -070074global_options = optparse.OptionParser(
Mike Frysinger7c321f12019-12-02 16:49:44 -050075 usage='repo [-p|--paginate|--no-pager] COMMAND [ARGS]',
76 add_help_option=False)
77global_options.add_option('-h', '--help', action='store_true',
78 help='show this help message and exit')
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -070079global_options.add_option('-p', '--paginate',
80 dest='pager', action='store_true',
81 help='display command output in the pager')
82global_options.add_option('--no-pager',
83 dest='no_pager', action='store_true',
84 help='disable the pager')
Mike Frysinger902665b2014-12-22 15:17:59 -050085global_options.add_option('--color',
86 choices=('auto', 'always', 'never'), default=None,
87 help='control color usage: auto, always, never')
Shawn O. Pearce0ed2bd12009-03-09 18:26:31 -070088global_options.add_option('--trace',
89 dest='trace', action='store_true',
Mike Frysinger8a11f6f2019-08-27 00:26:15 -040090 help='trace git command execution (REPO_TRACE=1)')
Mike Frysinger3fc15722019-08-27 00:36:46 -040091global_options.add_option('--trace-python',
92 dest='trace_python', action='store_true',
93 help='trace python command execution')
Shawn O. Pearce3a0e7822011-09-22 17:06:41 -070094global_options.add_option('--time',
95 dest='time', action='store_true',
96 help='time repo command execution')
Shawn O. Pearce47c1a632009-03-02 18:24:23 -080097global_options.add_option('--version',
98 dest='show_version', action='store_true',
99 help='display this version of repo')
David Rileye0684ad2017-04-05 00:02:59 -0700100global_options.add_option('--event-log',
101 dest='event_log', action='store',
102 help='filename of event log to append timeline to')
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700103
104class _Repo(object):
105 def __init__(self, repodir):
106 self.repodir = repodir
107 self.commands = all_commands
Mike Lockwood2bf9db02009-07-14 15:23:39 -0400108 # add 'branch' as an alias for 'branches'
109 all_commands['branch'] = all_commands['branches']
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700110
Mike Frysinger3fc15722019-08-27 00:36:46 -0400111 def _ParseArgs(self, argv):
112 """Parse the main `repo` command line options."""
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700113 name = None
114 glob = []
115
Sarah Owensa6053d52012-11-01 13:36:50 -0700116 for i in range(len(argv)):
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700117 if not argv[i].startswith('-'):
118 name = argv[i]
119 if i > 0:
120 glob = argv[:i]
121 argv = argv[i + 1:]
122 break
123 if not name:
124 glob = argv
125 name = 'help'
126 argv = []
David Pursehouse8a68ff92012-09-24 12:15:13 +0900127 gopts, _gargs = global_options.parse_args(glob)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700128
Mike Frysinger7c321f12019-12-02 16:49:44 -0500129 if gopts.help:
130 global_options.print_help()
131 commands = ' '.join(sorted(self.commands))
132 wrapped_commands = textwrap.wrap(commands, width=77)
133 print('\nAvailable commands:\n %s' % ('\n '.join(wrapped_commands),))
134 print('\nRun `repo help <command>` for command-specific details.')
135 global_options.exit()
136
Mike Frysinger3fc15722019-08-27 00:36:46 -0400137 return (name, gopts, argv)
138
139 def _Run(self, name, gopts, argv):
140 """Execute the requested subcommand."""
141 result = 0
142
Shawn O. Pearce0ed2bd12009-03-09 18:26:31 -0700143 if gopts.trace:
Shawn O. Pearcead3193a2009-04-18 09:54:51 -0700144 SetTrace()
Shawn O. Pearce47c1a632009-03-02 18:24:23 -0800145 if gopts.show_version:
146 if name == 'help':
147 name = 'version'
148 else:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700149 print('fatal: invalid usage of --version', file=sys.stderr)
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400150 return 1
Shawn O. Pearce47c1a632009-03-02 18:24:23 -0800151
Mike Frysinger902665b2014-12-22 15:17:59 -0500152 SetDefaultColoring(gopts.color)
153
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700154 try:
155 cmd = self.commands[name]
156 except KeyError:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700157 print("repo: '%s' is not a repo command. See 'repo help'." % name,
158 file=sys.stderr)
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400159 return 1
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700160
161 cmd.repodir = self.repodir
Shawn O. Pearcec8a300f2009-05-18 13:19:57 -0700162 cmd.manifest = XmlManifest(cmd.repodir)
Simran Basib9a1b732015-08-20 12:19:28 -0700163 cmd.gitc_manifest = None
164 gitc_client_name = gitc_utils.parse_clientdir(os.getcwd())
165 if gitc_client_name:
166 cmd.gitc_manifest = GitcManifest(cmd.repodir, gitc_client_name)
167 cmd.manifest.isGitcClient = True
168
Shawn O. Pearce7965f9f2008-10-29 15:20:02 -0700169 Editor.globalConfig = cmd.manifest.globalConfig
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700170
Shawn O. Pearcec95583b2009-03-03 17:47:06 -0800171 if not isinstance(cmd, MirrorSafeCommand) and cmd.manifest.IsMirror:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700172 print("fatal: '%s' requires a working directory" % name,
173 file=sys.stderr)
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400174 return 1
Shawn O. Pearcec95583b2009-03-03 17:47:06 -0800175
Dan Willemsen79360642015-08-31 15:45:06 -0700176 if isinstance(cmd, GitcAvailableCommand) and not gitc_utils.get_gitc_manifest_dir():
Dan Willemsen9ff2ece2015-08-31 15:45:06 -0700177 print("fatal: '%s' requires GITC to be available" % name,
178 file=sys.stderr)
179 return 1
180
Dan Willemsen79360642015-08-31 15:45:06 -0700181 if isinstance(cmd, GitcClientCommand) and not gitc_client_name:
182 print("fatal: '%s' requires a GITC client" % name,
183 file=sys.stderr)
184 return 1
185
Dan Sandler53e902a2014-03-09 13:20:02 -0400186 try:
187 copts, cargs = cmd.OptionParser.parse_args(argv)
188 copts = cmd.ReadEnvironmentOptions(copts)
189 except NoManifestException as e:
190 print('error: in `%s`: %s' % (' '.join([name] + argv), str(e)),
191 file=sys.stderr)
192 print('error: manifest missing or unreadable -- please run init',
193 file=sys.stderr)
194 return 1
Shawn O. Pearcedb45da12009-04-18 13:49:13 -0700195
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700196 if not gopts.no_pager and not isinstance(cmd, InteractiveCommand):
197 config = cmd.manifest.globalConfig
198 if gopts.pager:
199 use_pager = True
200 else:
201 use_pager = config.GetBoolean('pager.%s' % name)
202 if use_pager is None:
Shawn O. Pearcedb45da12009-04-18 13:49:13 -0700203 use_pager = cmd.WantPager(copts)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700204 if use_pager:
205 RunPager(config)
206
Conley Owens7ba25be2012-11-14 14:18:06 -0800207 start = time.time()
David Rileye0684ad2017-04-05 00:02:59 -0700208 cmd_event = cmd.event_log.Add(name, event_log.TASK_COMMAND, start)
209 cmd.event_log.SetParent(cmd_event)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700210 try:
Mike Frysingerae6cb082019-08-27 01:10:59 -0400211 cmd.ValidateOptions(copts, cargs)
Conley Owens7ba25be2012-11-14 14:18:06 -0800212 result = cmd.Execute(copts, cargs)
Dan Sandler53e902a2014-03-09 13:20:02 -0400213 except (DownloadError, ManifestInvalidRevisionError,
214 NoManifestException) as e:
215 print('error: in `%s`: %s' % (' '.join([name] + argv), str(e)),
216 file=sys.stderr)
217 if isinstance(e, NoManifestException):
218 print('error: manifest missing or unreadable -- please run init',
219 file=sys.stderr)
Conley Owens75ee0572012-11-15 17:33:11 -0800220 result = 1
Sarah Owensa5be53f2012-09-09 15:37:57 -0700221 except NoSuchProjectError as e:
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700222 if e.name:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700223 print('error: project %s not found' % e.name, file=sys.stderr)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700224 else:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700225 print('error: no project in current directory', file=sys.stderr)
Conley Owens7ba25be2012-11-14 14:18:06 -0800226 result = 1
Jarkko Pöyry87ea5912015-06-19 15:39:25 -0700227 except InvalidProjectGroupsError as e:
228 if e.name:
229 print('error: project group must be enabled for project %s' % e.name, file=sys.stderr)
230 else:
231 print('error: project group must be enabled for the project in the current directory', file=sys.stderr)
232 result = 1
David Rileyaa900212017-04-05 13:50:52 -0700233 except SystemExit as e:
234 if e.code:
235 result = e.code
236 raise
Conley Owens7ba25be2012-11-14 14:18:06 -0800237 finally:
David Rileye0684ad2017-04-05 00:02:59 -0700238 finish = time.time()
239 elapsed = finish - start
Conley Owens7ba25be2012-11-14 14:18:06 -0800240 hours, remainder = divmod(elapsed, 3600)
241 minutes, seconds = divmod(remainder, 60)
242 if gopts.time:
243 if hours == 0:
244 print('real\t%dm%.3fs' % (minutes, seconds), file=sys.stderr)
245 else:
246 print('real\t%dh%dm%.3fs' % (hours, minutes, seconds),
247 file=sys.stderr)
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400248
David Rileye0684ad2017-04-05 00:02:59 -0700249 cmd.event_log.FinishEvent(cmd_event, finish,
250 result is None or result == 0)
251 if gopts.event_log:
252 cmd.event_log.Write(os.path.abspath(
253 os.path.expanduser(gopts.event_log)))
254
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400255 return result
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700256
Conley Owens094cdbe2014-01-30 15:09:59 -0800257
Mike Frysinger3285e4b2020-02-10 17:34:49 -0500258def _CheckWrapperVersion(ver_str, repo_path):
259 """Verify the repo launcher is new enough for this checkout.
260
261 Args:
262 ver_str: The version string passed from the repo launcher when it ran us.
263 repo_path: The path to the repo launcher that loaded us.
264 """
265 # Refuse to work with really old wrapper versions. We don't test these,
266 # so might as well require a somewhat recent sane version.
267 # v1.15 of the repo launcher was released in ~Mar 2012.
268 MIN_REPO_VERSION = (1, 15)
269 min_str = '.'.join(str(x) for x in MIN_REPO_VERSION)
270
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700271 if not repo_path:
272 repo_path = '~/bin/repo'
273
Mike Frysinger3285e4b2020-02-10 17:34:49 -0500274 if not ver_str:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700275 print('no --wrapper-version argument', file=sys.stderr)
David Pursehouse8a68ff92012-09-24 12:15:13 +0900276 sys.exit(1)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700277
Mike Frysinger3285e4b2020-02-10 17:34:49 -0500278 # Pull out the version of the repo launcher we know about to compare.
Conley Owens094cdbe2014-01-30 15:09:59 -0800279 exp = Wrapper().VERSION
Mike Frysinger3285e4b2020-02-10 17:34:49 -0500280 ver = tuple(map(int, ver_str.split('.')))
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700281
David Pursehouse7e6dd2d2012-10-25 12:40:51 +0900282 exp_str = '.'.join(map(str, exp))
Mike Frysinger3285e4b2020-02-10 17:34:49 -0500283 if ver < MIN_REPO_VERSION:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700284 print("""
Mike Frysinger3285e4b2020-02-10 17:34:49 -0500285repo: error:
286!!! Your version of repo %s is too old.
287!!! We need at least version %s.
288!!! A new repo command (%s) is available.
289!!! You must upgrade before you can continue:
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700290
291 cp %s %s
Mike Frysinger3285e4b2020-02-10 17:34:49 -0500292""" % (ver_str, min_str, exp_str, WrapperPath(), repo_path), file=sys.stderr)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700293 sys.exit(1)
294
295 if exp > ver:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700296 print("""
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700297... A new repo command (%5s) is available.
298... You should upgrade soon:
299
300 cp %s %s
Conley Owens094cdbe2014-01-30 15:09:59 -0800301""" % (exp_str, WrapperPath(), repo_path), file=sys.stderr)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700302
Mickaël Salaün2f6ab7f2012-09-30 00:37:55 +0200303def _CheckRepoDir(repo_dir):
304 if not repo_dir:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700305 print('no --repo-dir argument', file=sys.stderr)
David Pursehouse8a68ff92012-09-24 12:15:13 +0900306 sys.exit(1)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700307
308def _PruneOptions(argv, opt):
309 i = 0
310 while i < len(argv):
311 a = argv[i]
312 if a == '--':
313 break
314 if a.startswith('--'):
315 eq = a.find('=')
316 if eq > 0:
317 a = a[0:eq]
318 if not opt.has_option(a):
319 del argv[i]
320 continue
321 i += 1
322
Sarah Owens1f7627f2012-10-31 09:21:55 -0700323class _UserAgentHandler(urllib.request.BaseHandler):
Shawn O. Pearce334851e2011-09-19 08:05:31 -0700324 def http_request(self, req):
Mike Frysinger71b0f312019-09-30 22:39:49 -0400325 req.add_header('User-Agent', user_agent.repo)
Shawn O. Pearce334851e2011-09-19 08:05:31 -0700326 return req
327
328 def https_request(self, req):
Mike Frysinger71b0f312019-09-30 22:39:49 -0400329 req.add_header('User-Agent', user_agent.repo)
Shawn O. Pearce334851e2011-09-19 08:05:31 -0700330 return req
331
JoonCheol Parke9860722012-10-11 02:31:44 +0900332def _AddPasswordFromUserInput(handler, msg, req):
David Pursehousec1b86a22012-11-14 11:36:51 +0900333 # If repo could not find auth info from netrc, try to get it from user input
334 url = req.get_full_url()
335 user, password = handler.passwd.find_user_password(None, url)
336 if user is None:
337 print(msg)
338 try:
Chirayu Desai217ea7d2013-03-01 19:14:38 +0530339 user = input('User: ')
David Pursehousec1b86a22012-11-14 11:36:51 +0900340 password = getpass.getpass()
341 except KeyboardInterrupt:
342 return
343 handler.passwd.add_password(None, url, user, password)
JoonCheol Parke9860722012-10-11 02:31:44 +0900344
Sarah Owens1f7627f2012-10-31 09:21:55 -0700345class _BasicAuthHandler(urllib.request.HTTPBasicAuthHandler):
JoonCheol Parke9860722012-10-11 02:31:44 +0900346 def http_error_401(self, req, fp, code, msg, headers):
347 _AddPasswordFromUserInput(self, msg, req)
Sarah Owens1f7627f2012-10-31 09:21:55 -0700348 return urllib.request.HTTPBasicAuthHandler.http_error_401(
JoonCheol Parke9860722012-10-11 02:31:44 +0900349 self, req, fp, code, msg, headers)
350
Shawn O. Pearcefab96c62011-10-11 12:00:38 -0700351 def http_error_auth_reqed(self, authreq, host, req, headers):
352 try:
Shawn O. Pearcedf5ee522011-10-11 14:05:21 -0700353 old_add_header = req.add_header
354 def _add_header(name, val):
355 val = val.replace('\n', '')
356 old_add_header(name, val)
357 req.add_header = _add_header
Sarah Owens1f7627f2012-10-31 09:21:55 -0700358 return urllib.request.AbstractBasicAuthHandler.http_error_auth_reqed(
Shawn O. Pearcefab96c62011-10-11 12:00:38 -0700359 self, authreq, host, req, headers)
360 except:
Shawn O. Pearcedf5ee522011-10-11 14:05:21 -0700361 reset = getattr(self, 'reset_retry_count', None)
362 if reset is not None:
363 reset()
Shawn O. Pearceb6605392011-10-11 15:58:07 -0700364 elif getattr(self, 'retried', None):
365 self.retried = 0
Shawn O. Pearcefab96c62011-10-11 12:00:38 -0700366 raise
367
Sarah Owens1f7627f2012-10-31 09:21:55 -0700368class _DigestAuthHandler(urllib.request.HTTPDigestAuthHandler):
JoonCheol Parke9860722012-10-11 02:31:44 +0900369 def http_error_401(self, req, fp, code, msg, headers):
370 _AddPasswordFromUserInput(self, msg, req)
Sarah Owens1f7627f2012-10-31 09:21:55 -0700371 return urllib.request.HTTPDigestAuthHandler.http_error_401(
JoonCheol Parke9860722012-10-11 02:31:44 +0900372 self, req, fp, code, msg, headers)
373
Xiaodong Xuae0a36c2012-01-31 11:10:09 +0800374 def http_error_auth_reqed(self, auth_header, host, req, headers):
375 try:
376 old_add_header = req.add_header
377 def _add_header(name, val):
378 val = val.replace('\n', '')
379 old_add_header(name, val)
380 req.add_header = _add_header
Sarah Owens1f7627f2012-10-31 09:21:55 -0700381 return urllib.request.AbstractDigestAuthHandler.http_error_auth_reqed(
Xiaodong Xuae0a36c2012-01-31 11:10:09 +0800382 self, auth_header, host, req, headers)
383 except:
384 reset = getattr(self, 'reset_retry_count', None)
385 if reset is not None:
386 reset()
387 elif getattr(self, 'retried', None):
388 self.retried = 0
389 raise
390
Carlos Aguado1242e602014-02-03 13:48:47 +0100391class _KerberosAuthHandler(urllib.request.BaseHandler):
392 def __init__(self):
393 self.retried = 0
394 self.context = None
395 self.handler_order = urllib.request.BaseHandler.handler_order - 50
396
David Pursehouse65b0ba52018-06-24 16:21:51 +0900397 def http_error_401(self, req, fp, code, msg, headers):
Carlos Aguado1242e602014-02-03 13:48:47 +0100398 host = req.get_host()
399 retry = self.http_error_auth_reqed('www-authenticate', host, req, headers)
400 return retry
401
402 def http_error_auth_reqed(self, auth_header, host, req, headers):
403 try:
404 spn = "HTTP@%s" % host
405 authdata = self._negotiate_get_authdata(auth_header, headers)
406
407 if self.retried > 3:
408 raise urllib.request.HTTPError(req.get_full_url(), 401,
409 "Negotiate auth failed", headers, None)
410 else:
411 self.retried += 1
412
413 neghdr = self._negotiate_get_svctk(spn, authdata)
414 if neghdr is None:
415 return None
416
417 req.add_unredirected_header('Authorization', neghdr)
418 response = self.parent.open(req)
419
420 srvauth = self._negotiate_get_authdata(auth_header, response.info())
421 if self._validate_response(srvauth):
422 return response
423 except kerberos.GSSError:
424 return None
425 except:
426 self.reset_retry_count()
427 raise
428 finally:
429 self._clean_context()
430
431 def reset_retry_count(self):
432 self.retried = 0
433
434 def _negotiate_get_authdata(self, auth_header, headers):
435 authhdr = headers.get(auth_header, None)
436 if authhdr is not None:
437 for mech_tuple in authhdr.split(","):
438 mech, __, authdata = mech_tuple.strip().partition(" ")
439 if mech.lower() == "negotiate":
440 return authdata.strip()
441 return None
442
443 def _negotiate_get_svctk(self, spn, authdata):
444 if authdata is None:
445 return None
446
447 result, self.context = kerberos.authGSSClientInit(spn)
448 if result < kerberos.AUTH_GSS_COMPLETE:
449 return None
450
451 result = kerberos.authGSSClientStep(self.context, authdata)
452 if result < kerberos.AUTH_GSS_CONTINUE:
453 return None
454
455 response = kerberos.authGSSClientResponse(self.context)
456 return "Negotiate %s" % response
457
458 def _validate_response(self, authdata):
459 if authdata is None:
460 return None
461 result = kerberos.authGSSClientStep(self.context, authdata)
462 if result == kerberos.AUTH_GSS_COMPLETE:
463 return True
464 return None
465
466 def _clean_context(self):
467 if self.context is not None:
468 kerberos.authGSSClientClean(self.context)
469 self.context = None
470
Shawn O. Pearce014d0602011-09-11 12:57:15 -0700471def init_http():
Shawn O. Pearce334851e2011-09-19 08:05:31 -0700472 handlers = [_UserAgentHandler()]
473
Sarah Owens1f7627f2012-10-31 09:21:55 -0700474 mgr = urllib.request.HTTPPasswordMgrWithDefaultRealm()
Shawn O. Pearcebd0312a2011-09-19 10:04:23 -0700475 try:
476 n = netrc.netrc()
477 for host in n.hosts:
478 p = n.hosts[host]
Xiaodong Xuae0a36c2012-01-31 11:10:09 +0800479 mgr.add_password(p[1], 'http://%s/' % host, p[0], p[2])
480 mgr.add_password(p[1], 'https://%s/' % host, p[0], p[2])
Shawn O. Pearcebd0312a2011-09-19 10:04:23 -0700481 except netrc.NetrcParseError:
482 pass
Shawn O. Pearce7b947de2011-09-23 11:50:31 -0700483 except IOError:
484 pass
Shawn O. Pearcefab96c62011-10-11 12:00:38 -0700485 handlers.append(_BasicAuthHandler(mgr))
Xiaodong Xuae0a36c2012-01-31 11:10:09 +0800486 handlers.append(_DigestAuthHandler(mgr))
Carlos Aguado1242e602014-02-03 13:48:47 +0100487 if kerberos:
488 handlers.append(_KerberosAuthHandler())
Shawn O. Pearcebd0312a2011-09-19 10:04:23 -0700489
Shawn O. Pearce014d0602011-09-11 12:57:15 -0700490 if 'http_proxy' in os.environ:
491 url = os.environ['http_proxy']
Sarah Owens1f7627f2012-10-31 09:21:55 -0700492 handlers.append(urllib.request.ProxyHandler({'http': url, 'https': url}))
Shawn O. Pearce334851e2011-09-19 08:05:31 -0700493 if 'REPO_CURL_VERBOSE' in os.environ:
Sarah Owens1f7627f2012-10-31 09:21:55 -0700494 handlers.append(urllib.request.HTTPHandler(debuglevel=1))
495 handlers.append(urllib.request.HTTPSHandler(debuglevel=1))
496 urllib.request.install_opener(urllib.request.build_opener(*handlers))
Shawn O. Pearce014d0602011-09-11 12:57:15 -0700497
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700498def _Main(argv):
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400499 result = 0
500
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700501 opt = optparse.OptionParser(usage="repo wrapperinfo -- ...")
502 opt.add_option("--repo-dir", dest="repodir",
503 help="path to .repo/")
504 opt.add_option("--wrapper-version", dest="wrapper_version",
505 help="version of the wrapper script")
506 opt.add_option("--wrapper-path", dest="wrapper_path",
507 help="location of the wrapper script")
508 _PruneOptions(argv, opt)
509 opt, argv = opt.parse_args(argv)
510
511 _CheckWrapperVersion(opt.wrapper_version, opt.wrapper_path)
512 _CheckRepoDir(opt.repodir)
513
Shawn O. Pearceecff4f12011-11-29 15:01:33 -0800514 Version.wrapper_version = opt.wrapper_version
515 Version.wrapper_path = opt.wrapper_path
516
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700517 repo = _Repo(opt.repodir)
518 try:
Shawn O. Pearcefb231612009-04-10 18:53:46 -0700519 try:
Doug Anderson0048b692010-12-21 13:39:23 -0800520 init_ssh()
Shawn O. Pearce014d0602011-09-11 12:57:15 -0700521 init_http()
Mike Frysinger3fc15722019-08-27 00:36:46 -0400522 name, gopts, argv = repo._ParseArgs(argv)
523 run = lambda: repo._Run(name, gopts, argv) or 0
524 if gopts.trace_python:
525 import trace
526 tracer = trace.Trace(count=False, trace=True, timing=True,
527 ignoredirs=set(sys.path[1:]))
528 result = tracer.runfunc(run)
529 else:
530 result = run()
Shawn O. Pearcefb231612009-04-10 18:53:46 -0700531 finally:
532 close_ssh()
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700533 except KeyboardInterrupt:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700534 print('aborted by user', file=sys.stderr)
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400535 result = 1
David Pursehouse0b8df7b2012-11-13 09:51:57 +0900536 except ManifestParseError as mpe:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700537 print('fatal: %s' % mpe, file=sys.stderr)
David Pursehouse0b8df7b2012-11-13 09:51:57 +0900538 result = 1
Sarah Owensa5be53f2012-09-09 15:37:57 -0700539 except RepoChangedException as rce:
Shawn O. Pearcec9ef7442008-11-03 10:32:09 -0800540 # If repo changed, re-exec ourselves.
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700541 #
Shawn O. Pearcec9ef7442008-11-03 10:32:09 -0800542 argv = list(sys.argv)
543 argv.extend(rce.extra_args)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700544 try:
Shawn O. Pearcec9ef7442008-11-03 10:32:09 -0800545 os.execv(__file__, argv)
Sarah Owensa5be53f2012-09-09 15:37:57 -0700546 except OSError as e:
Sarah Owenscecd1d82012-11-01 22:59:27 -0700547 print('fatal: cannot restart repo after upgrade', file=sys.stderr)
548 print('fatal: %s' % e, file=sys.stderr)
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400549 result = 128
550
Renaud Paquaye8595e92016-11-01 15:51:59 -0700551 TerminatePager()
Daniel Sandler3ce2a6b2011-04-29 09:59:12 -0400552 sys.exit(result)
The Android Open Source Projectcf31fe92008-10-21 07:00:00 -0700553
554if __name__ == '__main__':
555 _Main(sys.argv[1:])