]> git.sur5r.net Git - u-boot/blob - tools/patman/series.py
SPDX: Convert all of our single license tags to Linux Kernel style
[u-boot] / tools / patman / series.py
1 # SPDX-License-Identifier: GPL-2.0+
2 # Copyright (c) 2011 The Chromium OS Authors.
3 #
4
5 from __future__ import print_function
6
7 import itertools
8 import os
9
10 import get_maintainer
11 import gitutil
12 import settings
13 import terminal
14
15 # Series-xxx tags that we understand
16 valid_series = ['to', 'cc', 'version', 'changes', 'prefix', 'notes', 'name',
17                 'cover_cc', 'process_log']
18
19 class Series(dict):
20     """Holds information about a patch series, including all tags.
21
22     Vars:
23         cc: List of aliases/emails to Cc all patches to
24         commits: List of Commit objects, one for each patch
25         cover: List of lines in the cover letter
26         notes: List of lines in the notes
27         changes: (dict) List of changes for each version, The key is
28             the integer version number
29         allow_overwrite: Allow tags to overwrite an existing tag
30     """
31     def __init__(self):
32         self.cc = []
33         self.to = []
34         self.cover_cc = []
35         self.commits = []
36         self.cover = None
37         self.notes = []
38         self.changes = {}
39         self.allow_overwrite = False
40
41         # Written in MakeCcFile()
42         #  key: name of patch file
43         #  value: list of email addresses
44         self._generated_cc = {}
45
46     # These make us more like a dictionary
47     def __setattr__(self, name, value):
48         self[name] = value
49
50     def __getattr__(self, name):
51         return self[name]
52
53     def AddTag(self, commit, line, name, value):
54         """Add a new Series-xxx tag along with its value.
55
56         Args:
57             line: Source line containing tag (useful for debug/error messages)
58             name: Tag name (part after 'Series-')
59             value: Tag value (part after 'Series-xxx: ')
60         """
61         # If we already have it, then add to our list
62         name = name.replace('-', '_')
63         if name in self and not self.allow_overwrite:
64             values = value.split(',')
65             values = [str.strip() for str in values]
66             if type(self[name]) != type([]):
67                 raise ValueError("In %s: line '%s': Cannot add another value "
68                         "'%s' to series '%s'" %
69                             (commit.hash, line, values, self[name]))
70             self[name] += values
71
72         # Otherwise just set the value
73         elif name in valid_series:
74             if name=="notes":
75                 self[name] = [value]
76             else:
77                 self[name] = value
78         else:
79             raise ValueError("In %s: line '%s': Unknown 'Series-%s': valid "
80                         "options are %s" % (commit.hash, line, name,
81                             ', '.join(valid_series)))
82
83     def AddCommit(self, commit):
84         """Add a commit into our list of commits
85
86         We create a list of tags in the commit subject also.
87
88         Args:
89             commit: Commit object to add
90         """
91         commit.CheckTags()
92         self.commits.append(commit)
93
94     def ShowActions(self, args, cmd, process_tags):
95         """Show what actions we will/would perform
96
97         Args:
98             args: List of patch files we created
99             cmd: The git command we would have run
100             process_tags: Process tags as if they were aliases
101         """
102         to_set = set(gitutil.BuildEmailList(self.to));
103         cc_set = set(gitutil.BuildEmailList(self.cc));
104
105         col = terminal.Color()
106         print('Dry run, so not doing much. But I would do this:')
107         print()
108         print('Send a total of %d patch%s with %scover letter.' % (
109                 len(args), '' if len(args) == 1 else 'es',
110                 self.get('cover') and 'a ' or 'no '))
111
112         # TODO: Colour the patches according to whether they passed checks
113         for upto in range(len(args)):
114             commit = self.commits[upto]
115             print(col.Color(col.GREEN, '   %s' % args[upto]))
116             cc_list = list(self._generated_cc[commit.patch])
117             for email in set(cc_list) - to_set - cc_set:
118                 if email == None:
119                     email = col.Color(col.YELLOW, "<alias '%s' not found>"
120                             % tag)
121                 if email:
122                     print('      Cc: ', email)
123         print
124         for item in to_set:
125             print('To:\t ', item)
126         for item in cc_set - to_set:
127             print('Cc:\t ', item)
128         print('Version: ', self.get('version'))
129         print('Prefix:\t ', self.get('prefix'))
130         if self.cover:
131             print('Cover: %d lines' % len(self.cover))
132             cover_cc = gitutil.BuildEmailList(self.get('cover_cc', ''))
133             all_ccs = itertools.chain(cover_cc, *self._generated_cc.values())
134             for email in set(all_ccs) - to_set - cc_set:
135                     print('      Cc: ', email)
136         if cmd:
137             print('Git command: %s' % cmd)
138
139     def MakeChangeLog(self, commit):
140         """Create a list of changes for each version.
141
142         Return:
143             The change log as a list of strings, one per line
144
145             Changes in v4:
146             - Jog the dial back closer to the widget
147
148             Changes in v3: None
149             Changes in v2:
150             - Fix the widget
151             - Jog the dial
152
153             etc.
154         """
155         final = []
156         process_it = self.get('process_log', '').split(',')
157         process_it = [item.strip() for item in process_it]
158         need_blank = False
159         for change in sorted(self.changes, reverse=True):
160             out = []
161             for this_commit, text in self.changes[change]:
162                 if commit and this_commit != commit:
163                     continue
164                 if 'uniq' not in process_it or text not in out:
165                     out.append(text)
166             line = 'Changes in v%d:' % change
167             have_changes = len(out) > 0
168             if 'sort' in process_it:
169                 out = sorted(out)
170             if have_changes:
171                 out.insert(0, line)
172             else:
173                 out = [line + ' None']
174             if need_blank:
175                 out.insert(0, '')
176             final += out
177             need_blank = have_changes
178         if self.changes:
179             final.append('')
180         return final
181
182     def DoChecks(self):
183         """Check that each version has a change log
184
185         Print an error if something is wrong.
186         """
187         col = terminal.Color()
188         if self.get('version'):
189             changes_copy = dict(self.changes)
190             for version in range(1, int(self.version) + 1):
191                 if self.changes.get(version):
192                     del changes_copy[version]
193                 else:
194                     if version > 1:
195                         str = 'Change log missing for v%d' % version
196                         print(col.Color(col.RED, str))
197             for version in changes_copy:
198                 str = 'Change log for unknown version v%d' % version
199                 print(col.Color(col.RED, str))
200         elif self.changes:
201             str = 'Change log exists, but no version is set'
202             print(col.Color(col.RED, str))
203
204     def MakeCcFile(self, process_tags, cover_fname, raise_on_error,
205                    add_maintainers):
206         """Make a cc file for us to use for per-commit Cc automation
207
208         Also stores in self._generated_cc to make ShowActions() faster.
209
210         Args:
211             process_tags: Process tags as if they were aliases
212             cover_fname: If non-None the name of the cover letter.
213             raise_on_error: True to raise an error when an alias fails to match,
214                 False to just print a message.
215             add_maintainers: Either:
216                 True/False to call the get_maintainers to CC maintainers
217                 List of maintainers to include (for testing)
218         Return:
219             Filename of temp file created
220         """
221         col = terminal.Color()
222         # Look for commit tags (of the form 'xxx:' at the start of the subject)
223         fname = '/tmp/patman.%d' % os.getpid()
224         fd = open(fname, 'w')
225         all_ccs = []
226         for commit in self.commits:
227             cc = []
228             if process_tags:
229                 cc += gitutil.BuildEmailList(commit.tags,
230                                                raise_on_error=raise_on_error)
231             cc += gitutil.BuildEmailList(commit.cc_list,
232                                            raise_on_error=raise_on_error)
233             if type(add_maintainers) == type(cc):
234                 cc += add_maintainers
235             elif add_maintainers:
236                 cc += get_maintainer.GetMaintainer(commit.patch)
237             for x in set(cc) & set(settings.bounces):
238                 print(col.Color(col.YELLOW, 'Skipping "%s"' % x))
239             cc = set(cc) - set(settings.bounces)
240             cc = [m.encode('utf-8') if type(m) != str else m for m in cc]
241             all_ccs += cc
242             print(commit.patch, ', '.join(set(cc)), file=fd)
243             self._generated_cc[commit.patch] = cc
244
245         if cover_fname:
246             cover_cc = gitutil.BuildEmailList(self.get('cover_cc', ''))
247             cover_cc = [m.encode('utf-8') if type(m) != str else m
248                         for m in cover_cc]
249             cc_list = ', '.join([x.decode('utf-8')
250                                  for x in set(cover_cc + all_ccs)])
251             print(cover_fname, cc_list.encode('utf-8'), file=fd)
252
253         fd.close()
254         return fname
255
256     def AddChange(self, version, commit, info):
257         """Add a new change line to a version.
258
259         This will later appear in the change log.
260
261         Args:
262             version: version number to add change list to
263             info: change line for this version
264         """
265         if not self.changes.get(version):
266             self.changes[version] = []
267         self.changes[version].append([commit, info])
268
269     def GetPatchPrefix(self):
270         """Get the patch version string
271
272         Return:
273             Patch string, like 'RFC PATCH v5' or just 'PATCH'
274         """
275         git_prefix = gitutil.GetDefaultSubjectPrefix()
276         if git_prefix:
277             git_prefix = '%s][' % git_prefix
278         else:
279             git_prefix = ''
280
281         version = ''
282         if self.get('version'):
283             version = ' v%s' % self['version']
284
285         # Get patch name prefix
286         prefix = ''
287         if self.get('prefix'):
288             prefix = '%s ' % self['prefix']
289         return '%s%sPATCH%s' % (git_prefix, prefix, version)