kbr | 9fe00f6 | 2015-05-21 21:09:50 | [diff] [blame] | 1 | #!/usr/bin/env python |
| 2 | # Copyright 2015 The Chromium Authors. All rights reserved. |
| 3 | # Use of this source code is governed by a BSD-style license that can be |
| 4 | # found in the LICENSE file. |
| 5 | |
| 6 | import argparse |
| 7 | import collections |
| 8 | import logging |
| 9 | import os |
| 10 | import re |
| 11 | import subprocess |
| 12 | import sys |
| 13 | import time |
| 14 | |
| 15 | |
| 16 | SCRIPT_DIR = os.path.dirname(os.path.realpath(__file__)) |
| 17 | SRC_DIR = os.path.abspath(os.path.join(SCRIPT_DIR, os.pardir)) |
| 18 | import find_depot_tools |
| 19 | find_depot_tools.add_depot_tools_to_path() |
jmadill | 241d77b | 2015-05-25 19:21:54 | [diff] [blame^] | 20 | import roll_dep_svn |
kbr | 9fe00f6 | 2015-05-21 21:09:50 | [diff] [blame] | 21 | from gclient import GClientKeywords |
| 22 | from third_party import upload |
| 23 | |
| 24 | # Avoid depot_tools/third_party/upload.py print verbose messages. |
| 25 | upload.verbosity = 0 # Errors only. |
| 26 | |
| 27 | CHROMIUM_GIT_URL = 'https://chromium.googlesource.com/chromium/src.git' |
| 28 | CL_ISSUE_RE = re.compile('^Issue number: ([0-9]+) \((.*)\)$') |
| 29 | RIETVELD_URL_RE = re.compile('^https?://(.*)/(.*)') |
| 30 | ROLL_BRANCH_NAME = 'special_angle_roll_branch' |
| 31 | TRYJOB_STATUS_SLEEP_SECONDS = 30 |
| 32 | |
| 33 | # Use a shell for subcommands on Windows to get a PATH search. |
| 34 | USE_SHELL = sys.platform.startswith('win') |
| 35 | ANGLE_PATH = 'third_party/angle' |
| 36 | |
| 37 | CommitInfo = collections.namedtuple('CommitInfo', ['git_commit', |
| 38 | 'git_repo_url']) |
| 39 | CLInfo = collections.namedtuple('CLInfo', ['issue', 'url', 'rietveld_server']) |
| 40 | |
| 41 | |
| 42 | def _ParseGitCommitHash(description): |
| 43 | for line in description.splitlines(): |
| 44 | if line.startswith('commit '): |
| 45 | return line.split()[1] |
| 46 | logging.error('Failed to parse git commit id from:\n%s\n', description) |
| 47 | sys.exit(-1) |
| 48 | return None |
| 49 | |
| 50 | |
| 51 | def _ParseDepsFile(filename): |
| 52 | with open(filename, 'rb') as f: |
| 53 | deps_content = f.read() |
| 54 | return _ParseDepsDict(deps_content) |
| 55 | |
| 56 | |
| 57 | def _ParseDepsDict(deps_content): |
| 58 | local_scope = {} |
| 59 | var = GClientKeywords.VarImpl({}, local_scope) |
| 60 | global_scope = { |
| 61 | 'File': GClientKeywords.FileImpl, |
| 62 | 'From': GClientKeywords.FromImpl, |
| 63 | 'Var': var.Lookup, |
| 64 | 'deps_os': {}, |
| 65 | } |
| 66 | exec(deps_content, global_scope, local_scope) |
| 67 | return local_scope |
| 68 | |
| 69 | |
| 70 | def _GenerateCLDescription(angle_current, angle_new): |
| 71 | delim = '' |
| 72 | angle_str = '' |
| 73 | def GetChangeString(current_hash, new_hash): |
| 74 | return '%s..%s' % (current_hash[0:7], new_hash[0:7]); |
| 75 | |
| 76 | def GetChangeLogURL(git_repo_url, change_string): |
| 77 | return '%s/+log/%s' % (git_repo_url, change_string) |
| 78 | |
| 79 | if angle_current.git_commit != angle_new.git_commit: |
| 80 | change_str = GetChangeString(angle_current.git_commit, |
| 81 | angle_new.git_commit) |
| 82 | changelog_url = GetChangeLogURL(angle_current.git_repo_url, |
| 83 | change_str) |
| 84 | |
| 85 | description = 'Roll ANGLE ' + change_str + '\n\n' |
| 86 | description += '%s\n\n' % changelog_url |
| 87 | description += 'BUG=\nTEST=bots\n' |
| 88 | return description |
| 89 | |
| 90 | |
| 91 | class AutoRoller(object): |
| 92 | def __init__(self, chromium_src): |
| 93 | self._chromium_src = chromium_src |
| 94 | |
| 95 | def _RunCommand(self, command, working_dir=None, ignore_exit_code=False, |
| 96 | extra_env=None): |
| 97 | """Runs a command and returns the stdout from that command. |
| 98 | |
| 99 | If the command fails (exit code != 0), the function will exit the process. |
| 100 | """ |
| 101 | working_dir = working_dir or self._chromium_src |
| 102 | logging.debug('cmd: %s cwd: %s', ' '.join(command), working_dir) |
| 103 | env = os.environ.copy() |
| 104 | if extra_env: |
| 105 | logging.debug('extra env: %s', extra_env) |
| 106 | env.update(extra_env) |
| 107 | p = subprocess.Popen(command, stdout=subprocess.PIPE, |
| 108 | stderr=subprocess.PIPE, shell=USE_SHELL, env=env, |
| 109 | cwd=working_dir, universal_newlines=True) |
| 110 | output = p.stdout.read() |
| 111 | p.wait() |
| 112 | p.stdout.close() |
| 113 | p.stderr.close() |
| 114 | |
| 115 | if not ignore_exit_code and p.returncode != 0: |
| 116 | logging.error('Command failed: %s\n%s', str(command), output) |
| 117 | sys.exit(p.returncode) |
| 118 | return output |
| 119 | |
| 120 | def _GetCommitInfo(self, path_below_src, git_hash=None, git_repo_url=None): |
| 121 | working_dir = os.path.join(self._chromium_src, path_below_src) |
| 122 | self._RunCommand(['git', 'fetch', 'origin'], working_dir=working_dir) |
| 123 | revision_range = git_hash or 'origin' |
| 124 | ret = self._RunCommand( |
| 125 | ['git', '--no-pager', 'log', revision_range, '--pretty=full', '-1'], |
| 126 | working_dir=working_dir) |
| 127 | return CommitInfo(_ParseGitCommitHash(ret), git_repo_url) |
| 128 | |
| 129 | def _GetDepsCommitInfo(self, deps_dict, path_below_src): |
| 130 | entry = deps_dict['deps']['src/%s' % path_below_src] |
| 131 | at_index = entry.find('@') |
| 132 | git_repo_url = entry[:at_index] |
| 133 | git_hash = entry[at_index + 1:] |
| 134 | return self._GetCommitInfo(path_below_src, git_hash, git_repo_url) |
| 135 | |
| 136 | def _GetCLInfo(self): |
| 137 | cl_output = self._RunCommand(['git', 'cl', 'issue']) |
| 138 | m = CL_ISSUE_RE.match(cl_output.strip()) |
| 139 | if not m: |
| 140 | logging.error('Cannot find any CL info. Output was:\n%s', cl_output) |
| 141 | sys.exit(-1) |
| 142 | issue_number = int(m.group(1)) |
| 143 | url = m.group(2) |
| 144 | |
| 145 | # Parse the Rietveld host from the URL. |
| 146 | m = RIETVELD_URL_RE.match(url) |
| 147 | if not m: |
| 148 | logging.error('Cannot parse Rietveld host from URL: %s', url) |
| 149 | sys.exit(-1) |
| 150 | rietveld_server = m.group(1) |
| 151 | return CLInfo(issue_number, url, rietveld_server) |
| 152 | |
| 153 | def _GetCurrentBranchName(self): |
| 154 | return self._RunCommand( |
| 155 | ['git', 'rev-parse', '--abbrev-ref', 'HEAD']).splitlines()[0] |
| 156 | |
| 157 | def _IsTreeClean(self): |
| 158 | lines = self._RunCommand( |
| 159 | ['git', 'status', '--porcelain', '-uno']).splitlines() |
| 160 | if len(lines) == 0: |
| 161 | return True |
| 162 | |
| 163 | logging.debug('Dirty/unversioned files:\n%s', '\n'.join(lines)) |
| 164 | return False |
| 165 | |
| 166 | def _UpdateReadmeFile(self, readme_path, new_revision): |
| 167 | readme = open(os.path.join(self._chromium_src, readme_path), 'r+') |
| 168 | txt = readme.read() |
| 169 | m = re.sub(re.compile('.*^Revision\: ([0-9]*).*', re.MULTILINE), |
| 170 | ('Revision: %s' % new_revision), txt) |
| 171 | readme.seek(0) |
| 172 | readme.write(m) |
| 173 | readme.truncate() |
| 174 | |
| 175 | def PrepareRoll(self, ignore_checks): |
| 176 | # TODO(kjellander): use os.path.normcase, os.path.join etc for all paths for |
| 177 | # cross platform compatibility. |
| 178 | |
| 179 | if not ignore_checks: |
| 180 | if self._GetCurrentBranchName() != 'master': |
| 181 | logging.error('Please checkout the master branch.') |
| 182 | return -1 |
| 183 | if not self._IsTreeClean(): |
| 184 | logging.error('Please make sure you don\'t have any modified files.') |
| 185 | return -1 |
| 186 | |
| 187 | # Always clean up any previous roll. |
| 188 | self.Abort() |
| 189 | |
| 190 | logging.debug('Pulling latest changes') |
| 191 | if not ignore_checks: |
| 192 | self._RunCommand(['git', 'pull']) |
| 193 | |
| 194 | self._RunCommand(['git', 'checkout', '-b', ROLL_BRANCH_NAME]) |
| 195 | |
| 196 | # Modify Chromium's DEPS file. |
| 197 | |
| 198 | # Parse current hashes. |
| 199 | deps_filename = os.path.join(self._chromium_src, 'DEPS') |
| 200 | deps = _ParseDepsFile(deps_filename) |
| 201 | angle_current = self._GetDepsCommitInfo(deps, ANGLE_PATH) |
| 202 | |
| 203 | # Find ToT revisions. |
| 204 | angle_latest = self._GetCommitInfo(ANGLE_PATH) |
| 205 | |
| 206 | self._UpdateDep(deps_filename, ANGLE_PATH, angle_latest) |
| 207 | |
| 208 | if self._IsTreeClean(): |
| 209 | logging.debug('Tree is clean - no changes detected.') |
| 210 | self._DeleteRollBranch() |
| 211 | else: |
| 212 | description = _GenerateCLDescription(angle_current, angle_latest) |
| 213 | logging.debug('Committing changes locally.') |
| 214 | self._RunCommand(['git', 'add', '--update', '.']) |
| 215 | self._RunCommand(['git', 'commit', '-m', description]) |
| 216 | logging.debug('Uploading changes...') |
| 217 | self._RunCommand(['git', 'cl', 'upload', '-m', description], |
| 218 | extra_env={'EDITOR': 'true'}) |
| 219 | cl_info = self._GetCLInfo() |
| 220 | print 'Issue: %d URL: %s' % (cl_info.issue, cl_info.url) |
| 221 | |
| 222 | # Checkout master again. |
| 223 | self._RunCommand(['git', 'checkout', 'master']) |
| 224 | print 'Roll branch left as ' + ROLL_BRANCH_NAME |
| 225 | return 0 |
| 226 | |
| 227 | def _UpdateDep(self, deps_filename, dep_relative_to_src, commit_info): |
| 228 | dep_name = os.path.join('src', dep_relative_to_src) |
| 229 | |
jmadill | 241d77b | 2015-05-25 19:21:54 | [diff] [blame^] | 230 | # roll_dep_svn.py relies on cwd being the Chromium checkout, so let's |
kbr | 9fe00f6 | 2015-05-21 21:09:50 | [diff] [blame] | 231 | # temporarily change the working directory and then change back. |
| 232 | cwd = os.getcwd() |
| 233 | os.chdir(os.path.dirname(deps_filename)) |
jmadill | 241d77b | 2015-05-25 19:21:54 | [diff] [blame^] | 234 | roll_dep_svn.update_deps(deps_filename, dep_relative_to_src, dep_name, |
| 235 | commit_info.git_commit, '') |
kbr | 9fe00f6 | 2015-05-21 21:09:50 | [diff] [blame] | 236 | os.chdir(cwd) |
| 237 | |
| 238 | def _DeleteRollBranch(self): |
| 239 | self._RunCommand(['git', 'checkout', 'master']) |
| 240 | self._RunCommand(['git', 'branch', '-D', ROLL_BRANCH_NAME]) |
| 241 | logging.debug('Deleted the local roll branch (%s)', ROLL_BRANCH_NAME) |
| 242 | |
| 243 | |
| 244 | def _GetBranches(self): |
| 245 | """Returns a tuple of active,branches. |
| 246 | |
| 247 | The 'active' is the name of the currently active branch and 'branches' is a |
| 248 | list of all branches. |
| 249 | """ |
| 250 | lines = self._RunCommand(['git', 'branch']).split('\n') |
| 251 | branches = [] |
| 252 | active = '' |
| 253 | for l in lines: |
| 254 | if '*' in l: |
| 255 | # The assumption is that the first char will always be the '*'. |
| 256 | active = l[1:].strip() |
| 257 | branches.append(active) |
| 258 | else: |
| 259 | b = l.strip() |
| 260 | if b: |
| 261 | branches.append(b) |
| 262 | return (active, branches) |
| 263 | |
| 264 | def Abort(self): |
| 265 | active_branch, branches = self._GetBranches() |
| 266 | if active_branch == ROLL_BRANCH_NAME: |
| 267 | active_branch = 'master' |
| 268 | if ROLL_BRANCH_NAME in branches: |
| 269 | print 'Aborting pending roll.' |
| 270 | self._RunCommand(['git', 'checkout', ROLL_BRANCH_NAME]) |
| 271 | # Ignore an error here in case an issue wasn't created for some reason. |
| 272 | self._RunCommand(['git', 'cl', 'set_close'], ignore_exit_code=True) |
| 273 | self._RunCommand(['git', 'checkout', active_branch]) |
| 274 | self._RunCommand(['git', 'branch', '-D', ROLL_BRANCH_NAME]) |
| 275 | return 0 |
| 276 | |
| 277 | |
| 278 | def main(): |
| 279 | if sys.platform in ('win32', 'cygwin'): |
| 280 | logging.error('Only Linux and Mac platforms are supported right now.') |
| 281 | return -1 |
| 282 | |
| 283 | parser = argparse.ArgumentParser( |
| 284 | description='Auto-generates a CL containing an ANGLE roll.') |
| 285 | parser.add_argument('--abort', |
| 286 | help=('Aborts a previously prepared roll. ' |
| 287 | 'Closes any associated issues and deletes the roll branches'), |
| 288 | action='store_true') |
| 289 | parser.add_argument('--ignore-checks', action='store_true', default=False, |
| 290 | help=('Skips checks for being on the master branch, dirty workspaces and ' |
| 291 | 'the updating of the checkout. Will still delete and create local ' |
| 292 | 'Git branches.')) |
| 293 | parser.add_argument('-v', '--verbose', action='store_true', default=False, |
| 294 | help='Be extra verbose in printing of log messages.') |
| 295 | args = parser.parse_args() |
| 296 | |
| 297 | if args.verbose: |
| 298 | logging.basicConfig(level=logging.DEBUG) |
| 299 | else: |
| 300 | logging.basicConfig(level=logging.ERROR) |
| 301 | |
| 302 | autoroller = AutoRoller(SRC_DIR) |
| 303 | if args.abort: |
| 304 | return autoroller.Abort() |
| 305 | else: |
| 306 | return autoroller.PrepareRoll(args.ignore_checks) |
| 307 | |
| 308 | if __name__ == '__main__': |
| 309 | sys.exit(main()) |