blob: 7792c5a197f4df222666612ca606dda44d812d30 [file] [log] [blame]
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +00001#!/usr/bin/env python
2#
3#===- run-clang-tidy.py - Parallel clang-tidy runner ---------*- python -*--===#
4#
5# The LLVM Compiler Infrastructure
6#
7# This file is distributed under the University of Illinois Open Source
8# License. See LICENSE.TXT for details.
9#
10#===------------------------------------------------------------------------===#
11# FIXME: Integrate with clang-tidy-diff.py
12
13"""
14Parallel clang-tidy runner
15==========================
16
17Runs clang-tidy over all files in a compilation database. Requires clang-tidy
18and clang-apply-replacements in $PATH.
19
20Example invocations.
21- Run clang-tidy on all files in the current working directory with a default
22 set of checks and show warnings in the cpp files and all project headers.
23 run-clang-tidy.py $PWD
24
25- Fix all header guards.
26 run-clang-tidy.py -fix -checks=-*,llvm-header-guard
27
28- Fix all header guards included from clang-tidy and header guards
29 for clang-tidy headers.
30 run-clang-tidy.py -fix -checks=-*,llvm-header-guard extra/clang-tidy \
31 -header-filter=extra/clang-tidy
32
33Compilation database setup:
34http://clang.llvm.org/docs/HowToSetupToolingForLLVM.html
35"""
36
Jakub Kuderskia7410fd2017-04-25 22:38:39 +000037from __future__ import print_function
Kevin Funkd331cb62017-09-05 12:36:33 +000038
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000039import argparse
Alexander Kornienko16300e12017-07-21 10:31:26 +000040import glob
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000041import json
42import multiprocessing
43import os
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000044import re
45import shutil
46import subprocess
47import sys
48import tempfile
49import threading
Jakub Kuderskia7410fd2017-04-25 22:38:39 +000050import traceback
Alexander Kornienko16300e12017-07-21 10:31:26 +000051import yaml
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000052
Kevin Funkd331cb62017-09-05 12:36:33 +000053is_py2 = sys.version[0] == '2'
54
55if is_py2:
56 import Queue as queue
57else:
58 import queue as queue
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000059
60def find_compilation_database(path):
61 """Adjusts the directory until a compilation database is found."""
62 result = './'
63 while not os.path.isfile(os.path.join(result, path)):
64 if os.path.realpath(result) == '/':
Jakub Kuderskia7410fd2017-04-25 22:38:39 +000065 print('Error: could not find compilation database.')
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000066 sys.exit(1)
67 result += '../'
68 return os.path.realpath(result)
69
70
Benjamin Kramer815dbad2014-09-08 14:56:40 +000071def get_tidy_invocation(f, clang_tidy_binary, checks, tmpdir, build_path,
Ehsan Akhgarib7418d32017-02-09 18:32:02 +000072 header_filter, extra_arg, extra_arg_before, quiet):
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000073 """Gets a command line for clang-tidy."""
Benjamin Kramer815dbad2014-09-08 14:56:40 +000074 start = [clang_tidy_binary]
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000075 if header_filter is not None:
76 start.append('-header-filter=' + header_filter)
77 else:
78 # Show warnings in all in-project headers by default.
79 start.append('-header-filter=^' + build_path + '/.*')
80 if checks:
Alexander Kornienko3f115382015-09-08 10:31:36 +000081 start.append('-checks=' + checks)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000082 if tmpdir is not None:
83 start.append('-export-fixes')
84 # Get a temporary file. We immediately close the handle so clang-tidy can
85 # overwrite it.
86 (handle, name) = tempfile.mkstemp(suffix='.yaml', dir=tmpdir)
Benjamin Kramer815dbad2014-09-08 14:56:40 +000087 os.close(handle)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000088 start.append(name)
Ehsan Akhgari221ab772017-01-18 17:49:35 +000089 for arg in extra_arg:
90 start.append('-extra-arg=%s' % arg)
91 for arg in extra_arg_before:
92 start.append('-extra-arg-before=%s' % arg)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000093 start.append('-p=' + build_path)
Ehsan Akhgarib7418d32017-02-09 18:32:02 +000094 if quiet:
95 start.append('-quiet')
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +000096 start.append(f)
97 return start
98
99
Alexander Kornienko16300e12017-07-21 10:31:26 +0000100def merge_replacement_files(tmpdir, mergefile):
101 """Merge all replacement files in a directory into a single file"""
102 # The fixes suggested by clang-tidy >= 4.0.0 are given under
103 # the top level key 'Diagnostics' in the output yaml files
104 mergekey="Diagnostics"
105 merged=[]
106 for replacefile in glob.iglob(os.path.join(tmpdir, '*.yaml')):
107 content = yaml.safe_load(open(replacefile, 'r'))
108 if not content:
109 continue # Skip empty files.
110 merged.extend(content.get(mergekey, []))
111
112 if merged:
113 # MainSourceFile: The key is required by the definition inside
114 # include/clang/Tooling/ReplacementsYaml.h, but the value
115 # is actually never used inside clang-apply-replacements,
116 # so we set it to '' here.
117 output = { 'MainSourceFile': '', mergekey: merged }
118 with open(mergefile, 'w') as out:
119 yaml.safe_dump(output, out)
120 else:
121 # Empty the file:
122 open(mergefile, 'w').close()
123
124
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000125def check_clang_apply_replacements_binary(args):
126 """Checks if invoking supplied clang-apply-replacements binary works."""
127 try:
128 subprocess.check_call([args.clang_apply_replacements_binary, '--version'])
129 except:
130 print('Unable to run clang-apply-replacements. Is clang-apply-replacements '
131 'binary correctly specified?', file=sys.stderr)
132 traceback.print_exc()
133 sys.exit(1)
134
135
Benjamin Kramer815dbad2014-09-08 14:56:40 +0000136def apply_fixes(args, tmpdir):
Alexander Kornienko16300e12017-07-21 10:31:26 +0000137 """Calls clang-apply-fixes on a given directory."""
Benjamin Kramer815dbad2014-09-08 14:56:40 +0000138 invocation = [args.clang_apply_replacements_binary]
139 if args.format:
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000140 invocation.append('-format')
Vassil Vassilevc4c33ce2017-06-09 22:23:03 +0000141 if args.style:
142 invocation.append('-style=' + args.style)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000143 invocation.append(tmpdir)
144 subprocess.call(invocation)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000145
146
147def run_tidy(args, tmpdir, build_path, queue):
148 """Takes filenames out of queue and runs clang-tidy on them."""
149 while True:
150 name = queue.get()
Benjamin Kramer815dbad2014-09-08 14:56:40 +0000151 invocation = get_tidy_invocation(name, args.clang_tidy_binary, args.checks,
Ehsan Akhgari221ab772017-01-18 17:49:35 +0000152 tmpdir, build_path, args.header_filter,
Ehsan Akhgarib7418d32017-02-09 18:32:02 +0000153 args.extra_arg, args.extra_arg_before,
154 args.quiet)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000155 sys.stdout.write(' '.join(invocation) + '\n')
156 subprocess.call(invocation)
157 queue.task_done()
158
159
160def main():
161 parser = argparse.ArgumentParser(description='Runs clang-tidy over all files '
162 'in a compilation database. Requires '
163 'clang-tidy and clang-apply-replacements in '
164 '$PATH.')
Benjamin Kramer815dbad2014-09-08 14:56:40 +0000165 parser.add_argument('-clang-tidy-binary', metavar='PATH',
166 default='clang-tidy',
167 help='path to clang-tidy binary')
168 parser.add_argument('-clang-apply-replacements-binary', metavar='PATH',
169 default='clang-apply-replacements',
170 help='path to clang-apply-replacements binary')
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000171 parser.add_argument('-checks', default=None,
172 help='checks filter, when not specified, use clang-tidy '
173 'default')
174 parser.add_argument('-header-filter', default=None,
175 help='regular expression matching the names of the '
176 'headers to output diagnostics from. Diagnostics from '
177 'the main file of each translation unit are always '
178 'displayed.')
Alexander Kornienko16300e12017-07-21 10:31:26 +0000179 parser.add_argument('-export-fixes', metavar='filename', dest='export_fixes',
180 help='Create a yaml file to store suggested fixes in, '
181 'which can be applied with clang-apply-replacements.')
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000182 parser.add_argument('-j', type=int, default=0,
183 help='number of tidy instances to be run in parallel.')
184 parser.add_argument('files', nargs='*', default=['.*'],
185 help='files to be processed (regex on path)')
186 parser.add_argument('-fix', action='store_true', help='apply fix-its')
187 parser.add_argument('-format', action='store_true', help='Reformat code '
188 'after applying fixes')
Vassil Vassilevc4c33ce2017-06-09 22:23:03 +0000189 parser.add_argument('-style', default='file', help='The style of reformat '
190 'code after applying fixes')
Guillaume Papin68b59102015-09-28 17:53:04 +0000191 parser.add_argument('-p', dest='build_path',
192 help='Path used to read a compile command database.')
Ehsan Akhgari221ab772017-01-18 17:49:35 +0000193 parser.add_argument('-extra-arg', dest='extra_arg',
194 action='append', default=[],
195 help='Additional argument to append to the compiler '
196 'command line.')
197 parser.add_argument('-extra-arg-before', dest='extra_arg_before',
198 action='append', default=[],
199 help='Additional argument to prepend to the compiler '
200 'command line.')
Ehsan Akhgarib7418d32017-02-09 18:32:02 +0000201 parser.add_argument('-quiet', action='store_true',
202 help='Run clang-tidy in quiet mode')
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000203 args = parser.parse_args()
204
Guillaume Papin68b59102015-09-28 17:53:04 +0000205 db_path = 'compile_commands.json'
206
207 if args.build_path is not None:
208 build_path = args.build_path
209 else:
210 # Find our database
211 build_path = find_compilation_database(db_path)
212
Benjamin Kramer815dbad2014-09-08 14:56:40 +0000213 try:
Alexander Kornienkof73fe3a2014-09-22 00:07:07 +0000214 invocation = [args.clang_tidy_binary, '-list-checks']
Guillaume Papin68b59102015-09-28 17:53:04 +0000215 invocation.append('-p=' + build_path)
Alexander Kornienkof73fe3a2014-09-22 00:07:07 +0000216 if args.checks:
Alexander Kornienko3f115382015-09-08 10:31:36 +0000217 invocation.append('-checks=' + args.checks)
Alexander Kornienkof73fe3a2014-09-22 00:07:07 +0000218 invocation.append('-')
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000219 print(subprocess.check_output(invocation))
Benjamin Kramer815dbad2014-09-08 14:56:40 +0000220 except:
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000221 print("Unable to run clang-tidy.", file=sys.stderr)
Benjamin Kramer815dbad2014-09-08 14:56:40 +0000222 sys.exit(1)
223
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000224 # Load the database and extract all files.
225 database = json.load(open(os.path.join(build_path, db_path)))
226 files = [entry['file'] for entry in database]
227
228 max_task = args.j
229 if max_task == 0:
230 max_task = multiprocessing.cpu_count()
231
232 tmpdir = None
Alexander Kornienko16300e12017-07-21 10:31:26 +0000233 if args.fix or args.export_fixes:
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000234 check_clang_apply_replacements_binary(args)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000235 tmpdir = tempfile.mkdtemp()
236
237 # Build up a big regexy filter from all command line arguments.
Alexander Kornienkoeaada5c2017-03-23 16:29:39 +0000238 file_name_re = re.compile('|'.join(args.files))
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000239
240 try:
241 # Spin up a bunch of tidy-launching threads.
Kevin Funkd331cb62017-09-05 12:36:33 +0000242 task_queue = queue.Queue(max_task)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000243 for _ in range(max_task):
244 t = threading.Thread(target=run_tidy,
Kevin Funkd331cb62017-09-05 12:36:33 +0000245 args=(args, tmpdir, build_path, task_queue))
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000246 t.daemon = True
247 t.start()
248
249 # Fill the queue with files.
250 for name in files:
251 if file_name_re.search(name):
Kevin Funkd331cb62017-09-05 12:36:33 +0000252 task_queue.put(name)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000253
254 # Wait for all threads to be done.
Kevin Funkd331cb62017-09-05 12:36:33 +0000255 task_queue.join()
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000256
257 except KeyboardInterrupt:
258 # This is a sad hack. Unfortunately subprocess goes
259 # bonkers with ctrl-c and we start forking merrily.
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000260 print('\nCtrl-C detected, goodbye.')
Alexander Kornienko16300e12017-07-21 10:31:26 +0000261 if tmpdir:
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000262 shutil.rmtree(tmpdir)
263 os.kill(0, 9)
264
Alexander Kornienko16300e12017-07-21 10:31:26 +0000265 return_code = 0
266 if args.export_fixes:
267 print('Writing fixes to ' + args.export_fixes + ' ...')
268 try:
269 merge_replacement_files(tmpdir, args.export_fixes)
270 except:
271 print('Error exporting fixes.\n', file=sys.stderr)
272 traceback.print_exc()
273 return_code=1
274
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000275 if args.fix:
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000276 print('Applying fixes ...')
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000277 try:
278 apply_fixes(args, tmpdir)
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000279 except:
280 print('Error applying fixes.\n', file=sys.stderr)
281 traceback.print_exc()
Alexander Kornienko16300e12017-07-21 10:31:26 +0000282 return_code=1
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000283
Alexander Kornienko16300e12017-07-21 10:31:26 +0000284 if tmpdir:
Jakub Kuderskia7410fd2017-04-25 22:38:39 +0000285 shutil.rmtree(tmpdir)
Alexander Kornienko16300e12017-07-21 10:31:26 +0000286 sys.exit(return_code)
Benjamin Kramera9d9a4d2014-09-08 14:01:31 +0000287
288if __name__ == '__main__':
289 main()