blob: e03cac115e4f8c9aeea3b7017f64146e88f996b8 [file] [log] [blame]
Tom Rini83d290c2018-05-06 17:58:06 -04001# SPDX-License-Identifier: GPL-2.0+
Simon Glass0d24de92012-01-14 15:12:45 +00002# Copyright (c) 2011 The Chromium OS Authors.
3#
Simon Glass0d24de92012-01-14 15:12:45 +00004
Simon Glassd29fe6e2013-03-26 13:09:39 +00005import collections
Simon Glass00d54ae2023-03-08 10:52:55 -08006import concurrent.futures
Simon Glass0d24de92012-01-14 15:12:45 +00007import os
8import re
Vadim Bendebury99adf6e2013-01-09 16:00:10 +00009import sys
Simon Glassbf776672020-04-17 18:09:04 -060010
Simon Glassbf776672020-04-17 18:09:04 -060011from patman import gitutil
Simon Glass4583c002023-02-23 18:18:04 -070012from u_boot_pylib import command
13from u_boot_pylib import terminal
Evan Bennec6db6c2021-04-01 13:49:30 +110014
15EMACS_PREFIX = r'(?:[0-9]{4}.*\.patch:[0-9]+: )?'
16TYPE_NAME = r'([A-Z_]+:)?'
17RE_ERROR = re.compile(r'ERROR:%s (.*)' % TYPE_NAME)
18RE_WARNING = re.compile(EMACS_PREFIX + r'WARNING:%s (.*)' % TYPE_NAME)
19RE_CHECK = re.compile(r'CHECK:%s (.*)' % TYPE_NAME)
20RE_FILE = re.compile(r'#(\d+): (FILE: ([^:]*):(\d+):)?')
21RE_NOTE = re.compile(r'NOTE: (.*)')
22
Simon Glass0d24de92012-01-14 15:12:45 +000023
Simon Glassae5e9262022-01-29 14:14:06 -070024def find_check_patch():
Simon Glass0157b182022-01-29 14:14:11 -070025 top_level = gitutil.get_top_level()
Simon Glass0d24de92012-01-14 15:12:45 +000026 try_list = [
27 os.getcwd(),
28 os.path.join(os.getcwd(), '..', '..'),
Doug Andersond96ef372012-11-26 15:23:23 +000029 os.path.join(top_level, 'tools'),
30 os.path.join(top_level, 'scripts'),
Simon Glass0d24de92012-01-14 15:12:45 +000031 '%s/bin' % os.getenv('HOME'),
32 ]
33 # Look in current dir
34 for path in try_list:
35 fname = os.path.join(path, 'checkpatch.pl')
36 if os.path.isfile(fname):
37 return fname
38
39 # Look upwwards for a Chrome OS tree
40 while not os.path.ismount(path):
41 fname = os.path.join(path, 'src', 'third_party', 'kernel', 'files',
42 'scripts', 'checkpatch.pl')
43 if os.path.isfile(fname):
44 return fname
45 path = os.path.dirname(path)
Vadim Bendebury99adf6e2013-01-09 16:00:10 +000046
Masahiro Yamada31e21412014-08-16 00:59:26 +090047 sys.exit('Cannot find checkpatch.pl - please put it in your ' +
48 '~/bin directory or use --no-check')
Simon Glass0d24de92012-01-14 15:12:45 +000049
Evan Bennec6db6c2021-04-01 13:49:30 +110050
Simon Glassae5e9262022-01-29 14:14:06 -070051def check_patch_parse_one_message(message):
Evan Bennec6db6c2021-04-01 13:49:30 +110052 """Parse one checkpatch message
53
54 Args:
55 message: string to parse
56
57 Returns:
58 dict:
59 'type'; error or warning
60 'msg': text message
61 'file' : filename
62 'line': line number
63 """
64
65 if RE_NOTE.match(message):
66 return {}
67
68 item = {}
69
70 err_match = RE_ERROR.match(message)
71 warn_match = RE_WARNING.match(message)
72 check_match = RE_CHECK.match(message)
73 if err_match:
74 item['cptype'] = err_match.group(1)
75 item['msg'] = err_match.group(2)
76 item['type'] = 'error'
77 elif warn_match:
78 item['cptype'] = warn_match.group(1)
79 item['msg'] = warn_match.group(2)
80 item['type'] = 'warning'
81 elif check_match:
82 item['cptype'] = check_match.group(1)
83 item['msg'] = check_match.group(2)
84 item['type'] = 'check'
85 else:
86 message_indent = ' '
87 print('patman: failed to parse checkpatch message:\n%s' %
88 (message_indent + message.replace('\n', '\n' + message_indent)),
89 file=sys.stderr)
90 return {}
91
92 file_match = RE_FILE.search(message)
93 # some messages have no file, catch those here
94 no_file_match = any(s in message for s in [
95 '\nSubject:', 'Missing Signed-off-by: line(s)',
96 'does MAINTAINERS need updating'
97 ])
98
99 if file_match:
100 err_fname = file_match.group(3)
101 if err_fname:
102 item['file'] = err_fname
103 item['line'] = int(file_match.group(4))
104 else:
105 item['file'] = '<patch>'
106 item['line'] = int(file_match.group(1))
107 elif no_file_match:
108 item['file'] = '<patch>'
109 else:
110 message_indent = ' '
111 print('patman: failed to find file / line information:\n%s' %
112 (message_indent + message.replace('\n', '\n' + message_indent)),
113 file=sys.stderr)
114
115 return item
116
117
Simon Glassae5e9262022-01-29 14:14:06 -0700118def check_patch_parse(checkpatch_output, verbose=False):
Evan Bennec6db6c2021-04-01 13:49:30 +1100119 """Parse checkpatch.pl output
120
121 Args:
122 checkpatch_output: string to parse
123 verbose: True to print out every line of the checkpatch output as it is
124 parsed
125
126 Returns:
127 namedtuple containing:
128 ok: False=failure, True=ok
Simon Glass32cc6ae2022-02-11 13:23:18 -0700129 problems (list of problems): each a dict:
Evan Bennec6db6c2021-04-01 13:49:30 +1100130 'type'; error or warning
131 'msg': text message
132 'file' : filename
133 'line': line number
134 errors: Number of errors
135 warnings: Number of warnings
136 checks: Number of checks
137 lines: Number of lines
138 stdout: checkpatch_output
139 """
140 fields = ['ok', 'problems', 'errors', 'warnings', 'checks', 'lines',
141 'stdout']
142 result = collections.namedtuple('CheckPatchResult', fields)
143 result.stdout = checkpatch_output
144 result.ok = False
145 result.errors, result.warnings, result.checks = 0, 0, 0
146 result.lines = 0
147 result.problems = []
148
149 # total: 0 errors, 0 warnings, 159 lines checked
150 # or:
151 # total: 0 errors, 2 warnings, 7 checks, 473 lines checked
152 emacs_stats = r'(?:[0-9]{4}.*\.patch )?'
153 re_stats = re.compile(emacs_stats +
154 r'total: (\d+) errors, (\d+) warnings, (\d+)')
155 re_stats_full = re.compile(emacs_stats +
156 r'total: (\d+) errors, (\d+) warnings, (\d+)'
157 r' checks, (\d+)')
158 re_ok = re.compile(r'.*has no obvious style problems')
159 re_bad = re.compile(r'.*has style problems, please review')
160
161 # A blank line indicates the end of a message
162 for message in result.stdout.split('\n\n'):
163 if verbose:
164 print(message)
165
166 # either find stats, the verdict, or delegate
167 match = re_stats_full.match(message)
168 if not match:
169 match = re_stats.match(message)
170 if match:
171 result.errors = int(match.group(1))
172 result.warnings = int(match.group(2))
173 if len(match.groups()) == 4:
174 result.checks = int(match.group(3))
175 result.lines = int(match.group(4))
176 else:
177 result.lines = int(match.group(3))
178 elif re_ok.match(message):
179 result.ok = True
180 elif re_bad.match(message):
181 result.ok = False
182 else:
Simon Glassae5e9262022-01-29 14:14:06 -0700183 problem = check_patch_parse_one_message(message)
Evan Bennec6db6c2021-04-01 13:49:30 +1100184 if problem:
185 result.problems.append(problem)
186
187 return result
188
189
Douglas Andersondce43222022-07-19 14:56:27 -0700190def check_patch(fname, verbose=False, show_types=False, use_tree=False):
Evan Bennec6db6c2021-04-01 13:49:30 +1100191 """Run checkpatch.pl on a file and parse the results.
Simon Glass0d24de92012-01-14 15:12:45 +0000192
Simon Glass7d5b04e2020-07-05 21:41:49 -0600193 Args:
194 fname: Filename to check
195 verbose: True to print out every line of the checkpatch output as it is
196 parsed
197 show_types: Tell checkpatch to show the type (number) of each message
Douglas Andersondce43222022-07-19 14:56:27 -0700198 use_tree (bool): If False we'll pass '--no-tree' to checkpatch.
Simon Glass7d5b04e2020-07-05 21:41:49 -0600199
Simon Glass0d24de92012-01-14 15:12:45 +0000200 Returns:
Simon Glassd29fe6e2013-03-26 13:09:39 +0000201 namedtuple containing:
202 ok: False=failure, True=ok
Simon Glass0d24de92012-01-14 15:12:45 +0000203 problems: List of problems, each a dict:
204 'type'; error or warning
205 'msg': text message
206 'file' : filename
207 'line': line number
Simon Glassd29fe6e2013-03-26 13:09:39 +0000208 errors: Number of errors
209 warnings: Number of warnings
210 checks: Number of checks
Simon Glass0d24de92012-01-14 15:12:45 +0000211 lines: Number of lines
Simon Glassd29fe6e2013-03-26 13:09:39 +0000212 stdout: Full output of checkpatch
Simon Glass0d24de92012-01-14 15:12:45 +0000213 """
Simon Glassae5e9262022-01-29 14:14:06 -0700214 chk = find_check_patch()
Maxim Cournoyerda413b52023-01-13 08:50:49 -0500215 args = [chk]
Douglas Andersondce43222022-07-19 14:56:27 -0700216 if not use_tree:
217 args.append('--no-tree')
Simon Glass89fb8b72020-06-14 10:54:06 -0600218 if show_types:
219 args.append('--show-types')
Simon Glassd9800692022-01-29 14:14:05 -0700220 output = command.output(*args, fname, raise_on_error=False)
Simon Glass0d24de92012-01-14 15:12:45 +0000221
Simon Glassae5e9262022-01-29 14:14:06 -0700222 return check_patch_parse(output, verbose)
Simon Glass0d24de92012-01-14 15:12:45 +0000223
Simon Glass0d24de92012-01-14 15:12:45 +0000224
Simon Glassae5e9262022-01-29 14:14:06 -0700225def get_warning_msg(col, msg_type, fname, line, msg):
Simon Glass0d24de92012-01-14 15:12:45 +0000226 '''Create a message for a given file/line
227
228 Args:
229 msg_type: Message type ('error' or 'warning')
230 fname: Filename which reports the problem
231 line: Line number where it was noticed
232 msg: Message to report
233 '''
234 if msg_type == 'warning':
Simon Glass252ac582022-01-29 14:14:17 -0700235 msg_type = col.build(col.YELLOW, msg_type)
Simon Glass0d24de92012-01-14 15:12:45 +0000236 elif msg_type == 'error':
Simon Glass252ac582022-01-29 14:14:17 -0700237 msg_type = col.build(col.RED, msg_type)
Simon Glassd29fe6e2013-03-26 13:09:39 +0000238 elif msg_type == 'check':
Simon Glass252ac582022-01-29 14:14:17 -0700239 msg_type = col.build(col.MAGENTA, msg_type)
Simon Glass37f3bb52020-05-06 16:29:08 -0600240 line_str = '' if line is None else '%d' % line
241 return '%s:%s: %s: %s\n' % (fname, line_str, msg_type, msg)
Simon Glass0d24de92012-01-14 15:12:45 +0000242
Douglas Andersondce43222022-07-19 14:56:27 -0700243def check_patches(verbose, args, use_tree):
Simon Glass0d24de92012-01-14 15:12:45 +0000244 '''Run the checkpatch.pl script on each patch'''
Simon Glassd29fe6e2013-03-26 13:09:39 +0000245 error_count, warning_count, check_count = 0, 0, 0
Simon Glass0d24de92012-01-14 15:12:45 +0000246 col = terminal.Color()
247
Simon Glass00d54ae2023-03-08 10:52:55 -0800248 with concurrent.futures.ThreadPoolExecutor(max_workers=16) as executor:
249 futures = []
250 for fname in args:
251 f = executor.submit(check_patch, fname, verbose, use_tree=use_tree)
252 futures.append(f)
253
254 for fname, f in zip(args, futures):
255 result = f.result()
256 if not result.ok:
257 error_count += result.errors
258 warning_count += result.warnings
259 check_count += result.checks
260 print('%d errors, %d warnings, %d checks for %s:' % (result.errors,
261 result.warnings, result.checks, col.build(col.BLUE, fname)))
262 if (len(result.problems) != result.errors + result.warnings +
263 result.checks):
264 print("Internal error: some problems lost")
265 # Python seems to get confused by this
266 # pylint: disable=E1133
267 for item in result.problems:
268 sys.stderr.write(
269 get_warning_msg(col, item.get('type', '<unknown>'),
270 item.get('file', '<unknown>'),
271 item.get('line', 0), item.get('msg', 'message')))
272 print
Simon Glassd29fe6e2013-03-26 13:09:39 +0000273 if error_count or warning_count or check_count:
274 str = 'checkpatch.pl found %d error(s), %d warning(s), %d checks(s)'
Simon Glass0d24de92012-01-14 15:12:45 +0000275 color = col.GREEN
276 if warning_count:
277 color = col.YELLOW
278 if error_count:
279 color = col.RED
Simon Glass252ac582022-01-29 14:14:17 -0700280 print(col.build(color, str % (error_count, warning_count, check_count)))
Simon Glass0d24de92012-01-14 15:12:45 +0000281 return False
282 return True