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

Side by Side Diff: scm.py

Issue 554146: Change CheckCall behavior when print_error=False (Closed)
Patch Set: Created 10 years, 10 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
OLDNEW
1 # Copyright (c) 2006-2009 The Chromium Authors. All rights reserved. 1 # Copyright (c) 2006-2009 The Chromium Authors. All rights reserved.
2 # Use of this source code is governed by a BSD-style license that can be 2 # Use of this source code is governed by a BSD-style license that can be
3 # found in the LICENSE file. 3 # found in the LICENSE file.
4 4
5 """SCM-specific utility classes.""" 5 """SCM-specific utility classes."""
6 6
7 import glob 7 import glob
8 import os 8 import os
9 import re 9 import re
10 import shutil 10 import shutil
(...skipping 60 matching lines...) Expand 10 before | Expand all | Expand 10 after
71 71
72 Returns an array of (status, file) tuples.""" 72 Returns an array of (status, file) tuples."""
73 command = ["diff", "--name-status", "-r", "%s.." % upstream_branch] 73 command = ["diff", "--name-status", "-r", "%s.." % upstream_branch]
74 if not files: 74 if not files:
75 pass 75 pass
76 elif isinstance(files, basestring): 76 elif isinstance(files, basestring):
77 command.append(files) 77 command.append(files)
78 else: 78 else:
79 command.extend(files) 79 command.extend(files)
80 80
81 status = GIT.Capture(command).rstrip() 81 status = GIT.Capture(command)[0].rstrip()
82 results = [] 82 results = []
83 if status: 83 if status:
84 for statusline in status.split('\n'): 84 for statusline in status.split('\n'):
85 m = re.match('^(\w)\t(.+)$', statusline) 85 m = re.match('^(\w)\t(.+)$', statusline)
86 if not m: 86 if not m:
87 raise Exception("status currently unsupported: %s" % statusline) 87 raise Exception("status currently unsupported: %s" % statusline)
88 results.append(('%s ' % m.group(1), m.group(2))) 88 results.append(('%s ' % m.group(1), m.group(2)))
89 return results 89 return results
90 90
91 @staticmethod 91 @staticmethod
(...skipping 27 matching lines...) Expand all
119 print_messages, 119 print_messages,
120 print_stdout, 120 print_stdout,
121 filter=filter) 121 filter=filter)
122 122
123 @staticmethod 123 @staticmethod
124 def GetEmail(repo_root): 124 def GetEmail(repo_root):
125 """Retrieves the user email address if known.""" 125 """Retrieves the user email address if known."""
126 # We could want to look at the svn cred when it has a svn remote but it 126 # We could want to look at the svn cred when it has a svn remote but it
127 # should be fine for now, users should simply configure their git settings. 127 # should be fine for now, users should simply configure their git settings.
128 return GIT.Capture(['config', 'user.email'], 128 return GIT.Capture(['config', 'user.email'],
129 repo_root, error_ok=True).strip() 129 repo_root, error_ok=True)[0].strip()
130 130
131 @staticmethod 131 @staticmethod
132 def ShortBranchName(branch): 132 def ShortBranchName(branch):
133 """Converts a name like 'refs/heads/foo' to just 'foo'.""" 133 """Converts a name like 'refs/heads/foo' to just 'foo'."""
134 return branch.replace('refs/heads/', '') 134 return branch.replace('refs/heads/', '')
135 135
136 @staticmethod 136 @staticmethod
137 def GetBranchRef(cwd): 137 def GetBranchRef(cwd):
138 """Returns the full branch reference, e.g. 'refs/heads/master'.""" 138 """Returns the full branch reference, e.g. 'refs/heads/master'."""
139 return GIT.Capture(['symbolic-ref', 'HEAD'], cwd).strip() 139 return GIT.Capture(['symbolic-ref', 'HEAD'], cwd)[0].strip()
140 140
141 @staticmethod 141 @staticmethod
142 def GetBranch(cwd): 142 def GetBranch(cwd):
143 """Returns the short branch name, e.g. 'master'.""" 143 """Returns the short branch name, e.g. 'master'."""
144 return GIT.ShortBranchName(GIT.GetBranchRef(cwd)) 144 return GIT.ShortBranchName(GIT.GetBranchRef(cwd))
145 145
146 @staticmethod 146 @staticmethod
147 def IsGitSvn(cwd): 147 def IsGitSvn(cwd):
148 """Returns true if this repo looks like it's using git-svn.""" 148 """Returns true if this repo looks like it's using git-svn."""
149 # If you have any "svn-remote.*" config keys, we think you're using svn. 149 # If you have any "svn-remote.*" config keys, we think you're using svn.
(...skipping 10 matching lines...) Expand all
160 # Strategy: 160 # Strategy:
161 # 1) find all git-svn branches and note their svn URLs. 161 # 1) find all git-svn branches and note their svn URLs.
162 # 2) iterate through our branch history and match up the URLs. 162 # 2) iterate through our branch history and match up the URLs.
163 163
164 # regexp matching the git-svn line that contains the URL. 164 # regexp matching the git-svn line that contains the URL.
165 git_svn_re = re.compile(r'^\s*git-svn-id: (\S+)@', re.MULTILINE) 165 git_svn_re = re.compile(r'^\s*git-svn-id: (\S+)@', re.MULTILINE)
166 166
167 # Get the refname and svn url for all refs/remotes/*. 167 # Get the refname and svn url for all refs/remotes/*.
168 remotes = GIT.Capture( 168 remotes = GIT.Capture(
169 ['for-each-ref', '--format=%(refname)', 'refs/remotes'], 169 ['for-each-ref', '--format=%(refname)', 'refs/remotes'],
170 cwd).splitlines() 170 cwd)[0].splitlines()
171 svn_refs = {} 171 svn_refs = {}
172 for ref in remotes: 172 for ref in remotes:
173 match = git_svn_re.search( 173 match = git_svn_re.search(
174 GIT.Capture(['cat-file', '-p', ref], cwd)) 174 GIT.Capture(['cat-file', '-p', ref], cwd)[0])
175 if match: 175 if match:
176 svn_refs[match.group(1)] = ref 176 svn_refs[match.group(1)] = ref
177 177
178 svn_branch = '' 178 svn_branch = ''
179 if len(svn_refs) == 1: 179 if len(svn_refs) == 1:
180 # Only one svn branch exists -- seems like a good candidate. 180 # Only one svn branch exists -- seems like a good candidate.
181 svn_branch = svn_refs.values()[0] 181 svn_branch = svn_refs.values()[0]
182 elif len(svn_refs) > 1: 182 elif len(svn_refs) > 1:
183 # We have more than one remote branch available. We don't 183 # We have more than one remote branch available. We don't
184 # want to go through all of history, so read a line from the 184 # want to go through all of history, so read a line from the
(...skipping 13 matching lines...) Expand all
198 198
199 @staticmethod 199 @staticmethod
200 def FetchUpstreamTuple(cwd): 200 def FetchUpstreamTuple(cwd):
201 """Returns a tuple containg remote and remote ref, 201 """Returns a tuple containg remote and remote ref,
202 e.g. 'origin', 'refs/heads/master' 202 e.g. 'origin', 'refs/heads/master'
203 """ 203 """
204 remote = '.' 204 remote = '.'
205 branch = GIT.GetBranch(cwd) 205 branch = GIT.GetBranch(cwd)
206 upstream_branch = None 206 upstream_branch = None
207 upstream_branch = GIT.Capture( 207 upstream_branch = GIT.Capture(
208 ['config', 'branch.%s.merge' % branch], error_ok=True).strip() 208 ['config', 'branch.%s.merge' % branch], error_ok=True)[0].strip()
209 if upstream_branch: 209 if upstream_branch:
210 remote = GIT.Capture( 210 remote = GIT.Capture(
211 ['config', 'branch.%s.remote' % branch], 211 ['config', 'branch.%s.remote' % branch],
212 error_ok=True).strip() 212 error_ok=True)[0].strip()
213 else: 213 else:
214 # Fall back on trying a git-svn upstream branch. 214 # Fall back on trying a git-svn upstream branch.
215 if GIT.IsGitSvn(cwd): 215 if GIT.IsGitSvn(cwd):
216 upstream_branch = GIT.GetSVNBranch(cwd) 216 upstream_branch = GIT.GetSVNBranch(cwd)
217 # Fall back on origin/master if it exits. 217 # Fall back on origin/master if it exits.
218 if not upstream_branch: 218 if not upstream_branch:
219 GIT.Capture(['branch', '-r']).split().count('origin/master') 219 GIT.Capture(['branch', '-r'])[0].split().count('origin/master')
220 remote = 'origin' 220 remote = 'origin'
221 upstream_branch = 'refs/heads/master' 221 upstream_branch = 'refs/heads/master'
222 return remote, upstream_branch 222 return remote, upstream_branch
223 223
224 @staticmethod 224 @staticmethod
225 def GetUpstream(cwd): 225 def GetUpstream(cwd):
226 """Gets the current branch's upstream branch.""" 226 """Gets the current branch's upstream branch."""
227 remote, upstream_branch = GIT.FetchUpstreamTuple(cwd) 227 remote, upstream_branch = GIT.FetchUpstreamTuple(cwd)
228 if remote is not '.': 228 if remote is not '.':
229 upstream_branch = upstream_branch.replace('heads', 'remotes/' + remote) 229 upstream_branch = upstream_branch.replace('heads', 'remotes/' + remote)
230 return upstream_branch 230 return upstream_branch
231 231
232 @staticmethod 232 @staticmethod
233 def GenerateDiff(cwd, branch=None, branch_head='HEAD', full_move=False, 233 def GenerateDiff(cwd, branch=None, branch_head='HEAD', full_move=False,
234 files=None): 234 files=None):
235 """Diffs against the upstream branch or optionally another branch. 235 """Diffs against the upstream branch or optionally another branch.
236 236
237 full_move means that move or copy operations should completely recreate the 237 full_move means that move or copy operations should completely recreate the
238 files, usually in the prospect to apply the patch for a try job.""" 238 files, usually in the prospect to apply the patch for a try job."""
239 if not branch: 239 if not branch:
240 branch = GIT.GetUpstream(cwd) 240 branch = GIT.GetUpstream(cwd)
241 command = ['diff-tree', '-p', '--no-prefix', branch, branch_head] 241 command = ['diff-tree', '-p', '--no-prefix', branch, branch_head]
242 if not full_move: 242 if not full_move:
243 command.append('-C') 243 command.append('-C')
244 # TODO(maruel): --binary support. 244 # TODO(maruel): --binary support.
245 if files: 245 if files:
246 command.append('--') 246 command.append('--')
247 command.extend(files) 247 command.extend(files)
248 diff = GIT.Capture(command, cwd).splitlines(True) 248 diff = GIT.Capture(command, cwd)[0].splitlines(True)
249 for i in range(len(diff)): 249 for i in range(len(diff)):
250 # In the case of added files, replace /dev/null with the path to the 250 # In the case of added files, replace /dev/null with the path to the
251 # file being added. 251 # file being added.
252 if diff[i].startswith('--- /dev/null'): 252 if diff[i].startswith('--- /dev/null'):
253 diff[i] = '--- %s' % diff[i+1][4:] 253 diff[i] = '--- %s' % diff[i+1][4:]
254 return ''.join(diff) 254 return ''.join(diff)
255 255
256 @staticmethod 256 @staticmethod
257 def GetDifferentFiles(cwd, branch=None, branch_head='HEAD'): 257 def GetDifferentFiles(cwd, branch=None, branch_head='HEAD'):
258 """Returns the list of modified files between two branches.""" 258 """Returns the list of modified files between two branches."""
259 if not branch: 259 if not branch:
260 branch = GIT.GetUpstream(cwd) 260 branch = GIT.GetUpstream(cwd)
261 command = ['diff', '--name-only', branch, branch_head] 261 command = ['diff', '--name-only', branch, branch_head]
262 return GIT.Capture(command, cwd).splitlines(False) 262 return GIT.Capture(command, cwd)[0].splitlines(False)
263 263
264 @staticmethod 264 @staticmethod
265 def GetPatchName(cwd): 265 def GetPatchName(cwd):
266 """Constructs a name for this patch.""" 266 """Constructs a name for this patch."""
267 short_sha = GIT.Capture(['rev-parse', '--short=4', 'HEAD'], cwd).strip() 267 short_sha = GIT.Capture(['rev-parse', '--short=4', 'HEAD'], cwd)[0].strip()
268 return "%s-%s" % (GIT.GetBranch(cwd), short_sha) 268 return "%s-%s" % (GIT.GetBranch(cwd), short_sha)
269 269
270 @staticmethod 270 @staticmethod
271 def GetCheckoutRoot(path): 271 def GetCheckoutRoot(path):
272 """Returns the top level directory of a git checkout as an absolute path. 272 """Returns the top level directory of a git checkout as an absolute path.
273 """ 273 """
274 root = GIT.Capture(['rev-parse', '--show-cdup'], path).strip() 274 root = GIT.Capture(['rev-parse', '--show-cdup'], path)[0].strip()
275 return os.path.abspath(os.path.join(path, root)) 275 return os.path.abspath(os.path.join(path, root))
276 276
277 277
278 class SVN(object): 278 class SVN(object):
279 COMMAND = "svn" 279 COMMAND = "svn"
280 280
281 @staticmethod 281 @staticmethod
282 def Run(args, in_directory): 282 def Run(args, in_directory):
283 """Runs svn, sending output to stdout. 283 """Runs svn, sending output to stdout.
284 284
(...skipping 448 matching lines...) Expand 10 before | Expand all | Expand 10 after
733 if not cur_dir_repo_root: 733 if not cur_dir_repo_root:
734 return None 734 return None
735 735
736 while True: 736 while True:
737 parent = os.path.dirname(directory) 737 parent = os.path.dirname(directory)
738 if (SVN.CaptureInfo(parent, print_error=False).get( 738 if (SVN.CaptureInfo(parent, print_error=False).get(
739 "Repository Root") != cur_dir_repo_root): 739 "Repository Root") != cur_dir_repo_root):
740 break 740 break
741 directory = parent 741 directory = parent
742 return GetCasedPath(directory) 742 return GetCasedPath(directory)
OLDNEW
« no previous file with comments | « gclient_utils.py ('k') | tests/gclient_utils_test.py » ('j') | tests/scm_unittest.py » ('J')

Powered by Google App Engine
This is Rietveld 408576698