blob: a096b6f5c0f2f1bdb52285928f0f0ef0e3d59260 [file] [log] [blame]
Edward Lesmes98eda3f2019-08-12 21:09:53 +00001#!/usr/bin/env python
luqui@chromium.org0b887622014-09-03 02:31:03 +00002# Copyright 2014 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
Raul Tambre80ee78e2019-05-06 22:41:05 +00006from __future__ import print_function
7
luqui@chromium.org0b887622014-09-03 02:31:03 +00008import argparse
martiniss@chromium.org456ca7f2016-05-23 21:33:28 +00009import json
luqui@chromium.org0b887622014-09-03 02:31:03 +000010import re
11import sys
12
13from collections import defaultdict
14
15import git_common as git
16
agable@chromium.orgd629fb42014-10-01 09:40:10 +000017
Andrii Shyshkalov80cae422017-04-27 01:01:42 +020018FOOTER_PATTERN = re.compile(r'^\s*([\w-]+): *(.*)$')
Andrii Shyshkalov49fe9222016-12-15 11:05:06 +010019CHROME_COMMIT_POSITION_PATTERN = re.compile(r'^([\w/\-\.]+)@{#(\d+)}$')
Ayu Ishii09858612020-06-26 18:00:52 +000020FOOTER_KEY_BLOCKLIST = set(['http', 'https'])
luqui@chromium.org0b887622014-09-03 02:31:03 +000021
agable@chromium.orgd629fb42014-10-01 09:40:10 +000022
luqui@chromium.org0b887622014-09-03 02:31:03 +000023def normalize_name(header):
24 return '-'.join([ word.title() for word in header.strip().split('-') ])
25
26
27def parse_footer(line):
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000028 """Returns footer's (key, value) if footer is valid, else None."""
luqui@chromium.org0b887622014-09-03 02:31:03 +000029 match = FOOTER_PATTERN.match(line)
Ayu Ishii09858612020-06-26 18:00:52 +000030 if match and match.group(1) not in FOOTER_KEY_BLOCKLIST:
luqui@chromium.org0b887622014-09-03 02:31:03 +000031 return (match.group(1), match.group(2))
Aaron Gabled9a67562018-01-03 15:56:08 -080032 return None
luqui@chromium.org0b887622014-09-03 02:31:03 +000033
34
35def parse_footers(message):
36 """Parses a git commit message into a multimap of footers."""
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000037 _, _, parsed_footers = split_footers(message)
38 footer_map = defaultdict(list)
39 if parsed_footers:
40 # Read footers from bottom to top, because latter takes precedense,
41 # and we want it to be first in the multimap value.
42 for (k, v) in reversed(parsed_footers):
43 footer_map[normalize_name(k)].append(v.strip())
44 return footer_map
45
46
Andrii Shyshkalov04b51d62017-05-11 13:21:30 +020047def matches_footer_key(line, key):
48 """Returns whether line is a valid footer whose key matches a given one.
49
50 Keys are compared in normalized form.
51 """
52 r = parse_footer(line)
53 if r is None:
Andrii Shyshkalov1a91c602017-05-11 14:35:56 +020054 return False
Andrii Shyshkalov04b51d62017-05-11 13:21:30 +020055 return normalize_name(r[0]) == normalize_name(key)
56
57
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000058def split_footers(message):
59 """Returns (non_footer_lines, footer_lines, parsed footers).
60
61 Guarantees that:
Aaron Gable4be31872018-01-03 16:30:46 -080062 (non_footer_lines + footer_lines) ~= message.splitlines(), with at
63 most one new newline, if the last paragraph is text followed by footers.
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000064 parsed_footers is parse_footer applied on each line of footer_lines.
Andrii Shyshkalov04b51d62017-05-11 13:21:30 +020065 There could be fewer parsed_footers than footer lines if some lines in
66 last paragraph are malformed.
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000067 """
Shahbaz Youssefi407b5a52020-09-22 19:39:00 +000068 message_lines = list(message.rstrip().splitlines())
luqui@chromium.org0b887622014-09-03 02:31:03 +000069 footer_lines = []
Aaron Gable4be31872018-01-03 16:30:46 -080070 maybe_footer_lines = []
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000071 for line in reversed(message_lines):
luqui@chromium.org0b887622014-09-03 02:31:03 +000072 if line == '' or line.isspace():
73 break
Aravind Vasudevanc5f0cbb2022-01-24 23:56:57 +000074
75 if parse_footer(line):
Aaron Gable4be31872018-01-03 16:30:46 -080076 footer_lines.extend(maybe_footer_lines)
77 maybe_footer_lines = []
78 footer_lines.append(line)
79 else:
Quinten Yearsley925cedb2020-04-13 17:49:39 +000080 # We only want to include malformed lines if they are preceded by
Aaron Gable4be31872018-01-03 16:30:46 -080081 # well-formed lines. So keep them in holding until we see a well-formed
82 # line (case above).
83 maybe_footer_lines.append(line)
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000084 else:
85 # The whole description was consisting of footers,
86 # which means those aren't footers.
87 footer_lines = []
luqui@chromium.org0b887622014-09-03 02:31:03 +000088
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000089 footer_lines.reverse()
Edward Lemur5da394f2019-10-03 21:57:25 +000090 footers = [footer for footer in map(parse_footer, footer_lines) if footer]
Andrii Shyshkalov04b51d62017-05-11 13:21:30 +020091 if not footers:
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000092 return message_lines, [], []
Aaron Gable4be31872018-01-03 16:30:46 -080093 if maybe_footer_lines:
94 # If some malformed lines were left over, add a newline to split them
95 # from the well-formed ones.
96 return message_lines[:-len(footer_lines)] + [''], footer_lines, footers
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +000097 return message_lines[:-len(footer_lines)], footer_lines, footers
luqui@chromium.org0b887622014-09-03 02:31:03 +000098
99
tandrii@chromium.org3c3c0342016-03-04 11:59:28 +0000100def get_footer_change_id(message):
101 """Returns a list of Gerrit's ChangeId from given commit message."""
102 return parse_footers(message).get(normalize_name('Change-Id'), [])
103
104
105def add_footer_change_id(message, change_id):
106 """Returns message with Change-ID footer in it.
107
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +0000108 Assumes that Change-Id is not yet in footers, which is then inserted at
109 earliest footer line which is after all of these footers:
110 Bug|Issue|Test|Feature.
tandrii@chromium.org3c3c0342016-03-04 11:59:28 +0000111 """
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +0000112 assert 'Change-Id' not in parse_footers(message)
113 return add_footer(message, 'Change-Id', change_id,
114 after_keys=['Bug', 'Issue', 'Test', 'Feature'])
115
Andrii Shyshkalov18975322017-01-25 16:44:13 +0100116
Aaron Gablec06db442017-04-26 17:29:49 -0700117def add_footer(message, key, value, after_keys=None, before_keys=None):
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +0000118 """Returns a message with given footer appended.
119
Aaron Gablec06db442017-04-26 17:29:49 -0700120 If after_keys and before_keys are both None (default), appends footer last.
121 If after_keys is provided and matches footers already present, inserts footer
122 as *early* as possible while still appearing after all provided keys, even
123 if doing so conflicts with before_keys.
124 If before_keys is provided, inserts footer as late as possible while still
125 appearing before all provided keys.
126
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +0000127 For example, given
128 message='Header.\n\nAdded: 2016\nBug: 123\nVerified-By: CQ'
129 after_keys=['Bug', 'Issue']
130 the new footer will be inserted between Bug and Verified-By existing footers.
131 """
132 assert key == normalize_name(key), 'Use normalized key'
133 new_footer = '%s: %s' % (key, value)
Edward Lemur69bb8be2020-02-03 20:37:38 +0000134 if not FOOTER_PATTERN.match(new_footer):
135 raise ValueError('Invalid footer %r' % new_footer)
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +0000136
Aaron Gablec06db442017-04-26 17:29:49 -0700137 top_lines, footer_lines, _ = split_footers(message)
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +0000138 if not footer_lines:
139 if not top_lines or top_lines[-1] != '':
140 top_lines.append('')
141 footer_lines = [new_footer]
tandrii@chromium.org9fc50db2016-03-17 12:38:55 +0000142 else:
Aaron Gablec06db442017-04-26 17:29:49 -0700143 after_keys = set(map(normalize_name, after_keys or []))
144 after_indices = [
145 footer_lines.index(x) for x in footer_lines for k in after_keys
Andrii Shyshkalov04b51d62017-05-11 13:21:30 +0200146 if matches_footer_key(x, k)]
Aaron Gablec06db442017-04-26 17:29:49 -0700147 before_keys = set(map(normalize_name, before_keys or []))
148 before_indices = [
149 footer_lines.index(x) for x in footer_lines for k in before_keys
Andrii Shyshkalov04b51d62017-05-11 13:21:30 +0200150 if matches_footer_key(x, k)]
Aaron Gablec06db442017-04-26 17:29:49 -0700151 if after_indices:
152 # after_keys takes precedence, even if there's a conflict.
153 insert_idx = max(after_indices) + 1
154 elif before_indices:
155 insert_idx = min(before_indices)
tandrii@chromium.org3c3c0342016-03-04 11:59:28 +0000156 else:
Aaron Gablec06db442017-04-26 17:29:49 -0700157 insert_idx = len(footer_lines)
158 footer_lines.insert(insert_idx, new_footer)
tandrii@chromium.orgf2aa52b2016-06-03 12:58:20 +0000159 return '\n'.join(top_lines + footer_lines)
tandrii@chromium.org3c3c0342016-03-04 11:59:28 +0000160
161
Aaron Gableb584c4f2017-04-26 16:28:08 -0700162def remove_footer(message, key):
163 """Returns a message with all instances of given footer removed."""
164 key = normalize_name(key)
165 top_lines, footer_lines, _ = split_footers(message)
166 if not footer_lines:
167 return message
Aaron Gableb08ba652017-07-12 15:30:02 -0700168 new_footer_lines = []
169 for line in footer_lines:
170 try:
171 f = normalize_name(parse_footer(line)[0])
172 if f != key:
173 new_footer_lines.append(line)
174 except TypeError:
175 # If the footer doesn't parse (i.e. is malformed), just let it carry over.
176 new_footer_lines.append(line)
Aaron Gableb584c4f2017-04-26 16:28:08 -0700177 return '\n'.join(top_lines + new_footer_lines)
178
179
luqui@chromium.org0b887622014-09-03 02:31:03 +0000180def get_unique(footers, key):
181 key = normalize_name(key)
182 values = footers[key]
183 assert len(values) <= 1, 'Multiple %s footers' % key
184 if values:
185 return values[0]
Aravind Vasudevanc5f0cbb2022-01-24 23:56:57 +0000186
187 return None
luqui@chromium.org0b887622014-09-03 02:31:03 +0000188
189
190def get_position(footers):
iannucci@chromium.org74c44f62014-09-09 22:35:03 +0000191 """Get the commit position from the footers multimap using a heuristic.
luqui@chromium.org0b887622014-09-03 02:31:03 +0000192
193 Returns:
194 A tuple of the branch and the position on that branch. For example,
195
Josip Sokcevic9c0dc302020-11-20 18:41:25 +0000196 Cr-Commit-Position: refs/heads/main@{#292272}
luqui@chromium.org0b887622014-09-03 02:31:03 +0000197
Josip Sokcevic9c0dc302020-11-20 18:41:25 +0000198 would give the return value ('refs/heads/main', 292272).
luqui@chromium.org0b887622014-09-03 02:31:03 +0000199 """
200
201 position = get_unique(footers, 'Cr-Commit-Position')
202 if position:
203 match = CHROME_COMMIT_POSITION_PATTERN.match(position)
204 assert match, 'Invalid Cr-Commit-Position value: %s' % position
205 return (match.group(1), match.group(2))
206
luqui@chromium.org0b887622014-09-03 02:31:03 +0000207 raise ValueError('Unable to infer commit position from footers')
208
209
210def main(args):
211 parser = argparse.ArgumentParser(
212 formatter_class=argparse.ArgumentDefaultsHelpFormatter
213 )
Andrii Shyshkalov22a9cf52017-07-13 14:23:58 +0200214 parser.add_argument('ref', nargs='?', help='Git ref to retrieve footers from.'
215 ' Omit to parse stdin.')
luqui@chromium.org0b887622014-09-03 02:31:03 +0000216
217 g = parser.add_mutually_exclusive_group()
218 g.add_argument('--key', metavar='KEY',
219 help='Get all values for the given footer name, one per '
220 'line (case insensitive)')
221 g.add_argument('--position', action='store_true')
222 g.add_argument('--position-ref', action='store_true')
223 g.add_argument('--position-num', action='store_true')
Andrii Shyshkalov22a9cf52017-07-13 14:23:58 +0200224 g.add_argument('--json', help='filename to dump JSON serialized footers to.')
luqui@chromium.org0b887622014-09-03 02:31:03 +0000225
luqui@chromium.org0b887622014-09-03 02:31:03 +0000226 opts = parser.parse_args(args)
227
martiniss@chromium.org456ca7f2016-05-23 21:33:28 +0000228 if opts.ref:
229 message = git.run('log', '-1', '--format=%B', opts.ref)
230 else:
Andrii Shyshkalov22a9cf52017-07-13 14:23:58 +0200231 message = sys.stdin.read()
martiniss@chromium.org456ca7f2016-05-23 21:33:28 +0000232
luqui@chromium.org0b887622014-09-03 02:31:03 +0000233 footers = parse_footers(message)
234
235 if opts.key:
236 for v in footers.get(normalize_name(opts.key), []):
Raul Tambre80ee78e2019-05-06 22:41:05 +0000237 print(v)
luqui@chromium.org0b887622014-09-03 02:31:03 +0000238 elif opts.position:
239 pos = get_position(footers)
Raul Tambre80ee78e2019-05-06 22:41:05 +0000240 print('%s@{#%s}' % (pos[0], pos[1] or '?'))
luqui@chromium.org0b887622014-09-03 02:31:03 +0000241 elif opts.position_ref:
Raul Tambre80ee78e2019-05-06 22:41:05 +0000242 print(get_position(footers)[0])
luqui@chromium.org0b887622014-09-03 02:31:03 +0000243 elif opts.position_num:
244 pos = get_position(footers)
245 assert pos[1], 'No valid position for commit'
Raul Tambre80ee78e2019-05-06 22:41:05 +0000246 print(pos[1])
martiniss@chromium.org456ca7f2016-05-23 21:33:28 +0000247 elif opts.json:
248 with open(opts.json, 'w') as f:
249 json.dump(footers, f)
luqui@chromium.org0b887622014-09-03 02:31:03 +0000250 else:
251 for k in footers.keys():
252 for v in footers[k]:
Raul Tambre80ee78e2019-05-06 22:41:05 +0000253 print('%s: %s' % (k, v))
sbc@chromium.org013731e2015-02-26 18:28:43 +0000254 return 0
luqui@chromium.org0b887622014-09-03 02:31:03 +0000255
256
257if __name__ == '__main__':
sbc@chromium.org013731e2015-02-26 18:28:43 +0000258 try:
259 sys.exit(main(sys.argv[1:]))
260 except KeyboardInterrupt:
261 sys.stderr.write('interrupted\n')
262 sys.exit(1)