OLD | NEW |
---|---|
1 # Copyright (c) 2012 The Chromium Authors. All rights reserved. | 1 # Copyright (c) 2012 The Chromium Authors. All rights reserved. |
2 # Use of this source code is governed by a BSD-style license that can be | 2 # Use of this source code is governed by a BSD-style license that can be |
3 # found in the LICENSE file. | 3 # found in the LICENSE file. |
4 | 4 |
5 """Gclient-specific SCM-specific operations.""" | 5 """Gclient-specific SCM-specific operations.""" |
6 | 6 |
7 from __future__ import print_function | 7 from __future__ import print_function |
8 | 8 |
9 import collections | |
9 import errno | 10 import errno |
10 import logging | 11 import logging |
11 import os | 12 import os |
12 import posixpath | 13 import posixpath |
13 import re | 14 import re |
14 import shlex | 15 import shlex |
15 import sys | 16 import sys |
16 import tempfile | 17 import tempfile |
17 import traceback | 18 import traceback |
18 import urlparse | 19 import urlparse |
(...skipping 133 matching lines...) Expand 10 before | Expand all | Expand 10 after Loading... | |
152 | 153 |
153 if not command in commands: | 154 if not command in commands: |
154 raise gclient_utils.Error('Unknown command %s' % command) | 155 raise gclient_utils.Error('Unknown command %s' % command) |
155 | 156 |
156 if not command in dir(self): | 157 if not command in dir(self): |
157 raise gclient_utils.Error('Command %s not implemented in %s wrapper' % ( | 158 raise gclient_utils.Error('Command %s not implemented in %s wrapper' % ( |
158 command, self.__class__.__name__)) | 159 command, self.__class__.__name__)) |
159 | 160 |
160 return getattr(self, command)(options, args, file_list) | 161 return getattr(self, command)(options, args, file_list) |
161 | 162 |
162 def GetActualRemoteURL(self, options): | 163 def GetActualRemoteURL(self): |
163 """Attempt to determine the remote URL for this SCMWrapper.""" | 164 """Attempt to determine the remote URL for this SCMWrapper.""" |
164 # Git | |
165 if os.path.exists(os.path.join(self.checkout_path, '.git')): | 165 if os.path.exists(os.path.join(self.checkout_path, '.git')): |
166 actual_remote_url = shlex.split(scm.GIT.Capture( | 166 actual_remote_url = shlex.split(scm.GIT.Capture( |
167 ['config', '--local', '--get-regexp', r'remote.*.url'], | 167 ['config', '--local', '--get-regexp', r'remote.*.url'], |
168 cwd=self.checkout_path))[1] | 168 cwd=self.checkout_path))[1] |
169 | 169 |
170 # If a cache_dir is used, obtain the actual remote URL from the cache. | 170 # If a cache_dir is used, obtain the actual remote URL from the cache. |
171 if getattr(self, 'cache_dir', None): | 171 if getattr(self, 'cache_dir', None): |
172 url, _ = gclient_utils.SplitUrlRevision(self.url) | 172 url, _ = gclient_utils.SplitUrlRevision(self.url) |
173 mirror = git_cache.Mirror(url) | 173 mirror = git_cache.Mirror(url) |
174 if (mirror.exists() and mirror.mirror_path.replace('\\', '/') == | 174 if (mirror.exists() and mirror.mirror_path.replace('\\', '/') == |
175 actual_remote_url.replace('\\', '/')): | 175 actual_remote_url.replace('\\', '/')): |
176 actual_remote_url = shlex.split(scm.GIT.Capture( | 176 actual_remote_url = shlex.split(scm.GIT.Capture( |
177 ['config', '--local', '--get-regexp', r'remote.*.url'], | 177 ['config', '--local', '--get-regexp', r'remote.*.url'], |
178 cwd=mirror.mirror_path))[1] | 178 cwd=mirror.mirror_path))[1] |
179 return actual_remote_url | 179 return actual_remote_url |
180 | 180 |
181 # Svn | 181 # Svn |
182 if os.path.exists(os.path.join(self.checkout_path, '.svn')): | 182 if os.path.exists(os.path.join(self.checkout_path, '.svn')): |
183 return scm.SVN.CaptureLocalInfo([], self.checkout_path)['URL'] | 183 return scm.SVN.CaptureLocalInfo([], self.checkout_path)['URL'] |
184 return None | 184 return None |
185 | 185 |
186 def DoesRemoteURLMatch(self, options): | 186 def DoesRemoteURLMatch(self, options): |
187 """Determine whether the remote URL of this checkout is the expected URL.""" | 187 """Determine whether the remote URL of this checkout is the expected URL.""" |
188 if not os.path.exists(self.checkout_path): | 188 if not os.path.exists(self.checkout_path): |
189 # A checkout which doesn't exist can't be broken. | 189 # A checkout which doesn't exist can't be broken. |
190 return True | 190 return True |
191 | 191 |
192 actual_remote_url = self.GetActualRemoteURL(options) | 192 actual_remote_url = self.GetActualRemoteURL() |
193 if actual_remote_url: | 193 if actual_remote_url: |
194 return (gclient_utils.SplitUrlRevision(actual_remote_url)[0].rstrip('/') | 194 return (gclient_utils.SplitUrlRevision(actual_remote_url)[0].rstrip('/') |
195 == gclient_utils.SplitUrlRevision(self.url)[0].rstrip('/')) | 195 == gclient_utils.SplitUrlRevision(self.url)[0].rstrip('/')) |
196 else: | 196 else: |
197 # This may occur if the self.checkout_path exists but does not contain a | 197 # This may occur if the self.checkout_path exists but does not contain a |
198 # valid git or svn checkout. | 198 # valid git or svn checkout. |
199 return False | 199 return False |
200 | 200 |
201 def _DeleteOrMove(self, force): | 201 def _DeleteOrMove(self, force): |
202 """Delete the checkout directory or move it out of the way. | 202 """Delete the checkout directory or move it out of the way. |
(...skipping 20 matching lines...) Expand all Loading... | |
223 dest_path = tempfile.mkdtemp( | 223 dest_path = tempfile.mkdtemp( |
224 prefix=os.path.basename(self.relpath), | 224 prefix=os.path.basename(self.relpath), |
225 dir=bad_scm_dir) | 225 dir=bad_scm_dir) |
226 self.Print('_____ Conflicting directory found in %s. Moving to %s.' | 226 self.Print('_____ Conflicting directory found in %s. Moving to %s.' |
227 % (self.checkout_path, dest_path)) | 227 % (self.checkout_path, dest_path)) |
228 gclient_utils.AddWarning('Conflicting directory %s moved to %s.' | 228 gclient_utils.AddWarning('Conflicting directory %s moved to %s.' |
229 % (self.checkout_path, dest_path)) | 229 % (self.checkout_path, dest_path)) |
230 shutil.move(self.checkout_path, dest_path) | 230 shutil.move(self.checkout_path, dest_path) |
231 | 231 |
232 | 232 |
233 _GitRefishBase = collections.namedtuple('GitRef', ( | |
234 # The initial string that the parsed Refish came from | |
235 'source', | |
236 # Is this ref a branch? | |
237 'is_branch', | |
238 # The name of this ref when accessed through the local repository | |
239 'local_ref', | |
240 # The name of the remote that this refish resides on | |
241 'remote', | |
242 # The path of this refish on the remote (e.g., 'master') | |
243 'remote_ref', | |
244 # The remote-qualified path to this refish (e.g., 'origin/master') | |
245 'remote_refspec', | |
246 # If a branch, the expected name of the upstream branch that it should | |
247 # track; otherwise, 'None' | |
248 'upstream_branch', | |
249 )) | |
250 | |
251 | |
252 class GitRefish(_GitRefishBase): | |
253 # Disable 'no __init__' warning | pylint: disable=W0232 | |
254 """Implements refish parsing and properties. | |
255 | |
256 This class is designed to concentrate and codify the assumptions made by | |
257 'gclient' code about refs and revisions. | |
258 """ | |
259 | |
260 _DEFAULT_REMOTE = 'origin' | |
261 | |
262 _GIT_SHA1_RE = re.compile('[0-9a-f]{40}', re.IGNORECASE) | |
263 _GIT_SHA1_SHORT_RE = re.compile('[0-9a-f]{4,40}', re.IGNORECASE) | |
264 | |
265 def __str__(self): | |
266 return self.source | |
267 | |
268 @classmethod | |
269 def Parse(cls, ref, remote=None, other_remotes=None): | |
270 """Parses a ref into a 'GitRefish' instance.""" | |
271 # Use default set of remotes | |
272 remote = remote or cls._DEFAULT_REMOTE | |
273 remotes = {remote} | |
274 if other_remotes: | |
275 remotes.update(other_remotes) | |
276 | |
277 ref = ref.strip() | |
278 # Treat 'ref' as a '/'-delimited set of items; analyze their contents | |
279 ref_split = local_ref = remote_ref = tuple(ref.split('/')) | |
280 is_branch = True | |
281 if ( | |
M-A Ruel
2014/06/25 01:24:58
Make this one line.
dnj
2014/06/25 20:14:02
Done.
| |
282 len(ref_split) > 1 and | |
283 ref_split[:1] == ('refs',)): | |
284 if (len(ref_split) >= 3) and (ref_split[1] == 'heads'): | |
M-A Ruel
2014/06/25 01:24:58
Remove extra parenthesis, less characters is clean
dnj
2014/06/25 20:14:02
Done.
| |
285 # refs/heads/foo/bar | |
286 # | |
287 # Local Ref: foo/bar | |
288 # Remote Ref: foo/bar | |
289 local_ref = remote_ref = ref_split[2:] | |
290 elif (len(ref_split) >= 4) and (ref_split[1] == 'remotes'): | |
291 # refs/remotes/<REMOTE>/foo/bar | |
292 # This is a bad assumption, and this logic can be improved, but it | |
293 # is consistent with traditional 'gclient' logic. | |
294 # | |
295 # Local Ref: refs/remotes/<REMOTE>/foo/bar | |
296 # Remote: <REMOTE> | |
297 # Remote Ref: foo/bar | |
298 remote = ref_split[2] | |
299 remote_ref = ref_split[3:] | |
300 else: | |
301 # If it's not part of the standard branch set, assume it's a remote | |
302 # branch. | |
303 # | |
304 # refs/foo/bar | |
305 # | |
306 # Local Ref: refs/foo/bar | |
307 # Remote ref: refs/foo/bar | |
308 pass | |
309 elif (len(ref_split) >= 2) and (ref_split[0] in remotes): | |
310 # origin/master | |
311 # | |
312 # Local Ref: refs/remotes/origin/master | |
313 # Remote Ref: master | |
314 remote = ref_split[0] | |
315 remote_ref = ref_split[1:] | |
316 local_ref = ('refs', 'remotes') + ref_split | |
317 else: | |
318 # It could be a hash, a short-hash, or a tag | |
319 is_branch = False | |
320 | |
321 # Determine how the ref should be referenced remotely | |
322 if is_branch: | |
323 # foo/bar/baz => origin/foo/bar/baz | |
324 remote_refspec = (remote,) + remote_ref | |
325 else: | |
326 # Refer to the hash/tag directly. This is actually not allowed in | |
327 # 'fetch', although it oftentimes works regardless. | |
328 # | |
329 # <HASH/TAG> => <HASH/TAG> | |
330 remote_refspec = (ref,) | |
331 | |
332 # Calculate the upstream branch | |
333 if is_branch: | |
334 # Convert '/refs/heads/...' to 'refs/remotes/REMOTE/...' | |
335 if ref_split[:2] == ('refs', 'heads'): | |
336 upstream_branch = ('refs', 'remotes', remote) + ref_split[2:] | |
337 else: | |
338 upstream_branch = ref_split | |
339 else: | |
340 upstream_branch = None | |
341 | |
342 def compose(ref_tuple): | |
343 if ref_tuple is not None: | |
M-A Ruel
2014/06/25 01:24:58
return '/'.join(ref_tuple) if ref_tuple else ref_t
dnj
2014/06/25 20:14:02
Done.
| |
344 ref_tuple = '/'.join(ref_tuple) | |
345 return ref_tuple | |
346 | |
347 # Instantiate | |
M-A Ruel
2014/06/25 01:24:58
This comment doesn't add much value, remove.
dnj
2014/06/25 20:14:02
Done.
| |
348 return cls( | |
349 source=ref, | |
350 is_branch=is_branch, | |
351 local_ref=compose(local_ref), | |
352 remote=remote, | |
353 remote_ref=compose(remote_ref), | |
354 remote_refspec=compose(remote_refspec), | |
355 upstream_branch=compose(upstream_branch), | |
356 ) | |
357 | |
358 | |
233 class GitWrapper(SCMWrapper): | 359 class GitWrapper(SCMWrapper): |
234 """Wrapper for Git""" | 360 """Wrapper for Git""" |
235 name = 'git' | 361 name = 'git' |
236 remote = 'origin' | 362 remote = 'origin' |
237 | 363 |
238 cache_dir = None | 364 cache_dir = None |
239 | 365 |
240 def __init__(self, url=None, *args): | 366 def __init__(self, url=None, *args): |
241 """Removes 'git+' fake prefix from git URL.""" | 367 """Removes 'git+' fake prefix from git URL.""" |
242 if url.startswith('git+http://') or url.startswith('git+https://'): | 368 if url.startswith('git+http://') or url.startswith('git+https://'): |
243 url = url[4:] | 369 url = url[4:] |
244 SCMWrapper.__init__(self, url, *args) | 370 SCMWrapper.__init__(self, url, *args) |
245 filter_kwargs = { 'time_throttle': 1, 'out_fh': self.out_fh } | 371 filter_kwargs = { 'time_throttle': 1, 'out_fh': self.out_fh } |
246 if self.out_cb: | 372 if self.out_cb: |
247 filter_kwargs['predicate'] = self.out_cb | 373 filter_kwargs['predicate'] = self.out_cb |
248 self.filter = gclient_utils.GitFilter(**filter_kwargs) | 374 self.filter = gclient_utils.GitFilter(**filter_kwargs) |
249 | 375 |
250 @staticmethod | 376 @staticmethod |
251 def BinaryExists(): | 377 def BinaryExists(): |
252 """Returns true if the command exists.""" | 378 """Returns true if the command exists.""" |
253 try: | 379 try: |
254 # We assume git is newer than 1.7. See: crbug.com/114483 | 380 # We assume git is newer than 1.7. See: crbug.com/114483 |
255 result, version = scm.GIT.AssertVersion('1.7') | 381 result, version = scm.GIT.AssertVersion('1.7') |
256 if not result: | 382 if not result: |
257 raise gclient_utils.Error('Git version is older than 1.7: %s' % version) | 383 raise gclient_utils.Error('Git version is older than 1.7: %s' % version) |
258 return result | 384 return result |
259 except OSError: | 385 except OSError: |
260 return False | 386 return False |
261 | 387 |
388 def ParseRefish(self, value, **kwargs): | |
389 kwargs.setdefault('remote', self.remote) | |
390 return GitRefish.Parse(value, **kwargs) | |
391 | |
262 def GetCheckoutRoot(self): | 392 def GetCheckoutRoot(self): |
263 return scm.GIT.GetCheckoutRoot(self.checkout_path) | 393 return scm.GIT.GetCheckoutRoot(self.checkout_path) |
264 | 394 |
265 def GetRevisionDate(self, _revision): | 395 def GetRevisionDate(self, _revision): |
266 """Returns the given revision's date in ISO-8601 format (which contains the | 396 """Returns the given revision's date in ISO-8601 format (which contains the |
267 time zone).""" | 397 time zone).""" |
268 # TODO(floitsch): get the time-stamp of the given revision and not just the | 398 # TODO(floitsch): get the time-stamp of the given revision and not just the |
269 # time-stamp of the currently checked out revision. | 399 # time-stamp of the currently checked out revision. |
270 return self._Capture(['log', '-n', '1', '--format=%ai']) | 400 return self._Capture(['log', '-n', '1', '--format=%ai']) |
271 | 401 |
(...skipping 14 matching lines...) Expand all Loading... | |
286 | 416 |
287 The patch file is generated from a diff of the merge base of HEAD and | 417 The patch file is generated from a diff of the merge base of HEAD and |
288 its upstream branch. | 418 its upstream branch. |
289 """ | 419 """ |
290 merge_base = self._Capture(['merge-base', 'HEAD', self.remote]) | 420 merge_base = self._Capture(['merge-base', 'HEAD', self.remote]) |
291 gclient_utils.CheckCallAndFilter( | 421 gclient_utils.CheckCallAndFilter( |
292 ['git', 'diff', merge_base], | 422 ['git', 'diff', merge_base], |
293 cwd=self.checkout_path, | 423 cwd=self.checkout_path, |
294 filter_fn=GitDiffFilterer(self.relpath).Filter, print_func=self.Print) | 424 filter_fn=GitDiffFilterer(self.relpath).Filter, print_func=self.Print) |
295 | 425 |
296 def _FetchAndReset(self, revision, file_list, options): | 426 def _FetchAndReset(self, refish, file_list, options): |
297 """Equivalent to git fetch; git reset.""" | 427 """Equivalent to git fetch; git reset.""" |
298 quiet = [] | 428 quiet = [] |
299 if not options.verbose: | 429 if not options.verbose: |
300 quiet = ['--quiet'] | 430 quiet = ['--quiet'] |
301 self._UpdateBranchHeads(options, fetch=False) | 431 self._UpdateBranchHeads(options, fetch=False) |
302 | 432 |
303 self._Fetch(options, prune=True, quiet=options.verbose) | 433 self._Fetch(options, prune=True, quiet=options.verbose) |
304 self._Run(['reset', '--hard', revision] + quiet, options) | 434 self._Run(['reset', '--hard', refish.local_ref] + quiet, options) |
305 if file_list is not None: | 435 if file_list is not None: |
306 files = self._Capture(['ls-files']).splitlines() | 436 files = self._Capture(['ls-files']).splitlines() |
307 file_list.extend([os.path.join(self.checkout_path, f) for f in files]) | 437 file_list.extend([os.path.join(self.checkout_path, f) for f in files]) |
308 | 438 |
309 def _DisableHooks(self): | 439 def _DisableHooks(self): |
310 hook_dir = os.path.join(self.checkout_path, '.git', 'hooks') | 440 hook_dir = os.path.join(self.checkout_path, '.git', 'hooks') |
311 if not os.path.isdir(hook_dir): | 441 if not os.path.isdir(hook_dir): |
312 return | 442 return |
313 for f in os.listdir(hook_dir): | 443 for f in os.listdir(hook_dir): |
314 if not f.endswith('.sample') and not f.endswith('.disabled'): | 444 if not f.endswith('.sample') and not f.endswith('.disabled'): |
315 os.rename(os.path.join(hook_dir, f), | 445 os.rename(os.path.join(hook_dir, f), |
316 os.path.join(hook_dir, f + '.disabled')) | 446 os.path.join(hook_dir, f + '.disabled')) |
317 | 447 |
318 def update(self, options, args, file_list): | 448 def update(self, options, args, file_list): |
319 """Runs git to update or transparently checkout the working copy. | 449 """Runs git to update or transparently checkout the working copy. |
320 | 450 |
321 All updated files will be appended to file_list. | 451 All updated files will be appended to file_list. |
322 | 452 |
323 Raises: | 453 Raises: |
324 Error: if can't get URL for relative path. | 454 Error: if can't get URL for relative path. |
325 """ | 455 """ |
326 if args: | 456 if args: |
327 raise gclient_utils.Error("Unsupported argument(s): %s" % ",".join(args)) | 457 raise gclient_utils.Error("Unsupported argument(s): %s" % ",".join(args)) |
328 | 458 |
329 self._CheckMinVersion("1.6.6") | 459 self._CheckMinVersion("1.6.6") |
330 | 460 |
331 # If a dependency is not pinned, track the default remote branch. | 461 # If a dependency is not pinned, track the default remote branch. |
332 default_rev = 'refs/remotes/%s/master' % self.remote | 462 default_rev = 'refs/remotes/%s/master' % (self.remote,) |
333 url, deps_revision = gclient_utils.SplitUrlRevision(self.url) | 463 url, deps_revision = gclient_utils.SplitUrlRevision(self.url) |
334 rev_str = "" | 464 rev_str = "" |
335 revision = deps_revision | 465 revision = deps_revision |
336 managed = True | 466 managed = True |
337 if options.revision: | 467 if options.revision: |
338 # Override the revision number. | 468 # Override the revision number. |
339 revision = str(options.revision) | 469 revision = str(options.revision) |
340 if revision == 'unmanaged': | 470 if revision == 'unmanaged': |
341 # Check again for a revision in case an initial ref was specified | 471 # Check again for a revision in case an initial ref was specified |
342 # in the url, for example bla.git@refs/heads/custombranch | 472 # in the url, for example bla.git@refs/heads/custombranch |
(...skipping 26 matching lines...) Expand all Loading... | |
369 if revision.startswith('refs/'): | 499 if revision.startswith('refs/'): |
370 rev_type = "branch" | 500 rev_type = "branch" |
371 elif revision.startswith(self.remote + '/'): | 501 elif revision.startswith(self.remote + '/'): |
372 # Rewrite remote refs to their local equivalents. | 502 # Rewrite remote refs to their local equivalents. |
373 revision = 'refs/remotes/' + revision | 503 revision = 'refs/remotes/' + revision |
374 rev_type = "branch" | 504 rev_type = "branch" |
375 else: | 505 else: |
376 # hash is also a tag, only make a distinction at checkout | 506 # hash is also a tag, only make a distinction at checkout |
377 rev_type = "hash" | 507 rev_type = "hash" |
378 | 508 |
509 refish = self.ParseRefish(revision) | |
379 mirror = self._GetMirror(url, options) | 510 mirror = self._GetMirror(url, options) |
380 if mirror: | 511 if mirror: |
381 url = mirror.mirror_path | 512 url = mirror.mirror_path |
382 | 513 |
383 if (not os.path.exists(self.checkout_path) or | 514 if (not os.path.exists(self.checkout_path) or |
384 (os.path.isdir(self.checkout_path) and | 515 (os.path.isdir(self.checkout_path) and |
385 not os.path.exists(os.path.join(self.checkout_path, '.git')))): | 516 not os.path.exists(os.path.join(self.checkout_path, '.git')))): |
386 if mirror: | 517 if mirror: |
387 self._UpdateMirror(mirror, options) | 518 self._UpdateMirror(mirror, options) |
388 try: | 519 try: |
389 self._Clone(revision, url, options) | 520 self._Clone(refish.local_ref, url, options) |
390 except subprocess2.CalledProcessError: | 521 except subprocess2.CalledProcessError: |
391 self._DeleteOrMove(options.force) | 522 self._DeleteOrMove(options.force) |
392 self._Clone(revision, url, options) | 523 self._Clone(refish.local_ref, url, options) |
393 if deps_revision and deps_revision.startswith('branch-heads/'): | 524 if deps_revision and deps_revision.startswith('branch-heads/'): |
394 deps_branch = deps_revision.replace('branch-heads/', '') | 525 deps_branch = deps_revision.replace('branch-heads/', '') |
395 self._Capture(['branch', deps_branch, deps_revision]) | 526 self._Capture(['branch', deps_branch, deps_revision]) |
396 self._Checkout(options, deps_branch, quiet=True) | 527 self._Checkout(options, deps_branch, quiet=True) |
397 if file_list is not None: | 528 if file_list is not None: |
398 files = self._Capture(['ls-files']).splitlines() | 529 files = self._Capture(['ls-files']).splitlines() |
399 file_list.extend([os.path.join(self.checkout_path, f) for f in files]) | 530 file_list.extend([os.path.join(self.checkout_path, f) for f in files]) |
400 if not verbose: | 531 if not verbose: |
401 # Make the output a little prettier. It's nice to have some whitespace | 532 # Make the output a little prettier. It's nice to have some whitespace |
402 # between projects when cloning. | 533 # between projects when cloning. |
(...skipping 20 matching lines...) Expand all Loading... | |
423 if (current_url.rstrip('/') != url.rstrip('/') and | 554 if (current_url.rstrip('/') != url.rstrip('/') and |
424 url != 'git://foo' and | 555 url != 'git://foo' and |
425 subprocess2.capture( | 556 subprocess2.capture( |
426 ['git', 'config', 'remote.%s.gclient-auto-fix-url' % self.remote], | 557 ['git', 'config', 'remote.%s.gclient-auto-fix-url' % self.remote], |
427 cwd=self.checkout_path).strip() != 'False'): | 558 cwd=self.checkout_path).strip() != 'False'): |
428 self.Print('_____ switching %s to a new upstream' % self.relpath) | 559 self.Print('_____ switching %s to a new upstream' % self.relpath) |
429 # Make sure it's clean | 560 # Make sure it's clean |
430 self._CheckClean(rev_str) | 561 self._CheckClean(rev_str) |
431 # Switch over to the new upstream | 562 # Switch over to the new upstream |
432 self._Run(['remote', 'set-url', self.remote, url], options) | 563 self._Run(['remote', 'set-url', self.remote, url], options) |
433 self._FetchAndReset(revision, file_list, options) | 564 self._FetchAndReset(refish, file_list, options) |
434 return_early = True | 565 return_early = True |
435 | 566 |
436 if return_early: | 567 if return_early: |
437 return self._Capture(['rev-parse', '--verify', 'HEAD']) | 568 return self._Capture(['rev-parse', '--verify', 'HEAD']) |
438 | 569 |
439 cur_branch = self._GetCurrentBranch() | 570 cur_branch = self._GetCurrentBranch() |
440 | 571 |
441 # Cases: | 572 # Cases: |
442 # 0) HEAD is detached. Probably from our initial clone. | 573 # 0) HEAD is detached. Probably from our initial clone. |
443 # - make sure HEAD is contained by a named ref, then update. | 574 # - make sure HEAD is contained by a named ref, then update. |
(...skipping 22 matching lines...) Expand all Loading... | |
466 upstream_branch = scm.GIT.GetUpstreamBranch(self.checkout_path) | 597 upstream_branch = scm.GIT.GetUpstreamBranch(self.checkout_path) |
467 if not upstream_branch or not upstream_branch.startswith('refs/remotes'): | 598 if not upstream_branch or not upstream_branch.startswith('refs/remotes'): |
468 current_type = "hash" | 599 current_type = "hash" |
469 logging.debug("Current branch is not tracking an upstream (remote)" | 600 logging.debug("Current branch is not tracking an upstream (remote)" |
470 " branch.") | 601 " branch.") |
471 elif upstream_branch.startswith('refs/remotes'): | 602 elif upstream_branch.startswith('refs/remotes'): |
472 current_type = "branch" | 603 current_type = "branch" |
473 else: | 604 else: |
474 raise gclient_utils.Error('Invalid Upstream: %s' % upstream_branch) | 605 raise gclient_utils.Error('Invalid Upstream: %s' % upstream_branch) |
475 | 606 |
476 if not scm.GIT.IsValidRevision(self.checkout_path, revision, sha_only=True): | 607 if not scm.GIT.IsValidRevision(self.checkout_path, refish.local_ref, |
608 sha_only=True): | |
477 # Update the remotes first so we have all the refs. | 609 # Update the remotes first so we have all the refs. |
478 remote_output = scm.GIT.Capture(['remote'] + verbose + ['update'], | 610 remote_output = scm.GIT.Capture(['remote'] + verbose + ['update'], |
479 cwd=self.checkout_path) | 611 cwd=self.checkout_path) |
480 if verbose: | 612 if verbose: |
481 self.Print(remote_output) | 613 self.Print(remote_output) |
482 | 614 |
483 self._UpdateBranchHeads(options, fetch=True) | 615 self._UpdateBranchHeads(options, fetch=True) |
484 | 616 |
485 # This is a big hammer, debatable if it should even be here... | 617 # This is a big hammer, debatable if it should even be here... |
486 if options.force or options.reset: | 618 if options.force or options.reset: |
487 target = 'HEAD' | 619 target = 'HEAD' |
488 if options.upstream and upstream_branch: | 620 if options.upstream and upstream_branch: |
489 target = upstream_branch | 621 target = upstream_branch |
490 self._Run(['reset', '--hard', target], options) | 622 self._Run(['reset', '--hard', target], options) |
491 | 623 |
492 if current_type == 'detached': | 624 if current_type == 'detached': |
493 # case 0 | 625 # case 0 |
494 self._CheckClean(rev_str) | 626 self._CheckClean(rev_str) |
495 self._CheckDetachedHead(rev_str, options) | 627 self._CheckDetachedHead(rev_str, options) |
496 if self._Capture(['rev-list', '-n', '1', 'HEAD']) == revision: | 628 if self._Capture(['rev-list', '-n', '1', 'HEAD']) == refish.local_ref: |
497 self.Print('Up-to-date; skipping checkout.') | 629 self.Print('Up-to-date; skipping checkout.') |
498 else: | 630 else: |
499 # 'git checkout' may need to overwrite existing untracked files. Allow | 631 # 'git checkout' may need to overwrite existing untracked files. Allow |
500 # it only when nuclear options are enabled. | 632 # it only when nuclear options are enabled. |
501 self._Checkout( | 633 self._Checkout( |
502 options, | 634 options, |
503 revision, | 635 revision, |
504 force=(options.force and options.delete_unversioned_trees), | 636 force=(options.force and options.delete_unversioned_trees), |
505 quiet=True, | 637 quiet=True, |
506 ) | 638 ) |
507 if not printed_path: | 639 if not printed_path: |
508 self.Print('_____ %s%s' % (self.relpath, rev_str), timestamp=False) | 640 self.Print('_____ %s%s' % (self.relpath, rev_str), timestamp=False) |
509 elif current_type == 'hash': | 641 elif current_type == 'hash': |
510 # case 1 | 642 # case 1 |
511 if scm.GIT.IsGitSvn(self.checkout_path) and upstream_branch is not None: | 643 if scm.GIT.IsGitSvn(self.checkout_path) and upstream_branch is not None: |
512 # Our git-svn branch (upstream_branch) is our upstream | 644 # Our git-svn branch (upstream_branch) is our upstream |
513 self._AttemptRebase(upstream_branch, files, options, | 645 self._AttemptRebase(upstream_branch, files, options, |
514 newbase=revision, printed_path=printed_path, | 646 newbase=refish.local_ref, |
515 merge=options.merge) | 647 printed_path=printed_path, merge=options.merge) |
516 printed_path = True | 648 printed_path = True |
517 else: | 649 else: |
518 # Can't find a merge-base since we don't know our upstream. That makes | 650 # Can't find a merge-base since we don't know our upstream. That makes |
519 # this command VERY likely to produce a rebase failure. For now we | 651 # this command VERY likely to produce a rebase failure. For now we |
520 # assume origin is our upstream since that's what the old behavior was. | 652 # assume origin is our upstream since that's what the old behavior was. |
521 upstream_branch = self.remote | 653 upstream_branch = self.remote |
522 if options.revision or deps_revision: | 654 if options.revision or deps_revision: |
523 upstream_branch = revision | 655 upstream_branch = refish.local_ref |
524 self._AttemptRebase(upstream_branch, files, options, | 656 self._AttemptRebase(upstream_branch, files, options, |
525 printed_path=printed_path, merge=options.merge) | 657 printed_path=printed_path, merge=options.merge) |
526 printed_path = True | 658 printed_path = True |
527 elif rev_type == 'hash': | 659 elif not refish.is_branch: |
528 # case 2 | 660 # case 2 |
529 self._AttemptRebase(upstream_branch, files, options, | 661 self._AttemptRebase(upstream_branch, files, options, |
530 newbase=revision, printed_path=printed_path, | 662 newbase=refish.local_ref, printed_path=printed_path, |
531 merge=options.merge) | 663 merge=options.merge) |
532 printed_path = True | 664 printed_path = True |
533 elif revision.replace('heads', 'remotes/' + self.remote) != upstream_branch: | 665 elif refish.upstream_branch != upstream_branch: |
534 # case 4 | 666 # case 4 |
535 new_base = revision.replace('heads', 'remotes/' + self.remote) | 667 new_base = refish.upstream_branch |
536 if not printed_path: | 668 if not printed_path: |
537 self.Print('_____ %s%s' % (self.relpath, rev_str), timestamp=False) | 669 self.Print('_____ %s%s' % (self.relpath, rev_str), timestamp=False) |
538 switch_error = ("Switching upstream branch from %s to %s\n" | 670 switch_error = ("Switching upstream branch from %s to %s\n" |
539 % (upstream_branch, new_base) + | 671 % (upstream_branch, new_base) + |
540 "Please merge or rebase manually:\n" + | 672 "Please merge or rebase manually:\n" + |
541 "cd %s; git rebase %s\n" % (self.checkout_path, new_base) + | 673 "cd %s; git rebase %s\n" % (self.checkout_path, new_base) + |
542 "OR git checkout -b <some new branch> %s" % new_base) | 674 "OR git checkout -b <some new branch> %s" % new_base) |
543 raise gclient_utils.Error(switch_error) | 675 raise gclient_utils.Error(switch_error) |
544 else: | 676 else: |
545 # case 3 - the default case | 677 # case 3 - the default case |
(...skipping 110 matching lines...) Expand 10 before | Expand all | Expand 10 after Loading... | |
656 return self.update(options, [], file_list) | 788 return self.update(options, [], file_list) |
657 | 789 |
658 default_rev = "refs/heads/master" | 790 default_rev = "refs/heads/master" |
659 if options.upstream: | 791 if options.upstream: |
660 if self._GetCurrentBranch(): | 792 if self._GetCurrentBranch(): |
661 upstream_branch = scm.GIT.GetUpstreamBranch(self.checkout_path) | 793 upstream_branch = scm.GIT.GetUpstreamBranch(self.checkout_path) |
662 default_rev = upstream_branch or default_rev | 794 default_rev = upstream_branch or default_rev |
663 _, deps_revision = gclient_utils.SplitUrlRevision(self.url) | 795 _, deps_revision = gclient_utils.SplitUrlRevision(self.url) |
664 if not deps_revision: | 796 if not deps_revision: |
665 deps_revision = default_rev | 797 deps_revision = default_rev |
666 if deps_revision.startswith('refs/heads/'): | 798 refish = self.ParseRefish(deps_revision) |
667 deps_revision = deps_revision.replace('refs/heads/', self.remote + '/') | 799 deps_revision = self.GetUsableRev(refish.remote_refspec, options) |
668 deps_revision = self.GetUsableRev(deps_revision, options) | |
669 | 800 |
670 if file_list is not None: | 801 if file_list is not None: |
671 files = self._Capture(['diff', deps_revision, '--name-only']).split() | 802 files = self._Capture(['diff', deps_revision, '--name-only']).split() |
672 | 803 |
673 self._Run(['reset', '--hard', deps_revision], options) | 804 self._Run(['reset', '--hard', deps_revision], options) |
674 self._Run(['clean', '-f', '-d'], options) | 805 self._Run(['clean', '-f', '-d'], options) |
675 | 806 |
676 if file_list is not None: | 807 if file_list is not None: |
677 file_list.extend([os.path.join(self.checkout_path, f) for f in files]) | 808 file_list.extend([os.path.join(self.checkout_path, f) for f in files]) |
678 | 809 |
(...skipping 156 matching lines...) Expand 10 before | Expand all | Expand 10 after Loading... | |
835 gclient_utils.safe_rename(os.path.join(tmp_dir, '.git'), | 966 gclient_utils.safe_rename(os.path.join(tmp_dir, '.git'), |
836 os.path.join(self.checkout_path, '.git')) | 967 os.path.join(self.checkout_path, '.git')) |
837 except: | 968 except: |
838 traceback.print_exc(file=self.out_fh) | 969 traceback.print_exc(file=self.out_fh) |
839 raise | 970 raise |
840 finally: | 971 finally: |
841 if os.listdir(tmp_dir): | 972 if os.listdir(tmp_dir): |
842 self.Print('_____ removing non-empty tmp dir %s' % tmp_dir) | 973 self.Print('_____ removing non-empty tmp dir %s' % tmp_dir) |
843 gclient_utils.rmtree(tmp_dir) | 974 gclient_utils.rmtree(tmp_dir) |
844 self._UpdateBranchHeads(options, fetch=True) | 975 self._UpdateBranchHeads(options, fetch=True) |
845 self._Checkout(options, revision.replace('refs/heads/', ''), quiet=True) | 976 |
977 refish = self.ParseRefish(revision) | |
978 self._Checkout(options, refish.local_ref, quiet=True) | |
846 if self._GetCurrentBranch() is None: | 979 if self._GetCurrentBranch() is None: |
847 # Squelch git's very verbose detached HEAD warning and use our own | 980 # Squelch git's very verbose detached HEAD warning and use our own |
848 self.Print( | 981 self.Print("""\ |
M-A Ruel
2014/06/25 01:24:58
Why both """ and " ?
dnj
2014/06/25 20:14:02
Ack sorry, that was a mistake.
| |
849 ('Checked out %s to a detached HEAD. Before making any commits\n' | 982 "Checked out %s to a detached HEAD. Before making any commits\n" |
850 'in this repo, you should use \'git checkout <branch>\' to switch to\n' | 983 "in this repo, you should use 'git checkout <branch>' to switch to\n" |
851 'an existing branch or use \'git checkout %s -b <branch>\' to\n' | 984 "an existing branch or use 'git checkout %s -b <branch>' to\n" |
852 'create a new branch for your work.') % (revision, self.remote)) | 985 "create a new branch for your work.""" % (revision, self.remote)) |
853 | 986 |
854 def _AskForData(self, prompt, options): | 987 def _AskForData(self, prompt, options): |
855 if options.jobs > 1: | 988 if options.jobs > 1: |
856 self.Print(prompt) | 989 self.Print(prompt) |
857 raise gclient_utils.Error("Background task requires input. Rerun " | 990 raise gclient_utils.Error("Background task requires input. Rerun " |
858 "gclient with --jobs=1 so that\n" | 991 "gclient with --jobs=1 so that\n" |
859 "interaction is possible.") | 992 "interaction is possible.") |
860 try: | 993 try: |
861 return raw_input(prompt) | 994 return raw_input(prompt) |
862 except KeyboardInterrupt: | 995 except KeyboardInterrupt: |
(...skipping 675 matching lines...) Expand 10 before | Expand all | Expand 10 after Loading... | |
1538 new_command.append('--force') | 1671 new_command.append('--force') |
1539 if command[0] != 'checkout' and scm.SVN.AssertVersion('1.6')[0]: | 1672 if command[0] != 'checkout' and scm.SVN.AssertVersion('1.6')[0]: |
1540 new_command.extend(('--accept', 'theirs-conflict')) | 1673 new_command.extend(('--accept', 'theirs-conflict')) |
1541 elif options.manually_grab_svn_rev: | 1674 elif options.manually_grab_svn_rev: |
1542 new_command.append('--force') | 1675 new_command.append('--force') |
1543 if command[0] != 'checkout' and scm.SVN.AssertVersion('1.6')[0]: | 1676 if command[0] != 'checkout' and scm.SVN.AssertVersion('1.6')[0]: |
1544 new_command.extend(('--accept', 'postpone')) | 1677 new_command.extend(('--accept', 'postpone')) |
1545 elif command[0] != 'checkout' and scm.SVN.AssertVersion('1.6')[0]: | 1678 elif command[0] != 'checkout' and scm.SVN.AssertVersion('1.6')[0]: |
1546 new_command.extend(('--accept', 'postpone')) | 1679 new_command.extend(('--accept', 'postpone')) |
1547 return new_command | 1680 return new_command |
OLD | NEW |