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

Side by Side Diff: git_cl.py

Issue 1805193002: git cl: Rework Changelist class for Rietveld/Gerrit use. (Closed) Base URL: https://chromium.googlesource.com/chromium/tools/depot_tools.git@G100
Patch Set: with FetchDescription Created 4 years, 9 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') | tests/git_cl_test.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 # 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 and Gerrit."""
9 9
10 from distutils.version import LooseVersion 10 from distutils.version import LooseVersion
11 from multiprocessing.pool import ThreadPool 11 from multiprocessing.pool import ThreadPool
12 import base64 12 import base64
13 import collections 13 import collections
14 import glob 14 import glob
15 import httplib 15 import httplib
16 import json 16 import json
17 import logging 17 import logging
18 import optparse 18 import optparse
(...skipping 21 matching lines...) Expand all
40 from third_party import colorama 40 from third_party import colorama
41 from third_party import httplib2 41 from third_party import httplib2
42 from third_party import upload 42 from third_party import upload
43 import auth 43 import auth
44 from luci_hacks import trigger_luci_job as luci_trigger 44 from luci_hacks import trigger_luci_job as luci_trigger
45 import clang_format 45 import clang_format
46 import commit_queue 46 import commit_queue
47 import dart_format 47 import dart_format
48 import fix_encoding 48 import fix_encoding
49 import gclient_utils 49 import gclient_utils
50 import gerrit_util
50 import git_cache 51 import git_cache
51 import git_common 52 import git_common
52 import git_footers 53 import git_footers
53 import owners 54 import owners
54 import owners_finder 55 import owners_finder
55 import presubmit_support 56 import presubmit_support
56 import rietveld 57 import rietveld
57 import scm 58 import scm
58 import subcommand 59 import subcommand
59 import subprocess2 60 import subprocess2
(...skipping 89 matching lines...) Expand 10 before | Expand all | Expand 10 after
149 150
150 def ask_for_data(prompt): 151 def ask_for_data(prompt):
151 try: 152 try:
152 return raw_input(prompt) 153 return raw_input(prompt)
153 except KeyboardInterrupt: 154 except KeyboardInterrupt:
154 # Hide the exception. 155 # Hide the exception.
155 sys.exit(1) 156 sys.exit(1)
156 157
157 158
158 def git_set_branch_value(key, value): 159 def git_set_branch_value(key, value):
159 branch = Changelist().GetBranch() 160 branch = GetCurrentBranch()
160 if not branch: 161 if not branch:
161 return 162 return
162 163
163 cmd = ['config'] 164 cmd = ['config']
164 if isinstance(value, int): 165 if isinstance(value, int):
165 cmd.append('--int') 166 cmd.append('--int')
166 git_key = 'branch.%s.%s' % (branch, key) 167 git_key = 'branch.%s.%s' % (branch, key)
167 RunGit(cmd + [git_key, str(value)]) 168 RunGit(cmd + [git_key, str(value)])
168 169
169 170
170 def git_get_branch_default(key, default): 171 def git_get_branch_default(key, default):
171 branch = Changelist().GetBranch() 172 branch = GetCurrentBranch()
172 if branch: 173 if branch:
173 git_key = 'branch.%s.%s' % (branch, key) 174 git_key = 'branch.%s.%s' % (branch, key)
174 (_, stdout) = RunGitWithCode(['config', '--int', '--get', git_key]) 175 (_, stdout) = RunGitWithCode(['config', '--int', '--get', git_key])
175 try: 176 try:
176 return int(stdout.strip()) 177 return int(stdout.strip())
177 except ValueError: 178 except ValueError:
178 pass 179 pass
179 return default 180 return default
180 181
181 182
(...skipping 624 matching lines...) Expand 10 before | Expand all | Expand 10 after
806 def _GetBranchConfig(self, branch_name, param, **kwargs): 807 def _GetBranchConfig(self, branch_name, param, **kwargs):
807 return self._GetConfig('branch.' + branch_name + '.' + param, **kwargs) 808 return self._GetConfig('branch.' + branch_name + '.' + param, **kwargs)
808 809
809 def _GetConfig(self, param, **kwargs): 810 def _GetConfig(self, param, **kwargs):
810 self.LazyUpdateIfNeeded() 811 self.LazyUpdateIfNeeded()
811 return RunGit(['config', param], **kwargs).strip() 812 return RunGit(['config', param], **kwargs).strip()
812 813
813 814
814 def ShortBranchName(branch): 815 def ShortBranchName(branch):
815 """Convert a name like 'refs/heads/foo' to just 'foo'.""" 816 """Convert a name like 'refs/heads/foo' to just 'foo'."""
816 return branch.replace('refs/heads/', '') 817 return branch.replace('refs/heads/', '', 1)
818
819
820 def GetCurrentBranchRef():
821 """Returns branch ref (e.g., refs/heads/master) or None."""
822 return RunGit(['symbolic-ref', 'HEAD'],
823 stderr=subprocess2.VOID, error_ok=True).strip() or None
824
825
826 def GetCurrentBranch():
827 """Returns current branch or None.
828
829 For refs/heads/* branches, returns just last part. For others, full ref.
830 """
831 branchref = GetCurrentBranchRef()
832 if branchref:
833 return ShortBranchName(branchref)
834 return None
817 835
818 836
819 class Changelist(object): 837 class Changelist(object):
820 def __init__(self, branchref=None, issue=None, auth_config=None): 838 """Changelist works with one changelist in local branch.
839
840 Supports two codereview backends: Rietveld or Gerrit, selected at object
841 creation.
842
843 Not safe for concurrent multi-{thread,process} use.
844 """
845
846 def __init__(self, branchref=None, issue=None, codereview=None, **kwargs):
847 """Create a new ChangeList instance.
848
849 If issue is given, the codereview must be given too.
850
851 If `codereview` is given, it must be 'rietveld' or 'gerrit'.
852 Otherwise, it's decided based on current configuration of the local branch,
853 with default being 'rietveld' for backwards compatibility.
854 See _load_codereview_impl for more details.
855
856 **kwargs will be passed directly to codereview implementation.
857 """
821 # Poke settings so we get the "configure your server" message if necessary. 858 # Poke settings so we get the "configure your server" message if necessary.
822 global settings 859 global settings
823 if not settings: 860 if not settings:
824 # Happens when git_cl.py is used as a utility library. 861 # Happens when git_cl.py is used as a utility library.
825 settings = Settings() 862 settings = Settings()
826 settings.GetDefaultServerUrl() 863
864 if issue:
865 assert codereview, 'codereview must be known, if issue is known'
866
827 self.branchref = branchref 867 self.branchref = branchref
828 if self.branchref: 868 if self.branchref:
829 self.branch = ShortBranchName(self.branchref) 869 self.branch = ShortBranchName(self.branchref)
830 else: 870 else:
831 self.branch = None 871 self.branch = None
832 self.rietveld_server = None
833 self.upstream_branch = None 872 self.upstream_branch = None
834 self.lookedup_issue = False 873 self.lookedup_issue = False
835 self.issue = issue or None 874 self.issue = issue or None
836 self.has_description = False 875 self.has_description = False
837 self.description = None 876 self.description = None
838 self.lookedup_patchset = False 877 self.lookedup_patchset = False
839 self.patchset = None 878 self.patchset = None
840 self.cc = None 879 self.cc = None
841 self.watchers = () 880 self.watchers = ()
842 self._auth_config = auth_config
843 self._props = None
844 self._remote = None 881 self._remote = None
845 self._rpc_server = None
846 882
847 @property 883 self._codereview_impl = None
848 def auth_config(self): 884 self._load_codereview_impl(codereview, **kwargs)
849 return self._auth_config 885
886 def _load_codereview_impl(self, codereview=None, **kwargs):
887 if codereview:
888 codereview = codereview.lower()
889 if codereview == 'gerrit':
890 self._codereview_impl = _GerritChangelistImpl(self)
891 elif codereview == 'rietveld':
892 self._codereview_impl = _RietveldChangelistImpl(self, **kwargs)
893 else:
894 assert codereview in ('rietveld', 'gerrit')
895 return
896
897 # Automatic selection.
898 assert not self.issue
899 # Check if this branch is associated with Rietveld => Rieveld.
900 self._codereview_impl = _RietveldChangelistImpl(self, **kwargs)
901 if self.GetIssue(force_lookup=True):
902 return
903
904 tmp_rietveld = self._codereview_impl # Save Rietveld object.
905
906 # Check if this branch has Gerrit issue associated => Gerrit.
907 self._codereview_impl = _GerritChangelistImpl(self)
908 if self.GetIssue(force_lookup=True):
909 return
910 # If Gerrit is set repo-wide => Gerrit.
911 if settings.GetIsGerrit():
912 return
913
914 self._codereview_impl = tmp_rietveld
915 return
916
850 917
851 def GetCCList(self): 918 def GetCCList(self):
852 """Return the users cc'd on this CL. 919 """Return the users cc'd on this CL.
853 920
854 Return is a string suitable for passing to gcl with the --cc flag. 921 Return is a string suitable for passing to gcl with the --cc flag.
855 """ 922 """
856 if self.cc is None: 923 if self.cc is None:
857 base_cc = settings.GetDefaultCCList() 924 base_cc = settings.GetDefaultCCList()
858 more_cc = ','.join(self.watchers) 925 more_cc = ','.join(self.watchers)
859 self.cc = ','.join(filter(None, (base_cc, more_cc))) or '' 926 self.cc = ','.join(filter(None, (base_cc, more_cc))) or ''
860 return self.cc 927 return self.cc
861 928
862 def GetCCListWithoutDefault(self): 929 def GetCCListWithoutDefault(self):
863 """Return the users cc'd on this CL excluding default ones.""" 930 """Return the users cc'd on this CL excluding default ones."""
864 if self.cc is None: 931 if self.cc is None:
865 self.cc = ','.join(self.watchers) 932 self.cc = ','.join(self.watchers)
866 return self.cc 933 return self.cc
867 934
868 def SetWatchers(self, watchers): 935 def SetWatchers(self, watchers):
869 """Set the list of email addresses that should be cc'd based on the changed 936 """Set the list of email addresses that should be cc'd based on the changed
870 files in this CL. 937 files in this CL.
871 """ 938 """
872 self.watchers = watchers 939 self.watchers = watchers
873 940
874 def GetBranch(self): 941 def GetBranch(self):
875 """Returns the short branch name, e.g. 'master'.""" 942 """Returns the short branch name, e.g. 'master'."""
876 if not self.branch: 943 if not self.branch:
877 branchref = RunGit(['symbolic-ref', 'HEAD'], 944 branchref = GetCurrentBranchRef()
878 stderr=subprocess2.VOID, error_ok=True).strip()
879 if not branchref: 945 if not branchref:
880 return None 946 return None
881 self.branchref = branchref 947 self.branchref = branchref
882 self.branch = ShortBranchName(self.branchref) 948 self.branch = ShortBranchName(self.branchref)
883 return self.branch 949 return self.branch
884 950
885 def GetBranchRef(self): 951 def GetBranchRef(self):
886 """Returns the full branch name, e.g. 'refs/heads/master'.""" 952 """Returns the full branch name, e.g. 'refs/heads/master'."""
887 self.GetBranch() # Poke the lazy loader. 953 self.GetBranch() # Poke the lazy loader.
888 return self.branchref 954 return self.branchref
(...skipping 23 matching lines...) Expand all
912 if 'origin/master' in remote_branches: 978 if 'origin/master' in remote_branches:
913 # Fall back on origin/master if it exits. 979 # Fall back on origin/master if it exits.
914 remote = 'origin' 980 remote = 'origin'
915 upstream_branch = 'refs/heads/master' 981 upstream_branch = 'refs/heads/master'
916 elif 'origin/trunk' in remote_branches: 982 elif 'origin/trunk' in remote_branches:
917 # Fall back on origin/trunk if it exists. Generally a shared 983 # Fall back on origin/trunk if it exists. Generally a shared
918 # git-svn clone 984 # git-svn clone
919 remote = 'origin' 985 remote = 'origin'
920 upstream_branch = 'refs/heads/trunk' 986 upstream_branch = 'refs/heads/trunk'
921 else: 987 else:
922 DieWithError("""Unable to determine default branch to diff against. 988 DieWithError(
923 Either pass complete "git diff"-style arguments, like 989 'Unable to determine default branch to diff against.\n'
924 git cl upload origin/master 990 'Either pass complete "git diff"-style arguments, like\n'
925 or verify this branch is set up to track another (via the --track argument to 991 ' git cl upload origin/master\n'
926 "git checkout -b ...").""") 992 'or verify this branch is set up to track another \n'
993 '(via the --track argument to "git checkout -b ...").')
927 994
928 return remote, upstream_branch 995 return remote, upstream_branch
929 996
930 def GetCommonAncestorWithUpstream(self): 997 def GetCommonAncestorWithUpstream(self):
931 upstream_branch = self.GetUpstreamBranch() 998 upstream_branch = self.GetUpstreamBranch()
932 if not BranchExists(upstream_branch): 999 if not BranchExists(upstream_branch):
933 DieWithError('The upstream for the current branch (%s) does not exist ' 1000 DieWithError('The upstream for the current branch (%s) does not exist '
934 'anymore.\nPlease fix it and try again.' % self.GetBranch()) 1001 'anymore.\nPlease fix it and try again.' % self.GetBranch())
935 return git_common.get_or_create_merge_base(self.GetBranch(), 1002 return git_common.get_or_create_merge_base(self.GetBranch(),
936 upstream_branch) 1003 upstream_branch)
(...skipping 118 matching lines...) Expand 10 before | Expand all | Expand 10 after
1055 remote, _ = self.GetRemoteBranch() 1122 remote, _ = self.GetRemoteBranch()
1056 url = RunGit(['config', 'remote.%s.url' % remote], error_ok=True).strip() 1123 url = RunGit(['config', 'remote.%s.url' % remote], error_ok=True).strip()
1057 1124
1058 # If URL is pointing to a local directory, it is probably a git cache. 1125 # If URL is pointing to a local directory, it is probably a git cache.
1059 if os.path.isdir(url): 1126 if os.path.isdir(url):
1060 url = RunGit(['config', 'remote.%s.url' % remote], 1127 url = RunGit(['config', 'remote.%s.url' % remote],
1061 error_ok=True, 1128 error_ok=True,
1062 cwd=url).strip() 1129 cwd=url).strip()
1063 return url 1130 return url
1064 1131
1065 def GetIssue(self): 1132 def GetIssue(self, force_lookup=False):
1066 """Returns the issue number as a int or None if not set.""" 1133 """Returns the issue number as a int or None if not set."""
1067 if self.issue is None and not self.lookedup_issue: 1134 if force_lookup or (self.issue is None and not self.lookedup_issue):
1068 issue = RunGit(['config', self._IssueSetting()], error_ok=True).strip() 1135 issue = RunGit(['config', self._codereview_impl.IssueSetting()],
1136 error_ok=True).strip()
1069 self.issue = int(issue) or None if issue else None 1137 self.issue = int(issue) or None if issue else None
1070 self.lookedup_issue = True 1138 self.lookedup_issue = True
1071 return self.issue 1139 return self.issue
1072 1140
1073 def GetRietveldServer(self):
1074 if not self.rietveld_server:
1075 # If we're on a branch then get the server potentially associated
1076 # with that branch.
1077 if self.GetIssue():
1078 rietveld_server_config = self._RietveldServer()
1079 if rietveld_server_config:
1080 self.rietveld_server = gclient_utils.UpgradeToHttps(RunGit(
1081 ['config', rietveld_server_config], error_ok=True).strip())
1082 if not self.rietveld_server:
1083 self.rietveld_server = settings.GetDefaultServerUrl()
1084 return self.rietveld_server
1085
1086 def GetGerritServer(self):
1087 # We don't support multiple Gerrit servers, and assume it to be same as
1088 # origin, except with a '-review' suffix for first subdomain.
1089 parts = urlparse.urlparse(self.GetRemoteUrl()).netloc.split('.')
1090 parts[0] = parts[0] + '-review'
1091 return 'https://%s' % '.'.join(parts)
1092
1093 def GetIssueURL(self): 1141 def GetIssueURL(self):
1094 """Get the URL for a particular issue.""" 1142 """Get the URL for a particular issue."""
1095 if not self.GetIssue(): 1143 issue = self.GetIssue()
1144 if not issue:
1096 return None 1145 return None
1097 if settings.GetIsGerrit(): 1146 return '%s/%s' % (self._codereview_impl.GetCodereviewServer(), issue)
1098 return '%s/%s' % (self.GetGerritServer(), self.GetIssue())
1099 return '%s/%s' % (self.GetRietveldServer(), self.GetIssue())
1100 1147
1101 def GetDescription(self, pretty=False): 1148 def GetDescription(self, pretty=False):
1102 if not self.has_description: 1149 if not self.has_description:
1103 if self.GetIssue(): 1150 if self.GetIssue():
1104 issue = self.GetIssue() 1151 self.description = self._codereview_impl.FetchDescription()
1105 try:
1106 self.description = self.RpcServer().get_description(issue).strip()
1107 except urllib2.HTTPError as e:
1108 if e.code == 404:
1109 DieWithError(
1110 ('\nWhile fetching the description for issue %d, received a '
1111 '404 (not found)\n'
1112 'error. It is likely that you deleted this '
1113 'issue on the server. If this is the\n'
1114 'case, please run\n\n'
1115 ' git cl issue 0\n\n'
1116 'to clear the association with the deleted issue. Then run '
1117 'this command again.') % issue)
1118 else:
1119 DieWithError(
1120 '\nFailed to fetch issue description. HTTP error %d' % e.code)
1121 except urllib2.URLError as e:
1122 print >> sys.stderr, (
1123 'Warning: Failed to retrieve CL description due to network '
1124 'failure.')
1125 self.description = ''
1126
1127 self.has_description = True 1152 self.has_description = True
1128 if pretty: 1153 if pretty:
1129 wrapper = textwrap.TextWrapper() 1154 wrapper = textwrap.TextWrapper()
1130 wrapper.initial_indent = wrapper.subsequent_indent = ' ' 1155 wrapper.initial_indent = wrapper.subsequent_indent = ' '
1131 return wrapper.fill(self.description) 1156 return wrapper.fill(self.description)
1132 return self.description 1157 return self.description
1133 1158
1134 def GetPatchset(self): 1159 def GetPatchset(self):
1135 """Returns the patchset number as a int or None if not set.""" 1160 """Returns the patchset number as a int or None if not set."""
1136 if self.patchset is None and not self.lookedup_patchset: 1161 if self.patchset is None and not self.lookedup_patchset:
1137 patchset = RunGit(['config', self._PatchsetSetting()], 1162 patchset = RunGit(['config', self._codereview_impl.PatchsetSetting()],
1138 error_ok=True).strip() 1163 error_ok=True).strip()
1139 self.patchset = int(patchset) or None if patchset else None 1164 self.patchset = int(patchset) or None if patchset else None
1140 self.lookedup_patchset = True 1165 self.lookedup_patchset = True
1141 return self.patchset 1166 return self.patchset
1142 1167
1143 def SetPatchset(self, patchset): 1168 def SetPatchset(self, patchset):
1144 """Set this branch's patchset. If patchset=0, clears the patchset.""" 1169 """Set this branch's patchset. If patchset=0, clears the patchset."""
1170 patchset_setting = self._codereview_impl.PatchsetSetting()
1145 if patchset: 1171 if patchset:
1146 RunGit(['config', self._PatchsetSetting(), str(patchset)]) 1172 RunGit(['config', patchset_setting, str(patchset)])
1147 self.patchset = patchset 1173 self.patchset = patchset
1148 else: 1174 else:
1149 RunGit(['config', '--unset', self._PatchsetSetting()], 1175 RunGit(['config', '--unset', patchset_setting],
1150 stderr=subprocess2.PIPE, error_ok=True) 1176 stderr=subprocess2.PIPE, error_ok=True)
1151 self.patchset = None 1177 self.patchset = None
1152 1178
1153 def GetMostRecentPatchset(self):
1154 return self.GetIssueProperties()['patchsets'][-1]
1155
1156 def GetPatchSetDiff(self, issue, patchset):
1157 return self.RpcServer().get(
1158 '/download/issue%s_%s.diff' % (issue, patchset))
1159
1160 def GetIssueProperties(self):
1161 if self._props is None:
1162 issue = self.GetIssue()
1163 if not issue:
1164 self._props = {}
1165 else:
1166 self._props = self.RpcServer().get_issue_properties(issue, True)
1167 return self._props
1168
1169 def GetApprovingReviewers(self):
1170 return get_approving_reviewers(self.GetIssueProperties())
1171
1172 def AddComment(self, message):
1173 return self.RpcServer().add_comment(self.GetIssue(), message)
1174
1175 def SetIssue(self, issue=None): 1179 def SetIssue(self, issue=None):
1176 """Set this branch's issue. If issue isn't given, clears the issue.""" 1180 """Set this branch's issue. If issue isn't given, clears the issue."""
1181 issue_setting = self._codereview_impl.IssueSetting()
1182 codereview_setting = self._codereview_impl.GetCodereviewServerSetting()
1177 if issue: 1183 if issue:
1178 self.issue = issue 1184 self.issue = issue
1179 RunGit(['config', self._IssueSetting(), str(issue)]) 1185 RunGit(['config', issue_setting, str(issue)])
1180 if not settings.GetIsGerrit() and self.rietveld_server: 1186 if self._codereview_impl.GetCodereviewServer():
1181 RunGit(['config', self._RietveldServer(), self.rietveld_server]) 1187 RunGit(['config', codereview_setting,
1188 self._codereview_impl.GetCodereviewServer()])
1182 else: 1189 else:
1183 current_issue = self.GetIssue() 1190 current_issue = self.GetIssue()
1184 if current_issue: 1191 if current_issue:
1185 RunGit(['config', '--unset', self._IssueSetting()]) 1192 RunGit(['config', '--unset', issue_setting])
1186 self.issue = None 1193 self.issue = None
1187 self.SetPatchset(None) 1194 self.SetPatchset(None)
1188 1195
1189 def GetChange(self, upstream_branch, author): 1196 def GetChange(self, upstream_branch, author):
1190 if not self.GitSanityChecks(upstream_branch): 1197 if not self.GitSanityChecks(upstream_branch):
1191 DieWithError('\nGit sanity check failure') 1198 DieWithError('\nGit sanity check failure')
1192 1199
1193 root = settings.GetRelativeRoot() 1200 root = settings.GetRelativeRoot()
1194 if not root: 1201 if not root:
1195 root = '.' 1202 root = '.'
(...skipping 29 matching lines...) Expand all
1225 return presubmit_support.GitChange( 1232 return presubmit_support.GitChange(
1226 name, 1233 name,
1227 description, 1234 description,
1228 absroot, 1235 absroot,
1229 files, 1236 files,
1230 issue, 1237 issue,
1231 patchset, 1238 patchset,
1232 author, 1239 author,
1233 upstream=upstream_branch) 1240 upstream=upstream_branch)
1234 1241
1242 def UpdateDescription(self, description):
1243 self.description = description
1244 return self._codereview_impl.UpdateDescriptionRemote(description)
1245
1246 def RunHook(self, committing, may_prompt, verbose, change):
1247 """Calls sys.exit() if the hook fails; returns a HookResults otherwise."""
1248 try:
1249 return presubmit_support.DoPresubmitChecks(change, committing,
1250 verbose=verbose, output_stream=sys.stdout, input_stream=sys.stdin,
1251 default_presubmit=None, may_prompt=may_prompt,
1252 rietveld_obj=self._codereview_impl.GetRieveldObjForPresubmit())
1253 except presubmit_support.PresubmitFailure, e:
1254 DieWithError(
1255 ('%s\nMaybe your depot_tools is out of date?\n'
1256 'If all fails, contact maruel@') % e)
1257
1258 def __getattr__(self, attr):
1259 # Forward methods to codereview specific implementation.
1260 return getattr(self._codereview_impl, attr)
1261
1262 def CloseIssue(self):
1263 return self._codereview_impl.CloseIssue()
1264
1265 def GetStatus(self):
1266 return self._codereview_impl.GetStatus()
1267
1268 def GetCodereviewServer(self):
1269 return self._codereview_impl.GetCodereviewServer()
1270
1271 def GetApprovingReviewers(self):
1272 return self._codereview_impl.GetApprovingReviewers()
1273
1274 def GetMostRecentPatchset(self):
1275 return self._codereview_impl.GetMostRecentPatchset()
1276
1277
1278 class _ChangelistCodereviewBase(object):
1279 """Abstract base class encapsulating codereview specifics of a changelist."""
1280 def __init__(self, changelist):
1281 self._changelist = changelist # instance of Changelist
1282
1283 def __getattr__(self, attr):
1284 # Forward methods to changelist.
1285 # TODO(tandrii): maybe clean up _GerritChangelistImpl and
tandrii(chromium) 2016/03/22 17:41:52 sergiyb@ this is the ugly hack that you've missed.
Sergiy Byelozyorov 2016/03/23 10:22:42 I didn't miss it. I saw your comment and decided t
1286 # _RietveldChangelistImpl to avoid this hack?
1287 return getattr(self._changelist, attr)
1288
1235 def GetStatus(self): 1289 def GetStatus(self):
1236 """Apply a rough heuristic to give a simple summary of an issue's review 1290 """Apply a rough heuristic to give a simple summary of an issue's review
1237 or CQ status, assuming adherence to a common workflow. 1291 or CQ status, assuming adherence to a common workflow.
1292
1293 Returns None if no issue for this branch, or specific string keywords.
1294 """
1295 raise NotImplementedError()
1296
1297 def GetCodereviewServer(self):
1298 """Returns server URL without end slash, like "https://codereview.com"."""
1299 raise NotImplementedError()
1300
1301 def FetchDescription(self):
1302 """Fetches and returns description from the codereview server."""
1303 raise NotImplementedError()
1304
1305 def GetCodereviewServerSetting(self):
1306 """Returns git config setting for the codereview server."""
1307 raise NotImplementedError()
1308
1309 def IssueSetting(self):
1310 """Returns name of git config setting which stores issue number."""
1311 raise NotImplementedError()
1312
1313 def PatchsetSetting(self):
1314 """Returns name of git config setting which stores issue number."""
1315 raise NotImplementedError()
1316
1317 def GetRieveldObjForPresubmit(self):
1318 # This is an unfortunate Rietveld-embeddedness in presubmit.
1319 raise NotImplementedError()
1320
1321 def UpdateDescriptionRemote(self, description):
1322 """Update the description on codereview site."""
1323 raise NotImplementedError()
1324
1325 def CloseIssue(self):
1326 """Closes the issue."""
1327 raise NotImplementedError()
1328
1329 def GetApprovingReviewers(self):
1330 """Returns a list of reviewers approving the change.
1331
1332 Note: not necessarily committers.
1333 """
1334 raise NotImplementedError()
1335
1336 def GetMostRecentPatchset(self):
1337 """Returns the most recent patchset number from the codereview site."""
1338 raise NotImplementedError()
1339
1340
1341 class _RietveldChangelistImpl(_ChangelistCodereviewBase):
1342 def __init__(self, changelist, auth_config=None, rietveld_server=None):
1343 super(_RietveldChangelistImpl, self).__init__(changelist)
1344 assert settings
1345 settings.GetDefaultServerUrl()
1346
1347 self._rietveld_server = rietveld_server
1348 self._auth_config = auth_config
1349 self._props = None
1350 self._rpc_server = None
1351
1352 def GetAuthConfig(self):
1353 return self._auth_config
1354
1355 def GetCodereviewServer(self):
1356 if not self._rietveld_server:
1357 # If we're on a branch then get the server potentially associated
1358 # with that branch.
1359 if self.GetIssue():
1360 rietveld_server_setting = self.GetCodereviewServerSetting()
1361 if rietveld_server_setting:
1362 self._rietveld_server = gclient_utils.UpgradeToHttps(RunGit(
1363 ['config', rietveld_server_setting], error_ok=True).strip())
1364 if not self._rietveld_server:
1365 self._rietveld_server = settings.GetDefaultServerUrl()
1366 return self._rietveld_server
1367
1368 def FetchDescription(self):
1369 issue = self.GetIssue()
1370 assert issue
1371 try:
1372 return self.RpcServer().get_description(issue).strip()
1373 except urllib2.HTTPError as e:
1374 if e.code == 404:
1375 DieWithError(
1376 ('\nWhile fetching the description for issue %d, received a '
1377 '404 (not found)\n'
1378 'error. It is likely that you deleted this '
1379 'issue on the server. If this is the\n'
1380 'case, please run\n\n'
1381 ' git cl issue 0\n\n'
1382 'to clear the association with the deleted issue. Then run '
1383 'this command again.') % issue)
1384 else:
1385 DieWithError(
1386 '\nFailed to fetch issue description. HTTP error %d' % e.code)
1387 except urllib2.URLError as e:
1388 print >> sys.stderr, (
1389 'Warning: Failed to retrieve CL description due to network '
1390 'failure.')
1391 return ''
1392
1393 def GetMostRecentPatchset(self):
1394 return self.GetIssueProperties()['patchsets'][-1]
1395
1396 def GetPatchSetDiff(self, issue, patchset):
1397 return self.RpcServer().get(
1398 '/download/issue%s_%s.diff' % (issue, patchset))
1399
1400 def GetIssueProperties(self):
1401 if self._props is None:
1402 issue = self.GetIssue()
1403 if not issue:
1404 self._props = {}
1405 else:
1406 self._props = self.RpcServer().get_issue_properties(issue, True)
1407 return self._props
1408
1409 def GetApprovingReviewers(self):
1410 return get_approving_reviewers(self.GetIssueProperties())
1411
1412 def AddComment(self, message):
1413 return self.RpcServer().add_comment(self.GetIssue(), message)
1414
1415 def GetStatus(self):
1416 """Apply a rough heuristic to give a simple summary of an issue's review
1417 or CQ status, assuming adherence to a common workflow.
1238 1418
1239 Returns None if no issue for this branch, or one of the following keywords: 1419 Returns None if no issue for this branch, or one of the following keywords:
1240 * 'error' - error from review tool (including deleted issues) 1420 * 'error' - error from review tool (including deleted issues)
1241 * 'unsent' - not sent for review 1421 * 'unsent' - not sent for review
1242 * 'waiting' - waiting for review 1422 * 'waiting' - waiting for review
1243 * 'reply' - waiting for owner to reply to review 1423 * 'reply' - waiting for owner to reply to review
1244 * 'lgtm' - LGTM from at least one approved reviewer 1424 * 'lgtm' - LGTM from at least one approved reviewer
1245 * 'commit' - in the commit queue 1425 * 'commit' - in the commit queue
1246 * 'closed' - closed 1426 * 'closed' - closed
1247 """ 1427 """
(...skipping 24 matching lines...) Expand all
1272 messages = props.get('messages') or [] 1452 messages = props.get('messages') or []
1273 1453
1274 if not messages: 1454 if not messages:
1275 # No message was sent. 1455 # No message was sent.
1276 return 'unsent' 1456 return 'unsent'
1277 if messages[-1]['sender'] != props.get('owner_email'): 1457 if messages[-1]['sender'] != props.get('owner_email'):
1278 # Non-LGTM reply from non-owner 1458 # Non-LGTM reply from non-owner
1279 return 'reply' 1459 return 'reply'
1280 return 'waiting' 1460 return 'waiting'
1281 1461
1282 def RunHook(self, committing, may_prompt, verbose, change): 1462 def UpdateDescriptionRemote(self, description):
1283 """Calls sys.exit() if the hook fails; returns a HookResults otherwise."""
1284
1285 try:
1286 return presubmit_support.DoPresubmitChecks(change, committing,
1287 verbose=verbose, output_stream=sys.stdout, input_stream=sys.stdin,
1288 default_presubmit=None, may_prompt=may_prompt,
1289 rietveld_obj=self.RpcServer())
1290 except presubmit_support.PresubmitFailure, e:
1291 DieWithError(
1292 ('%s\nMaybe your depot_tools is out of date?\n'
1293 'If all fails, contact maruel@') % e)
1294
1295 def UpdateDescription(self, description):
1296 self.description = description
1297 return self.RpcServer().update_description( 1463 return self.RpcServer().update_description(
1298 self.GetIssue(), self.description) 1464 self.GetIssue(), self.description)
1299 1465
1300 def CloseIssue(self): 1466 def CloseIssue(self):
1301 """Updates the description and closes the issue."""
1302 return self.RpcServer().close_issue(self.GetIssue()) 1467 return self.RpcServer().close_issue(self.GetIssue())
1303 1468
1304 def SetFlag(self, flag, value): 1469 def SetFlag(self, flag, value):
1305 """Patchset must match.""" 1470 """Patchset must match."""
1306 if not self.GetPatchset(): 1471 if not self.GetPatchset():
1307 DieWithError('The patchset needs to match. Send another patchset.') 1472 DieWithError('The patchset needs to match. Send another patchset.')
1308 try: 1473 try:
1309 return self.RpcServer().set_flag( 1474 return self.RpcServer().set_flag(
1310 self.GetIssue(), self.GetPatchset(), flag, value) 1475 self.GetIssue(), self.GetPatchset(), flag, value)
1311 except urllib2.HTTPError, e: 1476 except urllib2.HTTPError, e:
1312 if e.code == 404: 1477 if e.code == 404:
1313 DieWithError('The issue %s doesn\'t exist.' % self.GetIssue()) 1478 DieWithError('The issue %s doesn\'t exist.' % self.GetIssue())
1314 if e.code == 403: 1479 if e.code == 403:
1315 DieWithError( 1480 DieWithError(
1316 ('Access denied to issue %s. Maybe the patchset %s doesn\'t ' 1481 ('Access denied to issue %s. Maybe the patchset %s doesn\'t '
1317 'match?') % (self.GetIssue(), self.GetPatchset())) 1482 'match?') % (self.GetIssue(), self.GetPatchset()))
1318 raise 1483 raise
1319 1484
1320 def RpcServer(self): 1485 def RpcServer(self):
1321 """Returns an upload.RpcServer() to access this review's rietveld instance. 1486 """Returns an upload.RpcServer() to access this review's rietveld instance.
1322 """ 1487 """
1323 if not self._rpc_server: 1488 if not self._rpc_server:
1324 self._rpc_server = rietveld.CachingRietveld( 1489 self._rpc_server = rietveld.CachingRietveld(
1325 self.GetRietveldServer(), 1490 self.GetCodereviewServer(),
1326 self._auth_config or auth.make_auth_config()) 1491 self._auth_config or auth.make_auth_config())
1327 return self._rpc_server 1492 return self._rpc_server
1328 1493
1329 def _IssueSetting(self): 1494 def IssueSetting(self):
1330 """Return the git setting that stores this change's issue.""" 1495 """Return the git setting that stores this change's issue."""
1331 return 'branch.%s.rietveldissue' % self.GetBranch() 1496 return 'branch.%s.rietveldissue' % self.GetBranch()
1332 1497
1333 def _PatchsetSetting(self): 1498 def PatchsetSetting(self):
1334 """Return the git setting that stores this change's most recent patchset.""" 1499 """Return the git setting that stores this change's most recent patchset."""
1335 return 'branch.%s.rietveldpatchset' % self.GetBranch() 1500 return 'branch.%s.rietveldpatchset' % self.GetBranch()
1336 1501
1337 def _RietveldServer(self): 1502 def GetCodereviewServerSetting(self):
1338 """Returns the git setting that stores this change's rietveld server.""" 1503 """Returns the git setting that stores this change's rietveld server."""
1339 branch = self.GetBranch() 1504 branch = self.GetBranch()
1340 if branch: 1505 if branch:
1341 return 'branch.%s.rietveldserver' % branch 1506 return 'branch.%s.rietveldserver' % branch
1342 return None 1507 return None
1343 1508
1509 def GetRieveldObjForPresubmit(self):
1510 return self.RpcServer()
1511
1512
1513 class _GerritChangelistImpl(_ChangelistCodereviewBase):
1514 def __init__(self, changelist, auth_config=None):
Sergiy Byelozyorov 2016/03/21 17:17:07 please add a comment explaining that auth_config p
tandrii(chromium) 2016/03/22 17:41:53 good point.
1515 super(_GerritChangelistImpl, self).__init__(changelist)
1516 self._change_id = None
1517 self._gerrit_server = None # e.g. https://chromium-review.googlesource.com
1518 self._gerrit_host = None # e.g. chromium-review.googlesource.com
1519
1520 def _GetGerritHost(self):
1521 # Lazy load of configs.
1522 if self.GetCodereviewServer():
Sergiy Byelozyorov 2016/03/21 17:17:07 did you miss 'not' here?
tandrii(chromium) 2016/03/22 17:41:52 yeah, totally buggy. Fixed in next PS.
1523 return
1524 return self._gerrit_host
1525
1526 def GetCodereviewServer(self):
1527 if not self._gerrit_server:
1528 # If we're on a branch then get the server potentially associated
1529 # with that branch.
1530 if self.GetIssue():
Sergiy Byelozyorov 2016/03/21 17:17:07 I think GetIssue is part of the Changelist class,
tandrii(chromium) 2016/03/22 17:41:52 no, because of a __getattr__ in ChangeListImplBase
Sergiy Byelozyorov 2016/03/23 10:22:42 Acknowledged.
1531 gerrit_server_setting = self.GetCodereviewServerSetting()
1532 if gerrit_server_setting:
1533 self._gerrit_server = RunGit(['config', gerrit_server_setting],
1534 error_ok=True).strip()
1535 if self._gerrit_server:
1536 self._gerrit_host = urlparse.urlparse(self._gerrit_server).netloc
1537 if not self._gerrit_server:
1538 # We assume repo to be hosted on Gerrit, and hence Gerrit server
1539 # has "-review" suffix for lowest level subdomain.
1540 parts = urlparse.urlparse(self.GetRemoteUrl()).netloc.split('.')
Sergiy Byelozyorov 2016/03/21 17:17:07 ditto for GetRemoteUrl...
tandrii(chromium) 2016/03/22 17:41:52 ditto.
Sergiy Byelozyorov 2016/03/23 10:22:42 Acknowledged.
1541 parts[0] = parts[0] + '-review'
1542 self._gerrit_host = '.'.join(parts)
1543 self._gerrit_server = 'https://%s' % self._gerrit_host
1544 return self._gerrit_server
1545
1546 def IssueSetting(self):
1547 """Return the git setting that stores this change's issue."""
1548 return 'branch.%s.gerritissue' % self.GetBranch()
1549
1550 def PatchsetSetting(self):
1551 """Return the git setting that stores this change's most recent patchset."""
1552 return 'branch.%s.gerritpatchset' % self.GetBranch()
1553
1554 def GetCodereviewServerSetting(self):
1555 """Returns the git setting that stores this change's Gerrit server."""
1556 branch = self.GetBranch()
1557 if branch:
1558 return 'branch.%s.gerritserver' % branch
1559 return None
1560
1561 def GetRieveldObjForPresubmit(self):
1562 class ThisIsNotRietveldIssue(object):
1563 def __getattr__(self, attr):
1564 def handler(*_, **__):
1565 print('You aren\'t using Rietveld at the moment, but Gerrit.\n'
1566 'Using Rietveld in your PRESUBMIT scripts won\'t work.\n'
1567 'Either change your PRESUBIT to not use rietveld_obj.%s,\n'
Sergiy Byelozyorov 2016/03/21 17:17:07 nit: please add 'Please' in the beginning of the s
tandrii(chromium) 2016/03/22 17:41:52 Done.
1568 'or use Rietveld for codereview.\n' % attr)
1569 raise NotImplementedError()
1570 return handler
1571 return ThisIsNotRietveldIssue()
1572
1573 def GetStatus(self):
1574 # TODO(tandrii)
1575 raise NotImplementedError()
1576
1577 def FetchDescription(self):
1578 data = gerrit_util.GetChangeDetail(self._GetGerritHost(), self.GetIssue(),
1579 ['COMMIT_FOOTERS', 'CURRENT_REVISION'])
1580 return data['revisions'][data['current_revision']]['commit_with_footers']
1581
1582 def UpdateDescriptionRemote(self, description):
1583 # TODO(tandrii)
1584 raise NotImplementedError()
1585
1586 def CloseIssue(self):
1587 # TODO(tandrii)
1588 raise NotImplementedError()
1589
1344 1590
1345 class ChangeDescription(object): 1591 class ChangeDescription(object):
1346 """Contains a parsed form of the change description.""" 1592 """Contains a parsed form of the change description."""
1347 R_LINE = r'^[ \t]*(TBR|R)[ \t]*=[ \t]*(.*?)[ \t]*$' 1593 R_LINE = r'^[ \t]*(TBR|R)[ \t]*=[ \t]*(.*?)[ \t]*$'
1348 BUG_LINE = r'^[ \t]*(BUG)[ \t]*=[ \t]*(.*?)[ \t]*$' 1594 BUG_LINE = r'^[ \t]*(BUG)[ \t]*=[ \t]*(.*?)[ \t]*$'
1349 1595
1350 def __init__(self, description): 1596 def __init__(self, description):
1351 self._description_lines = (description or '').strip().splitlines() 1597 self._description_lines = (description or '').strip().splitlines()
1352 1598
1353 @property # www.logilab.org/ticket/89786 1599 @property # www.logilab.org/ticket/89786
(...skipping 525 matching lines...) Expand 10 before | Expand all | Expand 10 after
1879 return 0 2125 return 0
1880 2126
1881 branches = RunGit(['for-each-ref', '--format=%(refname)', 'refs/heads']) 2127 branches = RunGit(['for-each-ref', '--format=%(refname)', 'refs/heads'])
1882 if not branches: 2128 if not branches:
1883 print('No local branch found.') 2129 print('No local branch found.')
1884 return 0 2130 return 0
1885 2131
1886 changes = ( 2132 changes = (
1887 Changelist(branchref=b, auth_config=auth_config) 2133 Changelist(branchref=b, auth_config=auth_config)
1888 for b in branches.splitlines()) 2134 for b in branches.splitlines())
2135 # TODO(tandrii): refactor to use CLs list instead of branches list.
1889 branches = [c.GetBranch() for c in changes] 2136 branches = [c.GetBranch() for c in changes]
1890 alignment = max(5, max(len(b) for b in branches)) 2137 alignment = max(5, max(len(b) for b in branches))
1891 print 'Branches associated with reviews:' 2138 print 'Branches associated with reviews:'
1892 output = get_cl_statuses(branches, 2139 output = get_cl_statuses(branches,
1893 fine_grained=not options.fast, 2140 fine_grained=not options.fast,
1894 max_processes=options.maxjobs, 2141 max_processes=options.maxjobs,
1895 auth_config=auth_config) 2142 auth_config=auth_config)
1896 2143
1897 branch_statuses = {} 2144 branch_statuses = {}
1898 alignment = max(5, max(len(ShortBranchName(b)) for b in branches)) 2145 alignment = max(5, max(len(ShortBranchName(b)) for b in branches))
(...skipping 95 matching lines...) Expand 10 before | Expand all | Expand 10 after
1994 options, args = parser.parse_args(args) 2241 options, args = parser.parse_args(args)
1995 auth_config = auth.extract_auth_config_from_options(options) 2242 auth_config = auth.extract_auth_config_from_options(options)
1996 2243
1997 issue = None 2244 issue = None
1998 if options.issue: 2245 if options.issue:
1999 try: 2246 try:
2000 issue = int(options.issue) 2247 issue = int(options.issue)
2001 except ValueError: 2248 except ValueError:
2002 DieWithError('A review issue id is expected to be a number') 2249 DieWithError('A review issue id is expected to be a number')
2003 2250
2004 cl = Changelist(issue=issue, auth_config=auth_config) 2251 cl = Changelist(issue=issue, codereview='rietveld', auth_config=auth_config)
2005 2252
2006 if options.comment: 2253 if options.comment:
2007 cl.AddComment(options.comment) 2254 cl.AddComment(options.comment)
2008 return 0 2255 return 0
2009 2256
2010 data = cl.GetIssueProperties() 2257 data = cl.GetIssueProperties()
2011 summary = [] 2258 summary = []
2012 for message in sorted(data.get('messages', []), key=lambda x: x['date']): 2259 for message in sorted(data.get('messages', []), key=lambda x: x['date']):
2013 summary.append({ 2260 summary.append({
2014 'date': message['date'], 2261 'date': message['date'],
(...skipping 358 matching lines...) Expand 10 before | Expand all | Expand 10 after
2373 remote_branch = remote_branch.replace('refs/remotes/', 'refs/') 2620 remote_branch = remote_branch.replace('refs/remotes/', 'refs/')
2374 # If a pending prefix exists then replace refs/ with it. 2621 # If a pending prefix exists then replace refs/ with it.
2375 if pending_prefix: 2622 if pending_prefix:
2376 remote_branch = remote_branch.replace('refs/', pending_prefix) 2623 remote_branch = remote_branch.replace('refs/', pending_prefix)
2377 return remote_branch 2624 return remote_branch
2378 2625
2379 2626
2380 def RietveldUpload(options, args, cl, change): 2627 def RietveldUpload(options, args, cl, change):
2381 """upload the patch to rietveld.""" 2628 """upload the patch to rietveld."""
2382 upload_args = ['--assume_yes'] # Don't ask about untracked files. 2629 upload_args = ['--assume_yes'] # Don't ask about untracked files.
2383 upload_args.extend(['--server', cl.GetRietveldServer()]) 2630 upload_args.extend(['--server', cl.GetCodereviewServer()])
2384 upload_args.extend(auth.auth_config_to_command_options(cl.auth_config)) 2631 upload_args.extend(auth.auth_config_to_command_options(
2632 cl._codereview_impl.GetAuthConfig()))
2385 if options.emulate_svn_auto_props: 2633 if options.emulate_svn_auto_props:
2386 upload_args.append('--emulate_svn_auto_props') 2634 upload_args.append('--emulate_svn_auto_props')
2387 2635
2388 change_desc = None 2636 change_desc = None
2389 2637
2390 if options.email is not None: 2638 if options.email is not None:
2391 upload_args.extend(['--email', options.email]) 2639 upload_args.extend(['--email', options.email])
2392 2640
2393 if cl.GetIssue(): 2641 if cl.GetIssue():
2394 if options.title: 2642 if options.title:
(...skipping 222 matching lines...) Expand 10 before | Expand all | Expand 10 after
2617 2865
2618 # Default to diffing against common ancestor of upstream branch 2866 # Default to diffing against common ancestor of upstream branch
2619 base_branch = cl.GetCommonAncestorWithUpstream() 2867 base_branch = cl.GetCommonAncestorWithUpstream()
2620 args = [base_branch, 'HEAD'] 2868 args = [base_branch, 'HEAD']
2621 2869
2622 # Make sure authenticated to Rietveld before running expensive hooks. It is 2870 # Make sure authenticated to Rietveld before running expensive hooks. It is
2623 # a fast, best efforts check. Rietveld still can reject the authentication 2871 # a fast, best efforts check. Rietveld still can reject the authentication
2624 # during the actual upload. 2872 # during the actual upload.
2625 if not settings.GetIsGerrit() and auth_config.use_oauth2: 2873 if not settings.GetIsGerrit() and auth_config.use_oauth2:
2626 authenticator = auth.get_authenticator_for_host( 2874 authenticator = auth.get_authenticator_for_host(
2627 cl.GetRietveldServer(), auth_config) 2875 cl.GetCodereviewServer(), auth_config)
2628 if not authenticator.has_cached_credentials(): 2876 if not authenticator.has_cached_credentials():
2629 raise auth.LoginRequiredError(cl.GetRietveldServer()) 2877 raise auth.LoginRequiredError(cl.GetCodereviewServer())
2630 2878
2631 # Apply watchlists on upload. 2879 # Apply watchlists on upload.
2632 change = cl.GetChange(base_branch, None) 2880 change = cl.GetChange(base_branch, None)
2633 watchlist = watchlists.Watchlists(change.RepositoryRoot()) 2881 watchlist = watchlists.Watchlists(change.RepositoryRoot())
2634 files = [f.LocalPath() for f in change.AffectedFiles()] 2882 files = [f.LocalPath() for f in change.AffectedFiles()]
2635 if not options.bypass_watchlists: 2883 if not options.bypass_watchlists:
2636 cl.SetWatchers(watchlist.GetWatchersForPaths(files)) 2884 cl.SetWatchers(watchlist.GetWatchersForPaths(files))
2637 2885
2638 if not options.bypass_hooks: 2886 if not options.bypass_hooks:
2639 if options.reviewers or options.tbr_owners: 2887 if options.reviewers or options.tbr_owners:
(...skipping 573 matching lines...) Expand 10 before | Expand all | Expand 10 after
3213 return PatchIssue(issue_arg, options.reject, options.nocommit, 3461 return PatchIssue(issue_arg, options.reject, options.nocommit,
3214 options.directory, auth_config) 3462 options.directory, auth_config)
3215 3463
3216 3464
3217 def PatchIssue(issue_arg, reject, nocommit, directory, auth_config): 3465 def PatchIssue(issue_arg, reject, nocommit, directory, auth_config):
3218 # PatchIssue should never be called with a dirty tree. It is up to the 3466 # PatchIssue should never be called with a dirty tree. It is up to the
3219 # caller to check this, but just in case we assert here since the 3467 # caller to check this, but just in case we assert here since the
3220 # consequences of the caller not checking this could be dire. 3468 # consequences of the caller not checking this could be dire.
3221 assert(not git_common.is_dirty_git_tree('apply')) 3469 assert(not git_common.is_dirty_git_tree('apply'))
3222 3470
3471 # TODO(tandrii): implement for Gerrit.
3223 if type(issue_arg) is int or issue_arg.isdigit(): 3472 if type(issue_arg) is int or issue_arg.isdigit():
3224 # Input is an issue id. Figure out the URL. 3473 # Input is an issue id. Figure out the URL.
3225 issue = int(issue_arg) 3474 issue = int(issue_arg)
3226 cl = Changelist(issue=issue, auth_config=auth_config) 3475 cl = Changelist(issue=issue, codereview='rietveld', auth_config=auth_config)
3227 patchset = cl.GetMostRecentPatchset() 3476 patchset = cl.GetMostRecentPatchset()
3228 patch_data = cl.GetPatchSetDiff(issue, patchset) 3477 patch_data = cl._codereview_impl.GetPatchSetDiff(issue, patchset)
3229 else: 3478 else:
3230 # Assume it's a URL to the patch. Default to https. 3479 # Assume it's a URL to the patch. Default to https.
3231 issue_url = gclient_utils.UpgradeToHttps(issue_arg) 3480 issue_url = gclient_utils.UpgradeToHttps(issue_arg)
3232 match = re.match(r'(.*?)/download/issue(\d+)_(\d+).diff', issue_url) 3481 match = re.match(r'(.*?)/download/issue(\d+)_(\d+).diff', issue_url)
3233 if not match: 3482 if not match:
3234 DieWithError('Must pass an issue ID or full URL for ' 3483 DieWithError('Must pass an issue ID or full URL for '
3235 '\'Download raw patch set\'') 3484 '\'Download raw patch set\'')
3236 issue = int(match.group(2)) 3485 issue = int(match.group(2))
3237 cl = Changelist(issue=issue, auth_config=auth_config) 3486 cl = Changelist(issue=issue, codereview='rietveld',
3238 cl.rietveld_server = match.group(1) 3487 rietvled_server=match.group(1), auth_config=auth_config)
3239 patchset = int(match.group(3)) 3488 patchset = int(match.group(3))
3240 patch_data = urllib2.urlopen(issue_arg).read() 3489 patch_data = urllib2.urlopen(issue_arg).read()
3241 3490
3242 # Switch up to the top-level directory, if necessary, in preparation for 3491 # Switch up to the top-level directory, if necessary, in preparation for
3243 # applying the patch. 3492 # applying the patch.
3244 top = settings.GetRelativeRoot() 3493 top = settings.GetRelativeRoot()
3245 if top: 3494 if top:
3246 os.chdir(top) 3495 os.chdir(top)
3247 3496
3248 # Git patches have a/ at the beginning of source paths. We strip that out 3497 # Git patches have a/ at the beginning of source paths. We strip that out
(...skipping 23 matching lines...) Expand all
3272 except subprocess2.CalledProcessError: 3521 except subprocess2.CalledProcessError:
3273 print 'Failed to apply the patch' 3522 print 'Failed to apply the patch'
3274 return 1 3523 return 1
3275 3524
3276 # If we had an issue, commit the current state and register the issue. 3525 # If we had an issue, commit the current state and register the issue.
3277 if not nocommit: 3526 if not nocommit:
3278 RunGit(['commit', '-m', (cl.GetDescription() + '\n\n' + 3527 RunGit(['commit', '-m', (cl.GetDescription() + '\n\n' +
3279 'patch from issue %(i)s at patchset ' 3528 'patch from issue %(i)s at patchset '
3280 '%(p)s (http://crrev.com/%(i)s#ps%(p)s)' 3529 '%(p)s (http://crrev.com/%(i)s#ps%(p)s)'
3281 % {'i': issue, 'p': patchset})]) 3530 % {'i': issue, 'p': patchset})])
3282 cl = Changelist(auth_config=auth_config) 3531 cl = Changelist(codereview='rietveld', auth_config=auth_config,
3532 rietveld_server=cl.GetCodereviewServer())
3283 cl.SetIssue(issue) 3533 cl.SetIssue(issue)
3284 cl.SetPatchset(patchset) 3534 cl.SetPatchset(patchset)
3285 print "Committed patch locally." 3535 print "Committed patch locally."
3286 else: 3536 else:
3287 print "Patch applied to index." 3537 print "Patch applied to index."
3288 return 0 3538 return 0
3289 3539
3290 3540
3291 def CMDrebase(parser, args): 3541 def CMDrebase(parser, args):
3292 """Rebases current branch on top of svn repo.""" 3542 """Rebases current branch on top of svn repo."""
(...skipping 714 matching lines...) Expand 10 before | Expand all | Expand 10 after
4007 if __name__ == '__main__': 4257 if __name__ == '__main__':
4008 # These affect sys.stdout so do it outside of main() to simplify mocks in 4258 # These affect sys.stdout so do it outside of main() to simplify mocks in
4009 # unit testing. 4259 # unit testing.
4010 fix_encoding.fix_encoding() 4260 fix_encoding.fix_encoding()
4011 colorama.init() 4261 colorama.init()
4012 try: 4262 try:
4013 sys.exit(main(sys.argv[1:])) 4263 sys.exit(main(sys.argv[1:]))
4014 except KeyboardInterrupt: 4264 except KeyboardInterrupt:
4015 sys.stderr.write('interrupted\n') 4265 sys.stderr.write('interrupted\n')
4016 sys.exit(1) 4266 sys.exit(1)
OLDNEW
« no previous file with comments | « no previous file | tests/git_cl_test.py » ('j') | tests/git_cl_test.py » ('J')

Powered by Google App Engine
This is Rietveld 408576698