Chromium Code Reviews
chromiumcodereview-hr@appspot.gserviceaccount.com (chromiumcodereview-hr) | Please choose your nickname with Settings | Help | Chromium Project | Gerrit Changes | Sign out
(221)

Side by Side Diff: gclient.py

Issue 11312116: Add gclient grep for git repos (Closed) Base URL: svn://svn.chromium.org/chrome/trunk/tools/depot_tools
Patch Set: Created 8 years, 1 month ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View unified diff | Download patch | Annotate | Revision Log
« no previous file with comments | « no previous file | gclient_utils.py » ('j') | gclient_utils.py » ('J')
Toggle Intra-line Diffs ('i') | Expand Comments ('e') | Collapse Comments ('c') | Show Comments Hide Comments ('s')
OLDNEW
1 #!/usr/bin/env python 1 #!/usr/bin/env python
2 # Copyright (c) 2012 The Chromium Authors. All rights reserved. 2 # Copyright (c) 2012 The Chromium Authors. All rights reserved.
3 # Use of this source code is governed by a BSD-style license that can be 3 # Use of this source code is governed by a BSD-style license that can be
4 # found in the LICENSE file. 4 # found in the LICENSE file.
5 5
6 """Meta checkout manager supporting both Subversion and GIT. 6 """Meta checkout manager supporting both Subversion and GIT.
7 7
8 Files 8 Files
9 .gclient : Current client configuration, written by 'config' command. 9 .gclient : Current client configuration, written by 'config' command.
10 Format is a Python script defining 'solutions', a list whose 10 Format is a Python script defining 'solutions', a list whose
(...skipping 551 matching lines...) Expand 10 before | Expand all | Expand 10 after
562 not gclient_utils.IsDateRevision(options.revision)): 562 not gclient_utils.IsDateRevision(options.revision)):
563 revision_date = scm.GetRevisionDate(options.revision) 563 revision_date = scm.GetRevisionDate(options.revision)
564 revision = gclient_utils.MakeDateRevision(revision_date) 564 revision = gclient_utils.MakeDateRevision(revision_date)
565 if options.verbose: 565 if options.verbose:
566 print("Updating revision override from %s to %s." % 566 print("Updating revision override from %s to %s." %
567 (options.revision, revision)) 567 (options.revision, revision))
568 revision_overrides[name] = revision 568 revision_overrides[name] = revision
569 569
570 # Arguments number differs from overridden method 570 # Arguments number differs from overridden method
571 # pylint: disable=W0221 571 # pylint: disable=W0221
572 def run(self, revision_overrides, command, args, work_queue, options): 572 def run(self, revision_overrides, command, args, work_queue, options,
573 **kwargs):
573 """Runs |command| then parse the DEPS file.""" 574 """Runs |command| then parse the DEPS file."""
574 logging.info('Dependency(%s).run()' % self.name) 575 logging.info('Dependency(%s).run()' % self.name)
575 assert self._file_list == [] 576 assert self._file_list == []
576 if not self.should_process: 577 if not self.should_process:
577 return 578 return
578 # When running runhooks, there's no need to consult the SCM. 579 # When running runhooks, there's no need to consult the SCM.
579 # All known hooks are expected to run unconditionally regardless of working 580 # All known hooks are expected to run unconditionally regardless of working
580 # copy state, so skip the SCM status check. 581 # copy state, so skip the SCM status check.
581 run_scm = command not in ('runhooks', 'recurse', None) 582 run_scm = command not in ('runhooks', 'recurse', None)
582 parsed_url = self.LateOverride(self.url) 583 parsed_url = self.LateOverride(self.url)
(...skipping 28 matching lines...) Expand all
611 for i in range(len(file_list)): 612 for i in range(len(file_list)):
612 # It depends on the command being executed (like runhooks vs sync). 613 # It depends on the command being executed (like runhooks vs sync).
613 if not os.path.isabs(file_list[i]): 614 if not os.path.isabs(file_list[i]):
614 continue 615 continue
615 prefix = os.path.commonprefix( 616 prefix = os.path.commonprefix(
616 [self.root.root_dir.lower(), file_list[i].lower()]) 617 [self.root.root_dir.lower(), file_list[i].lower()])
617 file_list[i] = file_list[i][len(prefix):] 618 file_list[i] = file_list[i][len(prefix):]
618 # Strip any leading path separators. 619 # Strip any leading path separators.
619 while file_list[i].startswith(('\\', '/')): 620 while file_list[i].startswith(('\\', '/')):
620 file_list[i] = file_list[i][1:] 621 file_list[i] = file_list[i][1:]
621 elif command == 'recurse': 622
623 # Always parse the DEPS file.
624 self.ParseDepsFile()
625
626 self._run_is_done(file_list, parsed_url)
627
628 if self.recursion_limit:
629 # Parse the dependencies of this dependency.
630 for s in self.dependencies:
631 work_queue.enqueue(s)
632
633 if command == 'recurse':
622 if not isinstance(parsed_url, self.FileImpl): 634 if not isinstance(parsed_url, self.FileImpl):
623 # Skip file only checkout. 635 # Skip file only checkout.
624 scm = gclient_scm.GetScmName(parsed_url) 636 scm = gclient_scm.GetScmName(parsed_url)
625 if not options.scm or scm in options.scm: 637 if not options.scm or scm in options.scm:
626 cwd = os.path.normpath(os.path.join(self.root.root_dir, self.name)) 638 cwd = os.path.normpath(os.path.join(self.root.root_dir, self.name))
627 # Pass in the SCM type as an env variable 639 # Pass in the SCM type as an env variable
628 env = os.environ.copy() 640 env = os.environ.copy()
629 if scm: 641 if scm:
630 env['GCLIENT_SCM'] = scm 642 env['GCLIENT_SCM'] = scm
631 if parsed_url: 643 if parsed_url:
632 env['GCLIENT_URL'] = parsed_url 644 env['GCLIENT_URL'] = parsed_url
645 print_stdout = True
646 filter_fn = None
647 if options.prepend_dir:
648 print_stdout = False
649 def filter_fn(line):
650 items = line.split('\0')
M-A Ruel 2012/11/08 19:44:13 if '\0' in line: ... else: items = line.split('\
Isaac (away) 2012/11/09 03:58:52 I'm confused -- what are you suggesting here? Wil
651 if len(items) == 1:
652 match = re.match('Binary file (.*) matches$', line)
653 if match:
654 print 'Binary file %s matches' % os.path.join(
655 self.name, match.group(1))
656 else:
657 print line
658 elif len(items) == 2 and items[1]:
659 print '%s : %s' % (os.path.join(self.name, items[0]), items[1])
660 else:
661 # Multiple null bytes or a single trailing null byte indicate
662 # git is likely displaying filenames only (such as with -l)
663 print '\n'.join(os.path.join(self.name, f) for f in items if f)
633 if os.path.isdir(cwd): 664 if os.path.isdir(cwd):
634 try: 665 try:
635 gclient_utils.CheckCallAndFilter( 666 gclient_utils.CheckCallAndFilter(
636 args, cwd=cwd, env=env, print_stdout=True) 667 args, cwd=cwd, env=env, print_stdout=print_stdout,
668 filter_fn=filter_fn,
669 )
637 except subprocess2.CalledProcessError: 670 except subprocess2.CalledProcessError:
638 if not options.ignore: 671 if not options.ignore:
639 raise 672 raise
640 else: 673 else:
641 print >> sys.stderr, 'Skipped missing %s' % cwd 674 print >> sys.stderr, 'Skipped missing %s' % cwd
642 675
643 # Always parse the DEPS file.
644 self.ParseDepsFile()
645
646 self._run_is_done(file_list, parsed_url)
647
648 if self.recursion_limit:
649 # Parse the dependencies of this dependency.
650 for s in self.dependencies:
651 work_queue.enqueue(s)
652 676
653 @gclient_utils.lockedmethod 677 @gclient_utils.lockedmethod
654 def _run_is_done(self, file_list, parsed_url): 678 def _run_is_done(self, file_list, parsed_url):
655 # Both these are kept for hooks that are run as a separate tree traversal. 679 # Both these are kept for hooks that are run as a separate tree traversal.
656 self._file_list = file_list 680 self._file_list = file_list
657 self._parsed_url = parsed_url 681 self._parsed_url = parsed_url
658 self._processed = True 682 self._processed = True
659 683
660 @staticmethod 684 @staticmethod
661 def GetHookAction(hook_dict, matching_file_list): 685 def GetHookAction(hook_dict, matching_file_list):
(...skipping 381 matching lines...) Expand 10 before | Expand all | Expand 10 after
1043 raise gclient_utils.Error( 1067 raise gclient_utils.Error(
1044 'It appears your safesync_url (%s) is not working properly\n' 1068 'It appears your safesync_url (%s) is not working properly\n'
1045 '(as it returned an empty response). Check your config.' % 1069 '(as it returned an empty response). Check your config.' %
1046 dep.safesync_url) 1070 dep.safesync_url)
1047 scm = gclient_scm.CreateSCM(dep.url, dep.root.root_dir, dep.name) 1071 scm = gclient_scm.CreateSCM(dep.url, dep.root.root_dir, dep.name)
1048 safe_rev = scm.GetUsableRev(rev=rev, options=self._options) 1072 safe_rev = scm.GetUsableRev(rev=rev, options=self._options)
1049 if self._options.verbose: 1073 if self._options.verbose:
1050 print('Using safesync_url revision: %s.\n' % safe_rev) 1074 print('Using safesync_url revision: %s.\n' % safe_rev)
1051 self._options.revisions.append('%s@%s' % (dep.name, safe_rev)) 1075 self._options.revisions.append('%s@%s' % (dep.name, safe_rev))
1052 1076
1053 def RunOnDeps(self, command, args): 1077 def RunOnDeps(self, command, args, ignore_requirements=False):
1054 """Runs a command on each dependency in a client and its dependencies. 1078 """Runs a command on each dependency in a client and its dependencies.
1055 1079
1056 Args: 1080 Args:
1057 command: The command to use (e.g., 'status' or 'diff') 1081 command: The command to use (e.g., 'status' or 'diff')
1058 args: list of str - extra arguments to add to the command line. 1082 args: list of str - extra arguments to add to the command line.
1059 """ 1083 """
1060 if not self.dependencies: 1084 if not self.dependencies:
1061 raise gclient_utils.Error('No solution specified') 1085 raise gclient_utils.Error('No solution specified')
1062 revision_overrides = {} 1086 revision_overrides = {}
1063 # It's unnecessary to check for revision overrides for 'recurse'. 1087 # It's unnecessary to check for revision overrides for 'recurse'.
1064 # Save a few seconds by not calling _EnforceRevisions() in that case. 1088 # Save a few seconds by not calling _EnforceRevisions() in that case.
1065 if command not in ('diff', 'recurse', 'runhooks', 'status'): 1089 if command not in ('diff', 'recurse', 'runhooks', 'status'):
1066 revision_overrides = self._EnforceRevisions() 1090 revision_overrides = self._EnforceRevisions()
1067 pm = None 1091 pm = None
1068 # Disable progress for non-tty stdout. 1092 # Disable progress for non-tty stdout.
1069 if (sys.stdout.isatty() and not self._options.verbose): 1093 if (sys.stdout.isatty() and not self._options.verbose):
1070 if command in ('update', 'revert'): 1094 if command in ('update', 'revert'):
1071 pm = Progress('Syncing projects', 1) 1095 pm = Progress('Syncing projects', 1)
1072 elif command == 'recurse': 1096 elif command == 'recurse':
1073 pm = Progress(' '.join(args), 1) 1097 pm = Progress(' '.join(args), 1)
1074 work_queue = gclient_utils.ExecutionQueue(self._options.jobs, pm) 1098 work_queue = gclient_utils.ExecutionQueue(self._options.jobs, pm)
1075 for s in self.dependencies: 1099 for s in self.dependencies:
1076 work_queue.enqueue(s) 1100 work_queue.enqueue(s)
1077 work_queue.flush(revision_overrides, command, args, options=self._options) 1101 work_queue.flush(revision_overrides, command, args, options=self._options,
1102 ignore_requirements=ignore_requirements)
1078 1103
1079 # Once all the dependencies have been processed, it's now safe to run the 1104 # Once all the dependencies have been processed, it's now safe to run the
1080 # hooks. 1105 # hooks.
1081 if not self._options.nohooks: 1106 if not self._options.nohooks:
1082 self.RunHooksRecursively(self._options) 1107 self.RunHooksRecursively(self._options)
1083 1108
1084 if command == 'update': 1109 if command == 'update':
1085 # Notify the user if there is an orphaned entry in their working copy. 1110 # Notify the user if there is an orphaned entry in their working copy.
1086 # Only delete the directory if there are no changes in it, and 1111 # Only delete the directory if there are no changes in it, and
1087 # delete_unversioned_trees is set to true. 1112 # delete_unversioned_trees is set to true.
(...skipping 139 matching lines...) Expand 10 before | Expand all | Expand 10 after
1227 1252
1228 @attr('usage', '[command] [args ...]') 1253 @attr('usage', '[command] [args ...]')
1229 def CMDrecurse(parser, args): 1254 def CMDrecurse(parser, args):
1230 """Operates on all the entries. 1255 """Operates on all the entries.
1231 1256
1232 Runs a shell command on all entries. 1257 Runs a shell command on all entries.
1233 """ 1258 """
1234 # Stop parsing at the first non-arg so that these go through to the command 1259 # Stop parsing at the first non-arg so that these go through to the command
1235 parser.disable_interspersed_args() 1260 parser.disable_interspersed_args()
1236 parser.add_option('-s', '--scm', action='append', default=[], 1261 parser.add_option('-s', '--scm', action='append', default=[],
1237 help='choose scm types to operate upon') 1262 help='Choose scm types to operate upon.')
1238 parser.add_option('-i', '--ignore', action='store_true', 1263 parser.add_option('-i', '--ignore', action='store_true',
1239 help='continue processing in case of non zero return code') 1264 help='Ignore non-zero return codes from subcommands.')
1265 parser.add_option('--prepend-dir', action='store_true',
1266 help='Prepend relative dir for use with git <cmd> --null.')
1240 options, args = parser.parse_args(args) 1267 options, args = parser.parse_args(args)
1241 if not args: 1268 if not args:
1242 print >> sys.stderr, 'Need to supply a command!' 1269 print >> sys.stderr, 'Need to supply a command!'
1243 return 1 1270 return 1
1244 root_and_entries = gclient_utils.GetGClientRootAndEntries() 1271 root_and_entries = gclient_utils.GetGClientRootAndEntries()
1245 if not root_and_entries: 1272 if not root_and_entries:
1246 print >> sys.stderr, ( 1273 print >> sys.stderr, (
1247 'You need to run gclient sync at least once to use \'recurse\'.\n' 1274 'You need to run gclient sync at least once to use \'recurse\'.\n'
1248 'This is because .gclient_entries needs to exist and be up to date.') 1275 'This is because .gclient_entries needs to exist and be up to date.')
1249 return 1 1276 return 1
1250 1277
1251 # Normalize options.scm to a set() 1278 # Normalize options.scm to a set()
1252 scm_set = set() 1279 scm_set = set()
1253 for scm in options.scm: 1280 for scm in options.scm:
1254 scm_set.update(scm.split(',')) 1281 scm_set.update(scm.split(','))
1255 options.scm = scm_set 1282 options.scm = scm_set
1256 1283
1257 options.nohooks = True 1284 options.nohooks = True
1258 client = GClient.LoadCurrentConfig(options) 1285 client = GClient.LoadCurrentConfig(options)
1259 return client.RunOnDeps('recurse', args) 1286 return client.RunOnDeps('recurse', args, ignore_requirements=True)
1260 1287
1261 1288
1262 @attr('usage', '[args ...]') 1289 @attr('usage', '[args ...]')
1263 def CMDfetch(parser, args): 1290 def CMDfetch(parser, args):
1264 """Fetches upstream commits for all modules. 1291 """Fetches upstream commits for all modules.
1265 1292
1266 Completely git-specific. Simply runs 'git fetch [args ...]' for each module. 1293 Completely git-specific. Simply runs 'git fetch [args ...]' for each module.
1267 """ 1294 """
1268 (options, args) = parser.parse_args(args) 1295 (options, args) = parser.parse_args(args)
1269 args = ['-j%d' % options.jobs, '-s', 'git', 'git', 'fetch'] + args 1296 return CMDrecurse(Parser(), [
1270 return CMDrecurse(parser, args) 1297 '--jobs=%d' % options.jobs, '--scm=git', 'git', 'fetch'] + args)
1298
1299
1300 def CMDgrep(parser, args):
1301 """Greps through git repos managed by gclient.
1302
1303 Runs 'git grep [args...]' for each module.
1304 """
1305
1306 # We can't use optparse because it will try to parse arguments sent
1307 # to git grep and throw an error. :-(
1308 if not args or re.match('(-h|--help)$', args[0]):
1309 print >> sys.stderr, (
1310 'Usage: gclient grep [-j <N>] git-grep-args...\n\n'
1311 'Example: "gclient grep -j10 -A2 RefCountedBase" runs\n"git grep '
1312 '-A2 RefCountedBase" on each of gclient\'s git\nrepos with up to '
1313 '10 jobs.\n\nBonus: page output by appending "|& less -FRSX" to the'
1314 ' end of your query.'
1315 )
1316 return 1
1317
1318 jobs_arg = ['--jobs=1']
1319 if re.match(r'(-j|--jobs=)\d+$', args[0]):
1320 jobs_arg, args = args[:1], args[1:]
1321 elif re.match(r'(-j|--jobs)$', args[0]):
1322 jobs_arg, args = args[:2], args[2:]
1323
1324 return CMDrecurse(
1325 parser,
1326 jobs_arg + ['--ignore', '--prepend-dir', '--scm=git', 'git', 'grep',
1327 '--null', '--color=Always'] + args)
1271 1328
1272 1329
1273 @attr('usage', '[url] [safesync url]') 1330 @attr('usage', '[url] [safesync url]')
1274 def CMDconfig(parser, args): 1331 def CMDconfig(parser, args):
1275 """Create a .gclient file in the current directory. 1332 """Create a .gclient file in the current directory.
1276 1333
1277 This specifies the configuration for further commands. After update/sync, 1334 This specifies the configuration for further commands. After update/sync,
1278 top-level DEPS files in each module are read to determine dependent 1335 top-level DEPS files in each module are read to determine dependent
1279 modules to operate on as well. If optional [url] parameter is 1336 modules to operate on as well. If optional [url] parameter is
1280 provided, then configuration is read from a specified Subversion server 1337 provided, then configuration is read from a specified Subversion server
(...skipping 397 matching lines...) Expand 10 before | Expand all | Expand 10 after
1678 except (gclient_utils.Error, subprocess2.CalledProcessError), e: 1735 except (gclient_utils.Error, subprocess2.CalledProcessError), e:
1679 print >> sys.stderr, 'Error: %s' % str(e) 1736 print >> sys.stderr, 'Error: %s' % str(e)
1680 return 1 1737 return 1
1681 1738
1682 1739
1683 if '__main__' == __name__: 1740 if '__main__' == __name__:
1684 fix_encoding.fix_encoding() 1741 fix_encoding.fix_encoding()
1685 sys.exit(Main(sys.argv[1:])) 1742 sys.exit(Main(sys.argv[1:]))
1686 1743
1687 # vim: ts=2:sw=2:tw=80:et: 1744 # vim: ts=2:sw=2:tw=80:et:
OLDNEW
« no previous file with comments | « no previous file | gclient_utils.py » ('j') | gclient_utils.py » ('J')

Powered by Google App Engine
This is Rietveld 408576698