blob: b73e9c58de47ca9141b838d28ac83d4680edb1dd [file] [log] [blame]
Tom Rini10e47792018-05-06 17:58:06 -04001# SPDX-License-Identifier: GPL-2.0+
Simon Glass26132882012-01-14 15:12:45 +00002# Copyright (c) 2011 The Chromium OS Authors.
3#
Simon Glass26132882012-01-14 15:12:45 +00004
Sean Anderson48f46d62020-05-04 16:28:34 -04005from __future__ import print_function
6
7import collections
Simon Glass620639c2023-03-08 10:52:54 -08008import concurrent.futures
Doug Anderson05416af2012-12-03 14:40:43 +00009import itertools
Simon Glass26132882012-01-14 15:12:45 +000010import os
Simon Glass620639c2023-03-08 10:52:54 -080011import sys
12import time
Simon Glass26132882012-01-14 15:12:45 +000013
Simon Glassa997ea52020-04-17 18:09:04 -060014from patman import get_maintainer
Simon Glassa997ea52020-04-17 18:09:04 -060015from patman import settings
Simon Glassba1b3b92025-02-09 14:26:00 -070016from u_boot_pylib import gitutil
Simon Glass131444f2023-02-23 18:18:04 -070017from u_boot_pylib import terminal
18from u_boot_pylib import tools
Simon Glass26132882012-01-14 15:12:45 +000019
20# Series-xxx tags that we understand
Simon Glassc72f3da2013-03-20 16:43:00 +000021valid_series = ['to', 'cc', 'version', 'changes', 'prefix', 'notes', 'name',
Sean Andersondc1cd132021-10-22 19:07:04 -040022 'cover_cc', 'process_log', 'links', 'patchwork_url', 'postfix']
Simon Glass26132882012-01-14 15:12:45 +000023
24class Series(dict):
25 """Holds information about a patch series, including all tags.
26
27 Vars:
28 cc: List of aliases/emails to Cc all patches to
29 commits: List of Commit objects, one for each patch
30 cover: List of lines in the cover letter
31 notes: List of lines in the notes
32 changes: (dict) List of changes for each version, The key is
33 the integer version number
Simon Glass29c5abc2013-05-02 14:46:02 +000034 allow_overwrite: Allow tags to overwrite an existing tag
Simon Glass26132882012-01-14 15:12:45 +000035 """
36 def __init__(self):
37 self.cc = []
38 self.to = []
Simon Glassc72f3da2013-03-20 16:43:00 +000039 self.cover_cc = []
Simon Glass26132882012-01-14 15:12:45 +000040 self.commits = []
41 self.cover = None
42 self.notes = []
43 self.changes = {}
Simon Glass29c5abc2013-05-02 14:46:02 +000044 self.allow_overwrite = False
Simon Glass414f1e02025-02-27 12:27:30 -070045 self.base_commit = None
46 self.branch = None
Simon Glass26132882012-01-14 15:12:45 +000047
Doug Anderson507e8e82012-12-03 14:40:42 +000048 # Written in MakeCcFile()
49 # key: name of patch file
50 # value: list of email addresses
51 self._generated_cc = {}
52
Simon Glass26132882012-01-14 15:12:45 +000053 # These make us more like a dictionary
54 def __setattr__(self, name, value):
55 self[name] = value
56
57 def __getattr__(self, name):
58 return self[name]
59
60 def AddTag(self, commit, line, name, value):
61 """Add a new Series-xxx tag along with its value.
62
63 Args:
64 line: Source line containing tag (useful for debug/error messages)
65 name: Tag name (part after 'Series-')
66 value: Tag value (part after 'Series-xxx: ')
Simon Glass8093a8f2020-10-29 21:46:25 -060067
68 Returns:
69 String warning if something went wrong, else None
Simon Glass26132882012-01-14 15:12:45 +000070 """
71 # If we already have it, then add to our list
Simon Glassc72f3da2013-03-20 16:43:00 +000072 name = name.replace('-', '_')
Simon Glass29c5abc2013-05-02 14:46:02 +000073 if name in self and not self.allow_overwrite:
Simon Glass26132882012-01-14 15:12:45 +000074 values = value.split(',')
75 values = [str.strip() for str in values]
76 if type(self[name]) != type([]):
77 raise ValueError("In %s: line '%s': Cannot add another value "
78 "'%s' to series '%s'" %
79 (commit.hash, line, values, self[name]))
80 self[name] += values
81
82 # Otherwise just set the value
83 elif name in valid_series:
Albert ARIBAUD77ec8bc2016-02-02 10:24:53 +010084 if name=="notes":
85 self[name] = [value]
86 else:
87 self[name] = value
Simon Glass26132882012-01-14 15:12:45 +000088 else:
Simon Glass8093a8f2020-10-29 21:46:25 -060089 return ("In %s: line '%s': Unknown 'Series-%s': valid "
Simon Glasse7ecd3f2012-09-27 15:06:02 +000090 "options are %s" % (commit.hash, line, name,
Simon Glass26132882012-01-14 15:12:45 +000091 ', '.join(valid_series)))
Simon Glass8093a8f2020-10-29 21:46:25 -060092 return None
Simon Glass26132882012-01-14 15:12:45 +000093
94 def AddCommit(self, commit):
95 """Add a commit into our list of commits
96
97 We create a list of tags in the commit subject also.
98
99 Args:
100 commit: Commit object to add
101 """
Simon Glass530ac272022-01-29 14:14:07 -0700102 commit.check_tags()
Simon Glass26132882012-01-14 15:12:45 +0000103 self.commits.append(commit)
104
105 def ShowActions(self, args, cmd, process_tags):
106 """Show what actions we will/would perform
107
108 Args:
109 args: List of patch files we created
110 cmd: The git command we would have run
111 process_tags: Process tags as if they were aliases
112 """
Simon Glass761648b2022-01-29 14:14:11 -0700113 to_set = set(gitutil.build_email_list(self.to));
114 cc_set = set(gitutil.build_email_list(self.cc));
Peter Tyserc6af8022015-01-26 11:42:21 -0600115
Simon Glass26132882012-01-14 15:12:45 +0000116 col = terminal.Color()
Paul Burtonc3931342016-09-27 16:03:50 +0100117 print('Dry run, so not doing much. But I would do this:')
118 print()
119 print('Send a total of %d patch%s with %scover letter.' % (
Simon Glass26132882012-01-14 15:12:45 +0000120 len(args), '' if len(args) == 1 else 'es',
Paul Burtonc3931342016-09-27 16:03:50 +0100121 self.get('cover') and 'a ' or 'no '))
Simon Glass26132882012-01-14 15:12:45 +0000122
123 # TODO: Colour the patches according to whether they passed checks
124 for upto in range(len(args)):
125 commit = self.commits[upto]
Simon Glassf45d3742022-01-29 14:14:17 -0700126 print(col.build(col.GREEN, ' %s' % args[upto]))
Doug Anderson507e8e82012-12-03 14:40:42 +0000127 cc_list = list(self._generated_cc[commit.patch])
Simon Glass3ab178f2019-05-14 15:53:51 -0600128 for email in sorted(set(cc_list) - to_set - cc_set):
Simon Glass26132882012-01-14 15:12:45 +0000129 if email == None:
Simon Glass547cba62022-02-11 13:23:18 -0700130 email = col.build(col.YELLOW, '<alias not found>')
Simon Glass26132882012-01-14 15:12:45 +0000131 if email:
Simon Glass22c58342017-05-29 15:31:23 -0600132 print(' Cc: ', email)
Simon Glass26132882012-01-14 15:12:45 +0000133 print
Simon Glass3ab178f2019-05-14 15:53:51 -0600134 for item in sorted(to_set):
Paul Burtonc3931342016-09-27 16:03:50 +0100135 print('To:\t ', item)
Simon Glass3ab178f2019-05-14 15:53:51 -0600136 for item in sorted(cc_set - to_set):
Paul Burtonc3931342016-09-27 16:03:50 +0100137 print('Cc:\t ', item)
138 print('Version: ', self.get('version'))
139 print('Prefix:\t ', self.get('prefix'))
Sean Andersondc1cd132021-10-22 19:07:04 -0400140 print('Postfix:\t ', self.get('postfix'))
Simon Glass26132882012-01-14 15:12:45 +0000141 if self.cover:
Paul Burtonc3931342016-09-27 16:03:50 +0100142 print('Cover: %d lines' % len(self.cover))
Simon Glass761648b2022-01-29 14:14:11 -0700143 cover_cc = gitutil.build_email_list(self.get('cover_cc', ''))
Simon Glassc72f3da2013-03-20 16:43:00 +0000144 all_ccs = itertools.chain(cover_cc, *self._generated_cc.values())
Simon Glass3ab178f2019-05-14 15:53:51 -0600145 for email in sorted(set(all_ccs) - to_set - cc_set):
Paul Burtonc3931342016-09-27 16:03:50 +0100146 print(' Cc: ', email)
Simon Glass26132882012-01-14 15:12:45 +0000147 if cmd:
Paul Burtonc3931342016-09-27 16:03:50 +0100148 print('Git command: %s' % cmd)
Simon Glass26132882012-01-14 15:12:45 +0000149
150 def MakeChangeLog(self, commit):
151 """Create a list of changes for each version.
152
153 Return:
154 The change log as a list of strings, one per line
155
Simon Glassaa912af2012-10-30 06:15:16 +0000156 Changes in v4:
Otavio Salvadorcc1fbaa2012-08-18 07:46:04 +0000157 - Jog the dial back closer to the widget
158
Simon Glassaa912af2012-10-30 06:15:16 +0000159 Changes in v2:
Simon Glass26132882012-01-14 15:12:45 +0000160 - Fix the widget
161 - Jog the dial
162
Sean Anderson5ae4e8d2020-05-04 16:28:33 -0400163 If there are no new changes in a patch, a note will be added
164
165 (no changes since v2)
166
167 Changes in v2:
168 - Fix the widget
169 - Jog the dial
Simon Glass26132882012-01-14 15:12:45 +0000170 """
Sean Anderson48f46d62020-05-04 16:28:34 -0400171 # Collect changes from the series and this commit
172 changes = collections.defaultdict(list)
173 for version, changelist in self.changes.items():
174 changes[version] += changelist
175 if commit:
176 for version, changelist in commit.changes.items():
177 changes[version] += [[commit, text] for text in changelist]
178
179 versions = sorted(changes, reverse=True)
Sean Anderson5ae4e8d2020-05-04 16:28:33 -0400180 newest_version = 1
181 if 'version' in self:
182 newest_version = max(newest_version, int(self.version))
183 if versions:
184 newest_version = max(newest_version, versions[0])
185
Simon Glass26132882012-01-14 15:12:45 +0000186 final = []
Simon Glassec1d0422013-03-26 13:09:44 +0000187 process_it = self.get('process_log', '').split(',')
188 process_it = [item.strip() for item in process_it]
Simon Glass26132882012-01-14 15:12:45 +0000189 need_blank = False
Sean Anderson5ae4e8d2020-05-04 16:28:33 -0400190 for version in versions:
Simon Glass26132882012-01-14 15:12:45 +0000191 out = []
Sean Anderson48f46d62020-05-04 16:28:34 -0400192 for this_commit, text in changes[version]:
Simon Glass26132882012-01-14 15:12:45 +0000193 if commit and this_commit != commit:
194 continue
Simon Glassec1d0422013-03-26 13:09:44 +0000195 if 'uniq' not in process_it or text not in out:
196 out.append(text)
Simon Glassec1d0422013-03-26 13:09:44 +0000197 if 'sort' in process_it:
198 out = sorted(out)
Sean Anderson5ae4e8d2020-05-04 16:28:33 -0400199 have_changes = len(out) > 0
200 line = 'Changes in v%d:' % version
Simon Glassaa912af2012-10-30 06:15:16 +0000201 if have_changes:
202 out.insert(0, line)
Sean Anderson5ae4e8d2020-05-04 16:28:33 -0400203 if version < newest_version and len(final) == 0:
204 out.insert(0, '')
205 out.insert(0, '(no changes since v%d)' % version)
206 newest_version = 0
207 # Only add a new line if we output something
208 if need_blank:
209 out.insert(0, '')
210 need_blank = False
Simon Glassaa912af2012-10-30 06:15:16 +0000211 final += out
Sean Anderson5ae4e8d2020-05-04 16:28:33 -0400212 need_blank = need_blank or have_changes
213
214 if len(final) > 0:
Simon Glass26132882012-01-14 15:12:45 +0000215 final.append('')
Sean Anderson5ae4e8d2020-05-04 16:28:33 -0400216 elif newest_version != 1:
217 final = ['(no changes since v1)', '']
Simon Glass26132882012-01-14 15:12:45 +0000218 return final
219
220 def DoChecks(self):
221 """Check that each version has a change log
222
223 Print an error if something is wrong.
224 """
225 col = terminal.Color()
226 if self.get('version'):
227 changes_copy = dict(self.changes)
Otavio Salvadorfe07d072012-08-13 10:08:22 +0000228 for version in range(1, int(self.version) + 1):
Simon Glass26132882012-01-14 15:12:45 +0000229 if self.changes.get(version):
230 del changes_copy[version]
231 else:
Otavio Salvadorfe07d072012-08-13 10:08:22 +0000232 if version > 1:
233 str = 'Change log missing for v%d' % version
Simon Glassf45d3742022-01-29 14:14:17 -0700234 print(col.build(col.RED, str))
Simon Glass26132882012-01-14 15:12:45 +0000235 for version in changes_copy:
236 str = 'Change log for unknown version v%d' % version
Simon Glassf45d3742022-01-29 14:14:17 -0700237 print(col.build(col.RED, str))
Simon Glass26132882012-01-14 15:12:45 +0000238 elif self.changes:
239 str = 'Change log exists, but no version is set'
Simon Glassf45d3742022-01-29 14:14:17 -0700240 print(col.build(col.RED, str))
Simon Glass26132882012-01-14 15:12:45 +0000241
Simon Glass77f57df2023-03-08 10:52:53 -0800242 def GetCcForCommit(self, commit, process_tags, warn_on_error,
243 add_maintainers, limit, get_maintainer_script,
244 all_skips):
245 """Get the email CCs to use with a particular commit
246
247 Uses subject tags and get_maintainers.pl script to find people to cc
248 on a patch
249
250 Args:
251 commit (Commit): Commit to process
252 process_tags (bool): Process tags as if they were aliases
253 warn_on_error (bool): True to print a warning when an alias fails to
254 match, False to ignore it.
255 add_maintainers (bool or list of str): Either:
256 True/False to call the get_maintainers to CC maintainers
257 List of maintainers to include (for testing)
258 limit (int): Limit the length of the Cc list (None if no limit)
259 get_maintainer_script (str): The file name of the get_maintainer.pl
260 script (or compatible).
261 all_skips (set of str): Updated to include the set of bouncing email
262 addresses that were dropped from the output. This is essentially
263 a return value from this function.
264
265 Returns:
266 list of str: List of email addresses to cc
267 """
268 cc = []
269 if process_tags:
270 cc += gitutil.build_email_list(commit.tags,
271 warn_on_error=warn_on_error)
272 cc += gitutil.build_email_list(commit.cc_list,
273 warn_on_error=warn_on_error)
274 if type(add_maintainers) == type(cc):
275 cc += add_maintainers
276 elif add_maintainers:
277 cc += get_maintainer.get_maintainer(get_maintainer_script,
278 commit.patch)
279 all_skips |= set(cc) & set(settings.bounces)
280 cc = list(set(cc) - set(settings.bounces))
281 if limit is not None:
282 cc = cc[:limit]
283 return cc
284
Simon Glass1f975b92021-01-23 08:56:15 -0700285 def MakeCcFile(self, process_tags, cover_fname, warn_on_error,
Maxim Cournoyer3ef23e92022-12-20 00:28:46 -0500286 add_maintainers, limit, get_maintainer_script):
Simon Glass26132882012-01-14 15:12:45 +0000287 """Make a cc file for us to use for per-commit Cc automation
288
Doug Anderson507e8e82012-12-03 14:40:42 +0000289 Also stores in self._generated_cc to make ShowActions() faster.
290
Simon Glass26132882012-01-14 15:12:45 +0000291 Args:
Simon Glass77f57df2023-03-08 10:52:53 -0800292 process_tags (bool): Process tags as if they were aliases
293 cover_fname (str): If non-None the name of the cover letter.
294 warn_on_error (bool): True to print a warning when an alias fails to
295 match, False to ignore it.
296 add_maintainers (bool or list of str): Either:
Simon Glassb712eed2017-05-29 15:31:29 -0600297 True/False to call the get_maintainers to CC maintainers
298 List of maintainers to include (for testing)
Simon Glass77f57df2023-03-08 10:52:53 -0800299 limit (int): Limit the length of the Cc list (None if no limit)
300 get_maintainer_script (str): The file name of the get_maintainer.pl
Maxim Cournoyer3ef23e92022-12-20 00:28:46 -0500301 script (or compatible).
Simon Glass26132882012-01-14 15:12:45 +0000302 Return:
303 Filename of temp file created
304 """
Chris Packhame8d2a122017-09-01 20:57:53 +1200305 col = terminal.Color()
Simon Glass26132882012-01-14 15:12:45 +0000306 # Look for commit tags (of the form 'xxx:' at the start of the subject)
307 fname = '/tmp/patman.%d' % os.getpid()
Simon Glassf544a2d2019-10-31 07:42:51 -0600308 fd = open(fname, 'w', encoding='utf-8')
Doug Anderson05416af2012-12-03 14:40:43 +0000309 all_ccs = []
Simon Glass77f57df2023-03-08 10:52:53 -0800310 all_skips = set()
Simon Glass620639c2023-03-08 10:52:54 -0800311 with concurrent.futures.ThreadPoolExecutor(max_workers=16) as executor:
312 for i, commit in enumerate(self.commits):
313 commit.seq = i
314 commit.future = executor.submit(
315 self.GetCcForCommit, commit, process_tags, warn_on_error,
316 add_maintainers, limit, get_maintainer_script, all_skips)
317
318 # Show progress any commits that are taking forever
319 lastlen = 0
320 while True:
321 left = [commit for commit in self.commits
322 if not commit.future.done()]
323 if not left:
324 break
325 names = ', '.join(f'{c.seq + 1}:{c.subject}'
326 for c in left[:2])
327 out = f'\r{len(left)} remaining: {names}'[:79]
328 spaces = ' ' * (lastlen - len(out))
329 if lastlen: # Don't print anything the first time
330 print(out, spaces, end='')
331 sys.stdout.flush()
332 lastlen = len(out)
333 time.sleep(.25)
334 print(f'\rdone{" " * lastlen}\r', end='')
335 print('Cc processing complete')
336
Simon Glass26132882012-01-14 15:12:45 +0000337 for commit in self.commits:
Simon Glass620639c2023-03-08 10:52:54 -0800338 cc = commit.future.result()
Simon Glass0f94fa72017-05-29 15:31:30 -0600339 all_ccs += cc
Dmitry Torokhovef7f67d2019-10-21 20:09:56 -0700340 print(commit.patch, '\0'.join(sorted(set(cc))), file=fd)
Simon Glass0f94fa72017-05-29 15:31:30 -0600341 self._generated_cc[commit.patch] = cc
Simon Glass26132882012-01-14 15:12:45 +0000342
Simon Glass77f57df2023-03-08 10:52:53 -0800343 for x in sorted(all_skips):
344 print(col.build(col.YELLOW, f'Skipping "{x}"'))
345
Doug Anderson05416af2012-12-03 14:40:43 +0000346 if cover_fname:
Simon Glass761648b2022-01-29 14:14:11 -0700347 cover_cc = gitutil.build_email_list(self.get('cover_cc', ''))
Simon Glass39ed6bb2020-02-27 18:49:23 -0700348 cover_cc = list(set(cover_cc + all_ccs))
349 if limit is not None:
350 cover_cc = cover_cc[:limit]
Simon Glass9dfb3112020-11-08 20:36:18 -0700351 cc_list = '\0'.join([x for x in sorted(cover_cc)])
Robert Beckett3356f2c2019-11-13 18:39:45 +0000352 print(cover_fname, cc_list, file=fd)
Doug Anderson05416af2012-12-03 14:40:43 +0000353
Simon Glass26132882012-01-14 15:12:45 +0000354 fd.close()
355 return fname
356
357 def AddChange(self, version, commit, info):
358 """Add a new change line to a version.
359
360 This will later appear in the change log.
361
362 Args:
363 version: version number to add change list to
364 info: change line for this version
365 """
366 if not self.changes.get(version):
367 self.changes[version] = []
368 self.changes[version].append([commit, info])
369
370 def GetPatchPrefix(self):
371 """Get the patch version string
372
373 Return:
374 Patch string, like 'RFC PATCH v5' or just 'PATCH'
375 """
Simon Glass761648b2022-01-29 14:14:11 -0700376 git_prefix = gitutil.get_default_subject_prefix()
Wu, Josh9873b912015-04-15 10:25:18 +0800377 if git_prefix:
Paul Burtona5edb442016-09-27 16:03:49 +0100378 git_prefix = '%s][' % git_prefix
Wu, Josh9873b912015-04-15 10:25:18 +0800379 else:
380 git_prefix = ''
381
Simon Glass26132882012-01-14 15:12:45 +0000382 version = ''
383 if self.get('version'):
384 version = ' v%s' % self['version']
385
386 # Get patch name prefix
387 prefix = ''
388 if self.get('prefix'):
389 prefix = '%s ' % self['prefix']
Sean Andersondc1cd132021-10-22 19:07:04 -0400390
391 postfix = ''
392 if self.get('postfix'):
393 postfix = ' %s' % self['postfix']
394 return '%s%sPATCH%s%s' % (git_prefix, prefix, postfix, version)