Commit 85a8c108 authored by Marc-Antoine Ruel's avatar Marc-Antoine Ruel Committed by Commit Bot

roll_dep: Allow rolling multiple dependencies simultaneously

The way it is done is by switching to a multiple phases model:
- Gather data
- Calculate actions
- Execute

Rolling multiple dependencies simultaneously is occasionally needed.
This will permit to supersede roll-deps.py in infra.git.

R=agable@chromium.org
Bug:
Change-Id: Ibdc7883268b2b08c8a0db1637a9601ffce943c48
Reviewed-on: https://chromium-review.googlesource.com/817616Reviewed-by: 's avatarAaron Gable <agable@chromium.org>
Commit-Queue: Marc-Antoine Ruel <maruel@chromium.org>
parent f4068aa3
...@@ -68,58 +68,26 @@ def should_show_log(upstream_url): ...@@ -68,58 +68,26 @@ def should_show_log(upstream_url):
return True return True
def roll(root, deps_dir, roll_to, key, reviewers, bug, no_log, log_limit, def get_deps(root):
ignore_dirty_tree=False): """Returns the path and the content of the DEPS file."""
deps = os.path.join(root, 'DEPS') deps_path = os.path.join(root, 'DEPS')
try: try:
with open(deps, 'rb') as f: with open(deps_path, 'rb') as f:
deps_content = f.read() deps_content = f.read()
except (IOError, OSError): except (IOError, OSError):
raise Error('Ensure the script is run in the directory ' raise Error('Ensure the script is run in the directory '
'containing DEPS file.') 'containing DEPS file.')
return deps_path, deps_content
if not ignore_dirty_tree and not is_pristine(root):
raise Error('Ensure %s is clean first (no non-merged commits).' % root)
full_dir = os.path.normpath(os.path.join(os.path.dirname(root), deps_dir))
if not os.path.isdir(full_dir):
raise Error('Directory not found: %s (%s)' % (deps_dir, full_dir))
head = check_output(['git', 'rev-parse', 'HEAD'], cwd=full_dir).strip()
if not head in deps_content:
print('Warning: %s is not checked out at the expected revision in DEPS' %
deps_dir)
if key is None:
print("Warning: no key specified. Using '%s'." % deps_dir)
key = deps_dir
# It happens if the user checked out a branch in the dependency by himself.
# Fall back to reading the DEPS to figure out the original commit.
for i in deps_content.splitlines():
m = re.match(r'\s+"' + key + '":.*"([a-z0-9]{40})",', i)
if m:
head = m.group(1)
break
else:
raise Error('Expected to find commit %s for %s in DEPS' % (head, key))
print('Found old revision %s' % head)
check_call(['git', 'fetch', 'origin', '--quiet'], cwd=full_dir)
roll_to = check_output(['git', 'rev-parse', roll_to], cwd=full_dir).strip()
print('Found new revision %s' % roll_to)
if roll_to == head:
raise AlreadyRolledError('No revision to roll!')
def generate_commit_message(
full_dir, dependency, head, roll_to, no_log, log_limit):
"""Creates the commit message for this specific roll."""
commit_range = '%s..%s' % (head[:9], roll_to[:9]) commit_range = '%s..%s' % (head[:9], roll_to[:9])
upstream_url = check_output( upstream_url = check_output(
['git', 'config', 'remote.origin.url'], cwd=full_dir).strip() ['git', 'config', 'remote.origin.url'], cwd=full_dir).strip()
log_url = get_log_url(upstream_url, head, roll_to) log_url = get_log_url(upstream_url, head, roll_to)
cmd = [ cmd = ['git', 'log', commit_range, '--date=short', '--no-merges']
'git', 'log', commit_range, '--date=short', '--no-merges',
]
logs = check_output( logs = check_output(
cmd + ['--format=%ad %ae %s'], # Args with '=' are automatically quoted. cmd + ['--format=%ad %ae %s'], # Args with '=' are automatically quoted.
cwd=full_dir).rstrip() cwd=full_dir).rstrip()
...@@ -130,16 +98,15 @@ def roll(root, deps_dir, roll_to, key, reviewers, bug, no_log, log_limit, ...@@ -130,16 +98,15 @@ def roll(root, deps_dir, roll_to, key, reviewers, bug, no_log, log_limit,
if not l.endswith('recipe-roller Roll recipe dependencies (trivial).') if not l.endswith('recipe-roller Roll recipe dependencies (trivial).')
] ]
logs = '\n'.join(cleaned_lines) + '\n' logs = '\n'.join(cleaned_lines) + '\n'
nb_commits = len(lines) nb_commits = len(lines)
rolls = nb_commits - len(cleaned_lines) rolls = nb_commits - len(cleaned_lines)
header = 'Roll %s/ %s (%d commit%s%s)\n\n' % ( header = 'Roll %s/ %s (%d commit%s%s)\n\n' % (
deps_dir, dependency,
commit_range, commit_range,
nb_commits, nb_commits,
's' if nb_commits > 1 else '', 's' if nb_commits > 1 else '',
('; %s trivial rolls' % rolls) if rolls else '') ('; %s trivial rolls' % rolls) if rolls else '')
log_section = '' log_section = ''
if log_url: if log_url:
log_section = log_url + '\n\n' log_section = log_url + '\n\n'
...@@ -152,34 +119,64 @@ def roll(root, deps_dir, roll_to, key, reviewers, bug, no_log, log_limit, ...@@ -152,34 +119,64 @@ def roll(root, deps_dir, roll_to, key, reviewers, bug, no_log, log_limit,
# Keep the first N log entries. # Keep the first N log entries.
logs = ''.join(logs.splitlines(True)[:log_limit]) + '(...)\n' logs = ''.join(logs.splitlines(True)[:log_limit]) + '(...)\n'
log_section += logs log_section += logs
log_section += '\n\nCreated with:\n roll-dep ' + deps_dir return header + log_section
if key:
log_section += ' ' + key
log_section += '\n'
reviewer = 'R=%s\n' % ','.join(reviewers) if reviewers else '' def calculate_roll(full_dir, dependency, deps_content, roll_to, key):
bug = 'BUG=%s\n' % bug if bug else '' """Calculates the roll for a dependency by processing deps_content, and
msg = header + log_section + reviewer + bug fetching the dependency via git.
"""
head = check_output(['git', 'rev-parse', 'HEAD'], cwd=full_dir).strip()
if not head in deps_content:
print('Warning: %s is not checked out at the expected revision in DEPS' %
dependency)
if not key:
key = dependency
# It happens if the user checked out a branch in the dependency by himself.
# Fall back to reading the DEPS to figure out the original commit.
for i in deps_content.splitlines():
m = re.match(r'\s+"' + key + '":.*"([a-z0-9]{40})",', i)
if m:
head = m.group(1)
break
else:
raise Error('Expected to find commit %s for %s in DEPS' % (head, key))
check_call(['git', 'fetch', 'origin', '--quiet'], cwd=full_dir)
roll_to = check_output(['git', 'rev-parse', roll_to], cwd=full_dir).strip()
return head, roll_to
def gen_commit_msg(logs, cmdline, rolls, reviewers, bug):
"""Returns the final commit message."""
commit_msg = ''
if len(logs) > 1:
commit_msg = 'Rolling %d dependencies\n\n' % len(logs)
commit_msg += '\n\n'.join(logs)
commit_msg += '\nCreated with:\n ' + cmdline
commit_msg += 'R=%s\n' % ','.join(reviewers) if reviewers else ''
commit_msg += 'BUG=%s\n' % bug if bug else ''
return commit_msg
def finalize(commit_msg, deps_path, deps_content, rolls):
"""Edits the DEPS file, commits it, then uploads a CL."""
print('Commit message:') print('Commit message:')
print('\n'.join(' ' + i for i in msg.splitlines())) print('\n'.join(' ' + i for i in commit_msg.splitlines()))
deps_content = deps_content.replace(head, roll_to)
with open(deps, 'wb') as f: with open(deps_path, 'wb') as f:
f.write(deps_content) f.write(deps_content)
root = os.path.dirname(deps_path)
check_call(['git', 'add', 'DEPS'], cwd=root) check_call(['git', 'add', 'DEPS'], cwd=root)
check_call(['git', 'commit', '--quiet', '-m', msg], cwd=root) check_call(['git', 'commit', '--quiet', '-m', commit_msg], cwd=root)
# Pull the dependency to the right revision. This is surprising to users # Pull the dependency to the right revision. This is surprising to users
# otherwise. # otherwise.
check_call(['git', 'checkout', '--quiet', roll_to], cwd=full_dir) for dependency, (_head, roll_to) in sorted(rolls.iteritems()):
full_dir = os.path.normpath(
print('') os.path.join(os.path.dirname(root), dependency))
if not reviewers: check_call(['git', 'checkout', '--quiet', roll_to], cwd=full_dir)
print('You forgot to pass -r, make sure to insert a R=foo@example.com line')
print('to the commit description before emailing.')
print('')
print('Run:')
print(' git cl upload --send-mail')
def main(): def main():
...@@ -203,11 +200,19 @@ def main(): ...@@ -203,11 +200,19 @@ def main():
parser.add_argument( parser.add_argument(
'--roll-to', default='origin/master', '--roll-to', default='origin/master',
help='Specify the new commit to roll to (default: %(default)s)') help='Specify the new commit to roll to (default: %(default)s)')
parser.add_argument('dep_path', help='Path to dependency') parser.add_argument(
parser.add_argument('key', nargs='?', '--key', action='append', default=[],
help='Regexp for dependency in DEPS file') help='Regex(es) for dependency in DEPS file')
parser.add_argument('dep_path', nargs='+', help='Path(s) to dependency')
args = parser.parse_args() args = parser.parse_args()
if len(args.dep_path) > 1:
if args.roll_to != 'origin/master':
parser.error(
'Can\'t use multiple paths to roll simultaneously and --roll-to')
if args.key:
parser.error(
'Can\'t use multiple paths to roll simultaneously and --key')
reviewers = None reviewers = None
if args.reviewer: if args.reviewer:
reviewers = args.reviewer.split(',') reviewers = args.reviewer.split(',')
...@@ -215,22 +220,55 @@ def main(): ...@@ -215,22 +220,55 @@ def main():
if not '@' in r: if not '@' in r:
reviewers[i] = r + '@chromium.org' reviewers[i] = r + '@chromium.org'
root = os.getcwd()
dependencies = sorted(d.rstrip('/').rstrip('\\') for d in args.dep_path)
cmdline = 'roll-dep ' + ' '.join(dependencies) + ''.join(
' --key ' + k for k in args.key)
try: try:
roll( if not args.ignore_dirty_tree and not is_pristine(root):
os.getcwd(), raise Error('Ensure %s is clean first (no non-merged commits).' % root)
args.dep_path.rstrip('/').rstrip('\\'), # First gather all the information without modifying anything, except for a
args.roll_to, # git fetch.
args.key, deps_path, deps_content = get_deps(root)
reviewers, rolls = {}
args.bug, for dependency in dependencies:
args.no_log, full_dir = os.path.normpath(
args.log_limit, os.path.join(os.path.dirname(root), dependency))
args.ignore_dirty_tree) if not os.path.isdir(full_dir):
raise Error('Directory not found: %s (%s)' % (dependency, full_dir))
head, roll_to = calculate_roll(
full_dir, dependency, deps_content, args.roll_to, args.key)
if roll_to == head:
if len(dependencies) == 1:
raise AlreadyRolledError('No revision to roll!')
print('%s: Already at latest commit %s' % (dependency, roll_to))
else:
print(
'%s: Rolling from %s to %s' % (dependency, head[:10], roll_to[:10]))
rolls[dependency] = (head, roll_to)
logs = []
for dependency, (head, roll_to) in sorted(rolls.iteritems()):
full_dir = os.path.normpath(
os.path.join(os.path.dirname(root), dependency))
log = generate_commit_message(
full_dir, dependency, head, roll_to, args.no_log, args.log_limit)
logs.append(log)
deps_content = deps_content.replace(head, roll_to)
commit_msg = gen_commit_msg(logs, cmdline, rolls, reviewers, args.bug)
finalize(commit_msg, deps_path, deps_content, rolls)
except Error as e: except Error as e:
sys.stderr.write('error: %s\n' % e) sys.stderr.write('error: %s\n' % e)
return 2 if isinstance(e, AlreadyRolledError) else 1 return 2 if isinstance(e, AlreadyRolledError) else 1
print('')
if not reviewers:
print('You forgot to pass -r, make sure to insert a R=foo@example.com line')
print('to the commit description before emailing.')
print('')
print('Run:')
print(' git cl upload --send-mail')
return 0 return 0
......
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment