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

Side by Side Diff: git_cl.py

Issue 23072039: Fix R= line rewriter to handle TBRs well. (Closed) Base URL: https://chromium.googlesource.com/chromium/tools/depot_tools.git@master
Patch Set: Refactoring + tests Created 7 years, 4 months 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
« no previous file with comments | « no previous file | tests/git_cl_test.py » ('j') | no next file with comments »
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 # Copyright (C) 2008 Evan Martin <martine@danga.com> 6 # Copyright (C) 2008 Evan Martin <martine@danga.com>
7 7
8 """A git-command for integrating reviews on Rietveld.""" 8 """A git-command for integrating reviews on Rietveld."""
9 9
10 from distutils.version import LooseVersion 10 from distutils.version import LooseVersion
(...skipping 831 matching lines...) Expand 10 before | Expand all | Expand 10 after
842 'tree-status-url', False) 842 'tree-status-url', False)
843 SetProperty(settings.GetViewVCUrl(), 'ViewVC URL', 'viewvc-url', True) 843 SetProperty(settings.GetViewVCUrl(), 'ViewVC URL', 'viewvc-url', True)
844 844
845 # TODO: configure a default branch to diff against, rather than this 845 # TODO: configure a default branch to diff against, rather than this
846 # svn-based hackery. 846 # svn-based hackery.
847 847
848 848
849 class ChangeDescription(object): 849 class ChangeDescription(object):
850 """Contains a parsed form of the change description.""" 850 """Contains a parsed form of the change description."""
851 R_LINE = r'^[ \t]*(TBR|R)[ \t]*=[ \t]*(.*?)[ \t]*$' 851 R_LINE = r'^[ \t]*(TBR|R)[ \t]*=[ \t]*(.*?)[ \t]*$'
852 BUG_LINE = r'^[ \t]*(BUG)[ \t]*=[ \t]*(.*?)[ \t]*$'
852 853
853 def __init__(self, description): 854 def __init__(self, description):
854 self._description = (description or '').strip() 855 self._description = (description or '').strip().splitlines()
M-A Ruel 2013/08/23 18:53:39 Rename the variable to be sure. self._description_
agable 2013/08/26 17:16:45 Done.
855 856
856 @property 857 @property
857 def description(self): 858 def description(self):
858 return self._description 859 return '\n'.join(self._description).strip()
M-A Ruel 2013/08/23 18:53:39 I'd prefer to not strip here and store it stripped
agable 2013/08/26 17:16:45 Done.
859 860
860 def update_reviewers(self, reviewers): 861 def update_reviewers(self, reviewers):
861 """Rewrites the R=/TBR= line(s) as a single line.""" 862 """Rewrites the R=/TBR= line(s) as a single line each."""
862 assert isinstance(reviewers, list), reviewers 863 assert isinstance(reviewers, list), reviewers
863 if not reviewers: 864 if not reviewers:
864 return 865 return
865 regexp = re.compile(self.R_LINE, re.MULTILINE)
866 matches = list(regexp.finditer(self._description))
867 is_tbr = any(m.group(1) == 'TBR' for m in matches)
868 if len(matches) > 1:
869 # Erase all except the first one.
870 for i in xrange(len(matches) - 1, 0, -1):
871 self._description = (
872 self._description[:matches[i].start()] +
873 self._description[matches[i].end():])
874 866
875 if is_tbr: 867 # Get the set of R= and TBR= lines and remove them from the desciption.
876 new_r_line = 'TBR=' + ', '.join(reviewers) 868 regexp = re.compile(self.R_LINE)
869 matches = [regexp.match(line) for line in self._description]
870 new_desc = [self._description[i] for i in range(len(matches))
871 if not matches[i]]
872 self._description = new_desc
M-A Ruel 2013/08/23 18:53:39 You also want to strip off ending lines, e.g. whil
agable 2013/08/26 17:16:45 Done, via a properties.setter that handles all str
873
874 # Construct new unified R= and TBR= lines.
875 r_names = []
876 tbr_names = []
877 for match in matches:
878 if match is None:
879 continue
880 is_tbr = match.group(1) == 'TBR'
881 people = cleanup_list([match.group(2).strip()])
882 if is_tbr:
883 tbr_names += people
M-A Ruel 2013/08/23 18:53:39 I prefer using explicitly .append() or .extend().
agable 2013/08/26 17:16:45 Done.
884 else:
885 r_names += people
886 for name in r_names:
M-A Ruel 2013/08/23 18:53:39 Using a set() for reviewers would make this trivia
agable 2013/08/26 17:16:45 Yes, but I'd like to keep the reviewers ordered (f
887 if name not in reviewers:
888 reviewers.append(name)
889 new_r_line = 'R=' + ', '.join(reviewers) if reviewers else None
890 new_tbr_line = 'TBR=' + ', '.join(tbr_names) if tbr_names else None
M-A Ruel 2013/08/23 18:53:39 This one is a problem, so people put "TBR=" on the
agable 2013/08/26 17:16:45 Not sure what you mean. If someone puts "TBR=" in
891
892 # Put the new lines in the desciption where the old first R= line was.
893 line_loc = next((i for i, match in enumerate(matches) if match), -1)
894 if line_loc != -1:
895 if new_tbr_line:
896 self._description.insert(line_loc, new_tbr_line)
897 if new_r_line:
898 self._description.insert(line_loc, new_r_line)
877 else: 899 else:
878 new_r_line = 'R=' + ', '.join(reviewers) 900 if new_r_line:
879 901 self.append_footer(new_r_line)
880 if matches: 902 if new_tbr_line:
881 self._description = ( 903 self.append_footer(new_tbr_line)
882 self._description[:matches[0].start()] + new_r_line +
883 self._description[matches[0].end():]).strip()
884 else:
885 self.append_footer(new_r_line)
886 904
887 def prompt(self): 905 def prompt(self):
888 """Asks the user to update the description.""" 906 """Asks the user to update the description."""
889 self._description = ( 907 self._description = [
890 '# Enter a description of the change.\n' 908 '# Enter a description of the change.',
891 '# This will be displayed on the codereview site.\n' 909 '# This will be displayed on the codereview site.',
892 '# The first line will also be used as the subject of the review.\n' 910 '# The first line will also be used as the subject of the review.',
893 '#--------------------This line is 72 characters long' 911 '#--------------------This line is 72 characters long'
894 '--------------------\n' 912 '--------------------',
895 ) + self._description 913 ] + self._description
896 914
897 if '\nBUG=' not in self._description: 915 regexp = re.compile(self.BUG_LINE)
916 if not any((regexp.match(line) for line in self._description)):
898 self.append_footer('BUG=') 917 self.append_footer('BUG=')
899 content = gclient_utils.RunEditor(self._description, True, 918 content = gclient_utils.RunEditor(self.description, True,
900 git_editor=settings.GetGitEditor()) 919 git_editor=settings.GetGitEditor())
901 if not content: 920 if not content:
902 DieWithError('Running editor failed') 921 DieWithError('Running editor failed')
922 content = content.strip().splitlines()
M-A Ruel 2013/08/23 18:53:39 lines =
agable 2013/08/26 17:16:45 Done.
903 923
904 # Strip off comments. 924 # Strip off comments.
905 content = re.compile(r'^#.*$', re.MULTILINE).sub('', content).strip() 925 content = [line for line in content if not re.match(r'^#.*$', line)]
906 if not content: 926 if not content:
907 DieWithError('No CL description, aborting') 927 DieWithError('No CL description, aborting')
908 self._description = content 928 self._description = content
909 929
910 def append_footer(self, line): 930 def append_footer(self, line):
911 # Adds a LF if the last line did not have 'FOO=BAR' or if the new one isn't. 931 if not self._description:
M-A Ruel 2013/08/23 18:53:39 if self._description: <lines 933-937>
agable 2013/08/26 17:16:45 Done.
912 if self._description: 932 self._description = ['']
913 if '\n' not in self._description: 933 # Add an empty line if either the last line or the new line isn't a tag.
914 self._description += '\n' 934 last_line = self._description[-1]
915 else: 935 if (not presubmit_support.Change.TAG_LINE_RE.match(last_line) or
916 last_line = self._description.rsplit('\n', 1)[1] 936 not presubmit_support.Change.TAG_LINE_RE.match(line)):
917 if (not presubmit_support.Change.TAG_LINE_RE.match(last_line) or 937 self._description.append('')
918 not presubmit_support.Change.TAG_LINE_RE.match(line)): 938 self._description.append(line)
919 self._description += '\n'
920 self._description += '\n' + line
921 939
922 def get_reviewers(self): 940 def get_reviewers(self):
923 """Retrieves the list of reviewers.""" 941 """Retrieves the list of reviewers."""
924 regexp = re.compile(self.R_LINE, re.MULTILINE) 942 regexp = re.compile(self.R_LINE)
925 reviewers = [i.group(2).strip() for i in regexp.finditer(self._description)] 943 matches = [regexp.match(line) for line in self._description]
M-A Ruel 2013/08/23 18:53:39 it's fine to use re.match(self.R_LINE, line). The
agable 2013/08/26 17:16:45 Done. Was just following the same pattern as REs e
944 reviewers = [match.group(2).strip() for match in matches if match]
926 return cleanup_list(reviewers) 945 return cleanup_list(reviewers)
927 946
928 947
929 def get_approving_reviewers(props): 948 def get_approving_reviewers(props):
930 """Retrieves the reviewers that approved a CL from the issue properties with 949 """Retrieves the reviewers that approved a CL from the issue properties with
931 messages. 950 messages.
932 951
933 Note that the list may contain reviewers that are not committer, thus are not 952 Note that the list may contain reviewers that are not committer, thus are not
934 considered by the CQ. 953 considered by the CQ.
935 """ 954 """
(...skipping 1261 matching lines...) Expand 10 before | Expand all | Expand 10 after
2197 ('AppEngine is misbehaving and returned HTTP %d, again. Keep faith ' 2216 ('AppEngine is misbehaving and returned HTTP %d, again. Keep faith '
2198 'and retry or visit go/isgaeup.\n%s') % (e.code, str(e))) 2217 'and retry or visit go/isgaeup.\n%s') % (e.code, str(e)))
2199 2218
2200 2219
2201 if __name__ == '__main__': 2220 if __name__ == '__main__':
2202 # These affect sys.stdout so do it outside of main() to simplify mocks in 2221 # These affect sys.stdout so do it outside of main() to simplify mocks in
2203 # unit testing. 2222 # unit testing.
2204 fix_encoding.fix_encoding() 2223 fix_encoding.fix_encoding()
2205 colorama.init() 2224 colorama.init()
2206 sys.exit(main(sys.argv[1:])) 2225 sys.exit(main(sys.argv[1:]))
OLDNEW
« no previous file with comments | « no previous file | tests/git_cl_test.py » ('j') | no next file with comments »

Powered by Google App Engine
This is Rietveld 408576698