1 # Copyright (c) 2011 The Chromium OS Authors.
3 # See file CREDITS for list of people who contributed to this
6 # This program is free software; you can redistribute it and/or
7 # modify it under the terms of the GNU General Public License as
8 # published by the Free Software Foundation; either version 2 of
9 # the License, or (at your option) any later version.
11 # This program is distributed in the hope that it will be useful,
12 # but WITHOUT ANY WARRANTY; without even the implied warranty of
13 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14 # GNU General Public License for more details.
16 # You should have received a copy of the GNU General Public License
17 # along with this program; if not, write to the Free Software
18 # Foundation, Inc., 59 Temple Place, Suite 330, Boston,
33 def CountCommitsToBranch():
34 """Returns number of commits between HEAD and the tracking branch.
36 This looks back to the tracking branch and works out the number of commits
40 Number of patches that exist on top of the branch
42 pipe = [['git', 'log', '--no-color', '--oneline', '@{upstream}..'],
44 stdout = command.RunPipe(pipe, capture=True, oneline=True).stdout
45 patch_count = int(stdout)
48 def GetUpstream(git_dir, branch):
49 """Returns the name of the upstream for a branch
52 git_dir: Git directory containing repo
53 branch: Name of branch
56 Name of upstream branch (e.g. 'upstream/master') or None if none
58 remote = command.OutputOneLine('git', '--git-dir', git_dir, 'config',
59 'branch.%s.remote' % branch)
60 merge = command.OutputOneLine('git', '--git-dir', git_dir, 'config',
61 'branch.%s.merge' % branch)
64 elif remote and merge:
65 leaf = merge.split('/')[-1]
66 return '%s/%s' % (remote, leaf)
68 raise ValueError, ("Cannot determine upstream branch for branch "
69 "'%s' remote='%s', merge='%s'" % (branch, remote, merge))
72 def GetRangeInBranch(git_dir, branch, include_upstream=False):
73 """Returns an expression for the commits in the given branch.
76 git_dir: Directory containing git repo
77 branch: Name of branch
79 Expression in the form 'upstream..branch' which can be used to
82 upstream = GetUpstream(git_dir, branch)
83 return '%s%s..%s' % (upstream, '~' if include_upstream else '', branch)
85 def CountCommitsInBranch(git_dir, branch, include_upstream=False):
86 """Returns the number of commits in the given branch.
89 git_dir: Directory containing git repo
90 branch: Name of branch
92 Number of patches that exist on top of the branch
94 range_expr = GetRangeInBranch(git_dir, branch, include_upstream)
95 pipe = [['git', '--git-dir', git_dir, 'log', '--oneline', range_expr],
97 result = command.RunPipe(pipe, capture=True, oneline=True)
98 patch_count = int(result.stdout)
101 def CountCommits(commit_range):
102 """Returns the number of commits in the given range.
105 commit_range: Range of commits to count (e.g. 'HEAD..base')
107 Number of patches that exist on top of the branch
109 pipe = [['git', 'log', '--oneline', commit_range],
111 stdout = command.RunPipe(pipe, capture=True, oneline=True).stdout
112 patch_count = int(stdout)
115 def Checkout(commit_hash, git_dir=None, work_tree=None, force=False):
116 """Checkout the selected commit for this build
119 commit_hash: Commit hash to check out
123 pipe.extend(['--git-dir', git_dir])
125 pipe.extend(['--work-tree', work_tree])
126 pipe.append('checkout')
129 pipe.append(commit_hash)
130 result = command.RunPipe([pipe], capture=True, raise_on_error=False)
131 if result.return_code != 0:
132 raise OSError, 'git checkout (%s): %s' % (pipe, result.stderr)
134 def Clone(git_dir, output_dir):
135 """Checkout the selected commit for this build
138 commit_hash: Commit hash to check out
140 pipe = ['git', 'clone', git_dir, '.']
141 result = command.RunPipe([pipe], capture=True, cwd=output_dir)
142 if result.return_code != 0:
143 raise OSError, 'git clone: %s' % result.stderr
145 def Fetch(git_dir=None, work_tree=None):
146 """Fetch from the origin repo
149 commit_hash: Commit hash to check out
153 pipe.extend(['--git-dir', git_dir])
155 pipe.extend(['--work-tree', work_tree])
157 result = command.RunPipe([pipe], capture=True)
158 if result.return_code != 0:
159 raise OSError, 'git fetch: %s' % result.stderr
161 def CreatePatches(start, count, series):
162 """Create a series of patches from the top of the current branch.
164 The patch files are written to the current directory using
168 start: Commit to start from: 0=HEAD, 1=next one, etc.
169 count: number of commits to include
171 Filename of cover letter
172 List of filenames of patch files
174 if series.get('version'):
175 version = '%s ' % series['version']
176 cmd = ['git', 'format-patch', '-M', '--signoff']
177 if series.get('cover'):
178 cmd.append('--cover-letter')
179 prefix = series.GetPatchPrefix()
181 cmd += ['--subject-prefix=%s' % prefix]
182 cmd += ['HEAD~%d..HEAD~%d' % (start + count, start)]
184 stdout = command.RunList(cmd)
185 files = stdout.splitlines()
187 # We have an extra file if there is a cover letter
188 if series.get('cover'):
189 return files[0], files[1:]
193 def ApplyPatch(verbose, fname):
194 """Apply a patch with git am to test it
196 TODO: Convert these to use command, with stderr option
199 fname: filename of patch file to apply
201 cmd = ['git', 'am', fname]
202 pipe = subprocess.Popen(cmd, stdout=subprocess.PIPE,
203 stderr=subprocess.PIPE)
204 stdout, stderr = pipe.communicate()
205 re_error = re.compile('^error: patch failed: (.+):(\d+)')
206 for line in stderr.splitlines():
209 match = re_error.match(line)
211 print GetWarningMsg('warning', match.group(1), int(match.group(2)),
213 return pipe.returncode == 0, stdout
215 def ApplyPatches(verbose, args, start_point):
216 """Apply the patches with git am to make sure all is well
219 verbose: Print out 'git am' output verbatim
220 args: List of patch files to apply
221 start_point: Number of commits back from HEAD to start applying.
222 Normally this is len(args), but it can be larger if a start
226 col = terminal.Color()
228 # Figure out our current position
229 cmd = ['git', 'name-rev', 'HEAD', '--name-only']
230 pipe = subprocess.Popen(cmd, stdout=subprocess.PIPE)
231 stdout, stderr = pipe.communicate()
233 str = 'Could not find current commit name'
234 print col.Color(col.RED, str)
237 old_head = stdout.splitlines()[0]
239 # Checkout the required start point
240 cmd = ['git', 'checkout', 'HEAD~%d' % start_point]
241 pipe = subprocess.Popen(cmd, stdout=subprocess.PIPE,
242 stderr=subprocess.PIPE)
243 stdout, stderr = pipe.communicate()
245 str = 'Could not move to commit before patch series'
246 print col.Color(col.RED, str)
250 # Apply all the patches
252 ok, stdout = ApplyPatch(verbose, fname)
254 print col.Color(col.RED, 'git am returned errors for %s: will '
255 'skip this patch' % fname)
259 cmd = ['git', 'am', '--skip']
260 pipe = subprocess.Popen(cmd, stdout=subprocess.PIPE)
261 stdout, stderr = pipe.communicate()
262 if pipe.returncode != 0:
263 print col.Color(col.RED, 'Unable to skip patch! Aborting...')
267 # Return to our previous position
268 cmd = ['git', 'checkout', old_head]
269 pipe = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
270 stdout, stderr = pipe.communicate()
272 print col.Color(col.RED, 'Could not move back to head commit')
274 return error_count == 0
276 def BuildEmailList(in_list, tag=None, alias=None):
277 """Build a list of email addresses based on an input list.
279 Takes a list of email addresses and aliases, and turns this into a list
280 of only email address, by resolving any aliases that are present.
282 If the tag is given, then each email address is prepended with this
283 tag and a space. If the tag starts with a minus sign (indicating a
284 command line parameter) then the email address is quoted.
287 in_list: List of aliases/email addresses
288 tag: Text to put before each address
291 List of email addresses
297 >>> alias['boys'] = ['fred', ' john']
298 >>> alias['all'] = ['fred ', 'john', ' mary ']
299 >>> BuildEmailList(['john', 'mary'], None, alias)
301 >>> BuildEmailList(['john', 'mary'], '--to', alias)
304 >>> BuildEmailList(['john', 'mary'], 'Cc', alias)
307 quote = '"' if tag and tag[0] == '-' else ''
310 raw += LookupEmail(item, alias)
313 if not item in result:
316 return ['%s %s%s%s' % (tag, quote, email, quote) for email in result]
319 def EmailPatches(series, cover_fname, args, dry_run, cc_fname,
320 self_only=False, alias=None, in_reply_to=None):
321 """Email a patch series.
324 series: Series object containing destination info
325 cover_fname: filename of cover letter
326 args: list of filenames of patch files
327 dry_run: Just return the command that would be run
328 cc_fname: Filename of Cc file for per-commit Cc
329 self_only: True to just email to yourself as a test
330 in_reply_to: If set we'll pass this to git as --in-reply-to.
331 Should be a message ID that this is in reply to.
334 Git command that was/would be run
336 # For the duration of this doctest pretend that we ran patman with ./patman
337 >>> _old_argv0 = sys.argv[0]
338 >>> sys.argv[0] = './patman'
344 >>> alias['boys'] = ['fred', ' john']
345 >>> alias['all'] = ['fred ', 'john', ' mary ']
347 >>> series = series.Series()
348 >>> series.to = ['fred']
349 >>> series.cc = ['mary']
350 >>> EmailPatches(series, 'cover', ['p1', 'p2'], True, 'cc-fname', False, \
354 >>> EmailPatches(series, None, ['p1'], True, 'cc-fname', False, alias)
357 >>> series.cc = ['all']
358 >>> EmailPatches(series, 'cover', ['p1', 'p2'], True, 'cc-fname', True, \
361 --cc-cmd cc-fname" cover p1 p2'
362 >>> EmailPatches(series, 'cover', ['p1', 'p2'], True, 'cc-fname', False, \
368 # Restore argv[0] since we clobbered it.
369 >>> sys.argv[0] = _old_argv0
371 to = BuildEmailList(series.get('to'), '--to', alias)
373 print ("No recipient, please add something like this to a commit\n"
376 cc = BuildEmailList(series.get('cc'), '--cc', alias)
378 to = BuildEmailList([os.getenv('USER')], '--to', alias)
380 cmd = ['git', 'send-email', '--annotate']
382 cmd.append('--in-reply-to="%s"' % in_reply_to)
386 cmd += ['--cc-cmd', '"%s --cc-cmd %s"' % (sys.argv[0], cc_fname)]
388 cmd.append(cover_fname)
396 def LookupEmail(lookup_name, alias=None, level=0):
397 """If an email address is an alias, look it up and return the full name
399 TODO: Why not just use git's own alias feature?
402 lookup_name: Alias or email address to look up
406 list containing a list of email addresses
409 OSError if a recursive alias reference was found
410 ValueError if an alias was not found
417 >>> alias['all'] = ['fred ', 'john', ' mary ']
418 >>> alias['loop'] = ['other', 'john', ' mary ']
419 >>> alias['other'] = ['loop', 'john', ' mary ']
420 >>> LookupEmail('mary', alias)
424 >>> LookupEmail('boys', alias)
426 >>> LookupEmail('all', alias)
428 >>> LookupEmail('odd', alias)
429 Traceback (most recent call last):
431 ValueError: Alias 'odd' not found
432 >>> LookupEmail('loop', alias)
433 Traceback (most recent call last):
435 OSError: Recursive email alias at 'other'
438 alias = settings.alias
439 lookup_name = lookup_name.strip()
440 if '@' in lookup_name: # Perhaps a real email address
443 lookup_name = lookup_name.lower()
446 raise OSError, "Recursive email alias at '%s'" % lookup_name
450 if not lookup_name in alias:
451 raise ValueError, "Alias '%s' not found" % lookup_name
452 for item in alias[lookup_name]:
453 todo = LookupEmail(item, alias, level + 1)
454 for new_item in todo:
455 if not new_item in out_list:
456 out_list.append(new_item)
458 #print "No match for alias '%s'" % lookup_name
462 """Return name of top-level directory for this git repo.
465 Full path to git top-level directory
467 This test makes sure that we are running tests in the right subdir
469 >>> os.path.realpath(os.path.dirname(__file__)) == \
470 os.path.join(GetTopLevel(), 'tools', 'patman')
473 return command.OutputOneLine('git', 'rev-parse', '--show-toplevel')
476 """Gets the name of the git alias file.
479 Filename of git alias file, or None if none
481 fname = command.OutputOneLine('git', 'config', 'sendemail.aliasesfile',
482 raise_on_error=False)
484 fname = os.path.join(GetTopLevel(), fname.strip())
487 def GetDefaultUserName():
488 """Gets the user.name from .gitconfig file.
491 User name found in .gitconfig file, or None if none
493 uname = command.OutputOneLine('git', 'config', '--global', 'user.name')
496 def GetDefaultUserEmail():
497 """Gets the user.email from the global .gitconfig file.
500 User's email found in .gitconfig file, or None if none
502 uemail = command.OutputOneLine('git', 'config', '--global', 'user.email')
506 """Set up git utils, by reading the alias files."""
507 # Check for a git alias file also
508 alias_fname = GetAliasFile()
510 settings.ReadGitAliases(alias_fname)
513 """Get the hash of the current HEAD
518 return command.OutputOneLine('git', 'show', '-s', '--pretty=format:%H')
520 if __name__ == "__main__":