blob: cbe89781464ebd2385373da853dc8dfd00097b1a [file] [log] [blame]
Brad Bishop35982432018-08-30 17:27:20 -04001#!/usr/bin/env python3
2
3# Contributors Listed Below - COPYRIGHT 2018
4# [+] International Business Machines Corp.
5#
6#
7# Licensed under the Apache License, Version 2.0 (the "License");
8# you may not use this file except in compliance with the License.
9# You may obtain a copy of the License at
10#
11# http://www.apache.org/licenses/LICENSE-2.0
12#
13# Unless required by applicable law or agreed to in writing, software
14# distributed under the License is distributed on an "AS IS" BASIS,
15# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
16# implied. See the License for the specific language governing
17# permissions and limitations under the License.
18
19import argparse
20import os
21import sh
22import sys
23
24git = sh.git.bake('--no-pager')
25
26
27def log(msg, args):
28 if args.noisy:
29 sys.stderr.write('{}\n'.format(msg))
30
31
32def git_clone_or_reset(local_name, remote, args):
33 if not os.path.exists(local_name):
34 log('cloning into {}...'.format(local_name), args)
35 git.clone(remote, local_name)
36 else:
37 log('{} exists, updating...'.format(local_name), args)
38 git.fetch(_cwd=local_name)
39 git.reset('--hard', 'FETCH_HEAD', _cwd=local_name)
40
41
Brad Bishop9cfd66e2020-05-28 15:16:36 -040042def extract_project_from_uris(uris):
43 # remove SRC_URI = and quotes (does not handle escaped quotes)
44 uris = uris.split('"')[1]
45 for uri in uris.split():
46 if 'github.com/openbmc' not in uri:
47 continue
48
49 # remove fetcher arguments
50 uri = uri.split(';')[0]
51 # the project is the right-most path segment
52 return uri.split('/')[-1].replace('.git', '')
53
54 return None
55
56
Brad Bishop35982432018-08-30 17:27:20 -040057def extract_sha_from_recipe(recipe):
58 with open(recipe) as fp:
Brad Bishop9cfd66e2020-05-28 15:16:36 -040059 uris = ''
Brad Bishop35982432018-08-30 17:27:20 -040060 project = None
61 sha = None
62
63 for line in fp:
Brad Bishop9cfd66e2020-05-28 15:16:36 -040064 line = line.rstrip()
Brad Bishop35982432018-08-30 17:27:20 -040065 if 'SRCREV' in line:
66 sha = line.split('=')[-1].replace('"', '').strip()
Brad Bishop9cfd66e2020-05-28 15:16:36 -040067 elif not project and uris or '_URI' in line:
68 uris += line.split('\\')[0]
69 if '\\' not in line:
70 # In uris we've gathered a complete (possibly multi-line)
71 # assignment to a bitbake variable that ends with _URI.
72 # Try to pull an OpenBMC project out of it.
73 project = extract_project_from_uris(uris)
74 if project is None:
75 # We didn't find a project. Unset uris and look for
76 # another bitbake variable that ends with _URI.
77 uris = ''
Brad Bishop35982432018-08-30 17:27:20 -040078
79 if project and sha:
80 return (project, sha)
81
82 raise RuntimeError('No SRCREV or URI found in {}'.format(recipe))
83
84
85def find_candidate_recipes(meta, args):
86 remote_fmt_args = (args.ssh_config_host, meta)
87 remote = 'ssh://{}/openbmc/{}'.format(*remote_fmt_args)
88 try:
89 git_clone_or_reset(meta, remote, args)
90 except sh.ErrorReturnCode as e:
91 log('{}'.format(e), args)
92 return []
93
94 grep_args = ['-l', '-e', '_URI', '--and', '-e', 'github.com/openbmc']
95 try:
96 return git.grep(*grep_args, _cwd=meta).stdout.decode('utf-8').split()
97 except sh.ErrorReturnCode_1:
98 pass
99 except sh.ErrorReturnCode as e:
100 log('{}'.format(e), args)
101
102 return []
103
104
105def find_and_process_bumps(meta, args):
106 candidate_recipes = find_candidate_recipes(meta, args)
107
108 for recipe in candidate_recipes:
109 full_recipe_path = os.path.join(meta, recipe)
110 recipe_basename = os.path.basename(full_recipe_path)
111 project_name, recipe_sha = extract_sha_from_recipe(full_recipe_path)
112
113 remote_fmt_args = (args.ssh_config_host, project_name)
114 remote = 'ssh://{}/openbmc/{}'.format(*remote_fmt_args)
115 ls_remote_args = [remote, 'refs/heads/{}'.format(args.branch)]
116 try:
117 project_sha = git('ls-remote', *ls_remote_args)
118 project_sha = project_sha.stdout.decode('utf-8').split()[0]
119 except sh.ErrorReturnCode as e:
120 log('{}'.format(e), args)
121 continue
122
123 if project_sha == recipe_sha:
124 message_args = (recipe_basename, recipe_sha[:10])
125 print('{} is up to date ({})'.format(*message_args))
126 continue
127
128 change_id = 'autobump {} {} {}'.format(recipe, recipe_sha, project_sha)
129 hash_object_args = ['-t', 'blob', '--stdin']
130 change_id = git(sh.echo(change_id), 'hash-object', *hash_object_args)
131 change_id = 'I{}'.format(change_id.strip())
132
133 query_args = ['query', 'change:{}'.format(change_id)]
134 gerrit_query_result = args.gerrit(*query_args)
135 gerrit_query_result = gerrit_query_result.stdout.decode('utf-8')
136
137 if (change_id in gerrit_query_result):
138 message_args = (recipe_basename, change_id)
139 print('{} {} already exists'.format(*message_args))
140 continue
141
142 message_args = (recipe_basename, recipe_sha[:10], project_sha[:10])
143 print('{} updating from {} to {}'.format(*message_args))
144
145 remote_args = (args.ssh_config_host, project_name)
146 remote = 'ssh://{}/openbmc/{}'.format(*remote_args)
147 git_clone_or_reset(project_name, remote, args)
148
149 try:
150 revlist = '{}..{}'.format(recipe_sha, project_sha)
151 shortlog = git.shortlog(revlist, _cwd=project_name)
152 shortlog = shortlog.stdout.decode('utf-8')
153 except sh.ErrorReturnCode as e:
154 log('{}'.format(e), args)
155 continue
156
157 reset_args = ['--hard', 'origin/{}'.format(args.branch)]
158 git.reset(*reset_args, _cwd=meta)
159
160 recipe_content = None
161 with open(full_recipe_path) as fd:
162 recipe_content = fd.read()
163
164 recipe_content = recipe_content.replace(recipe_sha, project_sha)
165 with open(full_recipe_path, 'w') as fd:
166 fd.write(recipe_content)
167
168 git.add(recipe, _cwd=meta)
169
170 commit_summary_args = (project_name, recipe_sha[:10], project_sha[:10])
171 commit_msg = '{}: srcrev bump {}..{}'.format(*commit_summary_args)
172 commit_msg += '\n\n{}'.format(shortlog)
173 commit_msg += '\n\nChange-Id: {}'.format(change_id)
174
175 git.commit(sh.echo(commit_msg), '-s', '-F', '-', _cwd=meta)
176
Brad Bishop199f7952021-01-25 14:20:49 -0500177 push_args = [
178 'origin',
179 'HEAD:refs/for/{}%topic=autobump'.format(args.branch)
180 ]
Brad Bishop5d7dcfb2020-05-28 14:39:03 -0400181 if not args.dry_run:
182 git.push(*push_args, _cwd=meta)
Brad Bishop35982432018-08-30 17:27:20 -0400183
184
185def main():
186 app_description = '''OpenBMC bitbake recipe bumping tool.
187
188Find bitbake metadata files (recipes) that use the git fetcher
189and check the project repository for newer revisions.
190
191Generate commits that update bitbake metadata files with SRCREV.
192
193Push generated commits to the OpenBMC Gerrit instance for review.
194 '''
195 parser = argparse.ArgumentParser(
196 description=app_description,
197 formatter_class=argparse.RawDescriptionHelpFormatter)
198
199 parser.set_defaults(branch='master')
200 parser.add_argument(
Brad Bishop5d7dcfb2020-05-28 14:39:03 -0400201 '-d', '--dry-run', dest='dry_run', action='store_true',
202 help='perform a dry run only')
203 parser.add_argument(
Brad Bishop35982432018-08-30 17:27:20 -0400204 '-m', '--meta-repository', dest='meta_repository', action='append',
205 help='meta repository to check for updates')
206 parser.add_argument(
207 '-v', '--verbose', dest='noisy', action='store_true',
208 help='enable verbose status messages')
209 parser.add_argument(
210 'ssh_config_host', metavar='SSH_CONFIG_HOST_ENTRY',
211 help='SSH config host entry for Gerrit connectivity')
212
213 args = parser.parse_args()
214 setattr(args, 'gerrit', sh.ssh.bake(args.ssh_config_host, 'gerrit'))
215
216 metas = getattr(args, 'meta_repository')
217 if metas is None:
218 metas = args.gerrit('ls-projects', '-m', 'meta-')
219 metas = metas.stdout.decode('utf-8').split()
220 metas = [os.path.split(x)[-1] for x in metas]
221
222 for meta in metas:
223 find_and_process_bumps(meta, args)
224
225
226if __name__ == '__main__':
227 sys.exit(0 if main() else 1)