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

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: Comments. Created 7 years, 3 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 830 matching lines...) Expand 10 before | Expand all | Expand 10 after
841 SetProperty(settings.GetTreeStatusUrl(error_ok=True), 'Tree status URL', 841 SetProperty(settings.GetTreeStatusUrl(error_ok=True), 'Tree status URL',
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]*$'
M-A Ruel 2013/09/12 00:25:44 Optionally, presubmit_support.Change.TAG_LINE_RE
agable 2013/09/12 17:20:03 Considered that. But since we're very explicitly o
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_lines = (description or '').strip().splitlines()
855 856
856 @property 857 @property # www.logilab.org/ticket/89786
857 def description(self): 858 def description(self): # pylint: disable=E0202
858 return self._description 859 return '\n'.join(self._description_lines)
860
861 def set_description(self, desc):
862 if isinstance(desc, basestring):
863 lines = desc.splitlines()
864 else:
865 lines = [line.rstrip() for line in desc]
866 while lines and not lines[0]:
867 lines.pop(0)
868 while lines and not lines[-1]:
869 lines.pop(-1)
870 self._description_lines = lines
859 871
860 def update_reviewers(self, reviewers): 872 def update_reviewers(self, reviewers):
861 """Rewrites the R=/TBR= line(s) as a single line.""" 873 """Rewrites the R=/TBR= line(s) as a single line each."""
862 assert isinstance(reviewers, list), reviewers 874 assert isinstance(reviewers, list), reviewers
863 if not reviewers: 875 if not reviewers:
864 return 876 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 877
875 if is_tbr: 878 # Get the set of R= and TBR= lines and remove them from the desciption.
876 new_r_line = 'TBR=' + ', '.join(reviewers) 879 regexp = re.compile(self.R_LINE)
880 matches = [regexp.match(line) for line in self._description_lines]
881 new_desc = [self._description_lines[i] for i in range(len(matches))
M-A Ruel 2013/09/12 00:25:44 this would be slightly shorter: new_desc = [l for
agable 2013/09/12 17:20:03 Done.
882 if not matches[i]]
883 self.set_description(new_desc)
884
885 # Construct new unified R= and TBR= lines.
886 r_names = []
887 tbr_names = []
888 for match in matches:
889 if match is None:
M-A Ruel 2013/09/12 00:25:44 if not match:
agable 2013/09/12 17:20:03 Done.
890 continue
891 is_tbr = match.group(1) == 'TBR'
892 people = cleanup_list([match.group(2).strip()])
893 if is_tbr:
M-A Ruel 2013/09/12 00:25:44 if match.group(1) == 'TBR':
agable 2013/09/12 17:20:03 Done.
894 tbr_names.extend(people)
895 else:
896 r_names.extend(people)
897 r_final_names = reviewers[:]
M-A Ruel 2013/09/12 00:25:44 I'd prefer for you to do it at the top of the file
agable 2013/09/12 17:20:03 Done.
898 for name in r_names:
899 if name not in r_final_names:
900 r_final_names.append(name)
901 new_r_line = 'R=' + ', '.join(r_final_names) if r_final_names else None
902 new_tbr_line = 'TBR=' + ', '.join(tbr_names) if tbr_names else None
903
904 # Put the new lines in the desciption where the old first R= line was.
M-A Ruel 2013/09/12 00:25:44 description
agable 2013/09/12 17:20:03 Done.
905 line_loc = next((i for i, match in enumerate(matches) if match), -1)
906 if line_loc != -1 and line_loc < len(self._description_lines):
M-A Ruel 2013/09/12 00:25:44 if 0 <= line_loc < len(self._description_lines):
agable 2013/09/12 17:20:03 Done.
907 if new_tbr_line:
908 self._description_lines.insert(line_loc, new_tbr_line)
909 if new_r_line:
910 self._description_lines.insert(line_loc, new_r_line)
877 else: 911 else:
878 new_r_line = 'R=' + ', '.join(reviewers) 912 if new_r_line:
879 913 self.append_footer(new_r_line)
880 if matches: 914 if new_tbr_line:
881 self._description = ( 915 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 916
887 def prompt(self): 917 def prompt(self):
888 """Asks the user to update the description.""" 918 """Asks the user to update the description."""
889 self._description = ( 919 self.set_description([
890 '# Enter a description of the change.\n' 920 '# Enter a description of the change.',
891 '# This will be displayed on the codereview site.\n' 921 '# This will be displayed on the codereview site.',
892 '# The first line will also be used as the subject of the review.\n' 922 '# The first line will also be used as the subject of the review.',
893 '#--------------------This line is 72 characters long' 923 '#--------------------This line is 72 characters long'
894 '--------------------\n' 924 '--------------------',
895 ) + self._description 925 ] + self._description_lines)
896 926
897 if '\nBUG=' not in self._description: 927 regexp = re.compile(self.BUG_LINE)
928 if not any((regexp.match(line) for line in self._description_lines)):
898 self.append_footer('BUG=') 929 self.append_footer('BUG=')
899 content = gclient_utils.RunEditor(self._description, True, 930 content = gclient_utils.RunEditor(self.description, True,
900 git_editor=settings.GetGitEditor()) 931 git_editor=settings.GetGitEditor())
901 if not content: 932 if not content:
902 DieWithError('Running editor failed') 933 DieWithError('Running editor failed')
934 lines = content.splitlines()
903 935
904 # Strip off comments. 936 # Strip off comments.
905 content = re.compile(r'^#.*$', re.MULTILINE).sub('', content).strip() 937 clean_lines = [line.strip() for line in lines
M-A Ruel 2013/09/12 00:25:44 rstrip()
agable 2013/09/12 17:20:03 Done.
906 if not content: 938 if not re.match(r'^#.*$', line)]
M-A Ruel 2013/09/12 00:25:44 if not line.startswith('#')
agable 2013/09/12 17:20:03 Done.
939 if not clean_lines:
907 DieWithError('No CL description, aborting') 940 DieWithError('No CL description, aborting')
908 self._description = content 941 self.set_description(clean_lines)
909 942
910 def append_footer(self, line): 943 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. 944 if self._description_lines:
912 if self._description: 945 # Add an empty line if either the last line or the new line isn't a tag.
913 if '\n' not in self._description: 946 last_line = self._description_lines[-1]
914 self._description += '\n' 947 if (not presubmit_support.Change.TAG_LINE_RE.match(last_line) or
915 else: 948 not presubmit_support.Change.TAG_LINE_RE.match(line)):
916 last_line = self._description.rsplit('\n', 1)[1] 949 self._description_lines.append('')
917 if (not presubmit_support.Change.TAG_LINE_RE.match(last_line) or 950 self._description_lines.append(line)
918 not presubmit_support.Change.TAG_LINE_RE.match(line)):
919 self._description += '\n'
920 self._description += '\n' + line
921 951
922 def get_reviewers(self): 952 def get_reviewers(self):
923 """Retrieves the list of reviewers.""" 953 """Retrieves the list of reviewers."""
924 regexp = re.compile(self.R_LINE, re.MULTILINE) 954 matches = [re.match(self.R_LINE, line) for line in self._description_lines]
925 reviewers = [i.group(2).strip() for i in regexp.finditer(self._description)] 955 reviewers = [match.group(2).strip() for match in matches if match]
926 return cleanup_list(reviewers) 956 return cleanup_list(reviewers)
927 957
928 958
929 def get_approving_reviewers(props): 959 def get_approving_reviewers(props):
930 """Retrieves the reviewers that approved a CL from the issue properties with 960 """Retrieves the reviewers that approved a CL from the issue properties with
931 messages. 961 messages.
932 962
933 Note that the list may contain reviewers that are not committer, thus are not 963 Note that the list may contain reviewers that are not committer, thus are not
934 considered by the CQ. 964 considered by the CQ.
935 """ 965 """
(...skipping 1261 matching lines...) Expand 10 before | Expand all | Expand 10 after
2197 ('AppEngine is misbehaving and returned HTTP %d, again. Keep faith ' 2227 ('AppEngine is misbehaving and returned HTTP %d, again. Keep faith '
2198 'and retry or visit go/isgaeup.\n%s') % (e.code, str(e))) 2228 'and retry or visit go/isgaeup.\n%s') % (e.code, str(e)))
2199 2229
2200 2230
2201 if __name__ == '__main__': 2231 if __name__ == '__main__':
2202 # These affect sys.stdout so do it outside of main() to simplify mocks in 2232 # These affect sys.stdout so do it outside of main() to simplify mocks in
2203 # unit testing. 2233 # unit testing.
2204 fix_encoding.fix_encoding() 2234 fix_encoding.fix_encoding()
2205 colorama.init() 2235 colorama.init()
2206 sys.exit(main(sys.argv[1:])) 2236 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