blob: 0dea3e7f130eb0ee35d0c960c93985b3537a2324 [file] [log] [blame]
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +00001#!/usr/bin/env python
2#
3# The LLVM Compiler Infrastructure
4#
5# This file is distributed under the University of Illinois Open Source
6# License. See LICENSE.TXT for details.
7#
8##===----------------------------------------------------------------------===##
9#
10# This script attempts to be a drop-in replacement for gcc.
11#
12##===----------------------------------------------------------------------===##
13
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +000014import os
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +000015import sys
Anders Carlssondac2b542008-02-06 19:03:27 +000016import subprocess
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +000017
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +000018def checkenv(name, alternate=None):
19 """checkenv(var, alternate=None) - Return the given environment var,
20 or alternate if it is undefined or empty."""
21 v = os.getenv(name)
22 if v and v.strip():
23 return v.strip()
24 return alternate
25
Daniel Dunbar1bf3f732008-10-01 01:10:22 +000026def checkbool(name, default=False):
27 v = os.getenv(name)
28 if v:
29 try:
30 return bool(int(v))
31 except:
32 pass
33 return default
34
Daniel Dunbarcb529252008-10-15 21:52:00 +000035CCC_LOG = checkenv('CCC_LOG')
Daniel Dunbar1bf3f732008-10-01 01:10:22 +000036CCC_ECHO = checkbool('CCC_ECHO')
37CCC_NATIVE = checkbool('CCC_NATIVE','1')
38CCC_FALLBACK = checkbool('CCC_FALLBACK')
Nuno Lopes24653e82008-09-02 10:27:37 +000039CCC_LANGUAGES = checkenv('CCC_LANGUAGES','c,c++,c-cpp-output,objective-c,objective-c++,objective-c-cpp-output')
Daniel Dunbard3d81412008-08-29 21:03:27 +000040if CCC_LANGUAGES:
41 CCC_LANGUAGES = set([s.strip() for s in CCC_LANGUAGES.split(',')])
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +000042
43# We want to support use as CC or LD, so we need different defines.
44CLANG = checkenv('CLANG', 'clang')
45LLC = checkenv('LLC', 'llc')
46AS = checkenv('AS', 'as')
47CC = checkenv('CCC_CC', 'cc')
48LD = checkenv('CCC_LD', 'c++')
49
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +000050def error(message):
Anders Carlssond125bb12008-01-29 07:21:34 +000051 print >> sys.stderr, 'ccc: ' + message
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +000052 sys.exit(1)
53
Seo Sanghyeond3894652008-04-04 11:02:21 +000054def quote(arg):
Daniel Dunbard3d81412008-08-29 21:03:27 +000055 if '"' in arg or ' ' in arg:
Seo Sanghyeond3894652008-04-04 11:02:21 +000056 return repr(arg)
57 return arg
58
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +000059def stripoutput(args):
60 """stripoutput(args) -> (output_name, newargs)
61
62 Remove the -o argument from the arg list and return the output
63 filename and a new argument list. Assumes there will be at most
64 one -o option. If no output argument is found the result is (None,
65 args)."""
66 for i,a in enumerate(args):
67 if a.startswith('-o'):
68 if a=='-o':
69 if i+1<len(args):
70 return args[i+1],args[:i]+args[i+2:]
71 elif a.startswith('-o='):
72 opt,arg = a.split('=',1)
73 return arg,args[:i]+args[i+1:]
74 return None,args
75
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +000076def run(args):
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +000077 if CCC_ECHO:
78 print ' '.join(map(quote, args))
Daniel Dunbard3d81412008-08-29 21:03:27 +000079 sys.stdout.flush()
Anders Carlssondac2b542008-02-06 19:03:27 +000080 code = subprocess.call(args)
Bill Wendling550ce0f2008-02-03 21:27:46 +000081 if code > 255:
82 code = 1
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +000083 if code:
84 sys.exit(code)
85
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +000086def remove(path):
87 """remove(path) -> bool - Attempt to remove the file at path (if any).
88
89 The result indicates if the remove was successful. A warning is
90 printed if there is an error removing the file."""
91 if os.path.exists(path):
92 try:
93 os.remove(path)
94 except:
95 print >>sys.stderr, 'WARNING: Unable to remove temp "%s"'%(path,)
96 return False
97 return True
98
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +000099def preprocess(args):
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000100 command = [CLANG,'-E']
Anders Carlssondac2b542008-02-06 19:03:27 +0000101 run(command + args)
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000102
Daniel Dunbarcb529252008-10-15 21:52:00 +0000103def syntaxonly(args):
104 command = [CLANG,'-fsyntax-only']
105 run(command + args)
106
Daniel Dunbard3d81412008-08-29 21:03:27 +0000107def compile_fallback(args):
108 command = [CC,'-c']
109 run(command + args)
110
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000111def compile(args, native, save_temps=False):
112 if native:
113 output,args = stripoutput(args)
114 if not output:
115 raise ValueError,'Expected to always have explicit -o in compile()'
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000116
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000117 # I prefer suffixing these to changing the extension, which is
118 # more likely to overwrite other things. We could of course
119 # use temp files.
120 bc_output = output + '.bc'
121 s_output = output + '.s'
122 command = [CLANG,'-emit-llvm-bc']
Daniel Dunbard3d81412008-08-29 21:03:27 +0000123 try:
124 run(command + args + ['-o', bc_output])
125 # FIXME: What controls relocation model?
126 run([LLC, '-relocation-model=pic', '-f', '-o', s_output, bc_output])
127 run([AS, '-o', output, s_output])
128 finally:
129 if not save_temps:
130 remove(bc_output)
131 remove(s_output)
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000132 else:
133 command = [CLANG,'-emit-llvm-bc']
134 run(command + args)
135
Daniel Dunbard3d81412008-08-29 21:03:27 +0000136def checked_compile(args, native, language, save_temps):
137 if CCC_LANGUAGES and language and language not in CCC_LANGUAGES:
Daniel Dunbarcb529252008-10-15 21:52:00 +0000138 log('fallback', args)
Daniel Dunbard3d81412008-08-29 21:03:27 +0000139 print >>sys.stderr, 'NOTE: ccc: Using fallback compiler for: %s'%(' '.join(map(quote, args)),)
140 compile_fallback(args)
141 elif CCC_FALLBACK:
142 try:
143 compile(args, native, save_temps)
144 except:
Daniel Dunbarcb529252008-10-15 21:52:00 +0000145 log('fallback-on-fail', args)
Daniel Dunbard3d81412008-08-29 21:03:27 +0000146 print >>sys.stderr, 'WARNING: ccc: Using fallback compiler for: %s'%(' '.join(map(quote, args)),)
147 compile_fallback(args)
148 else:
149 compile(args, native, save_temps)
150
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000151def link(args, native):
152 if native:
Daniel Dunbard3d81412008-08-29 21:03:27 +0000153 run([LD] + args)
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000154 else:
155 command = ['llvm-ld', '-native', '-disable-internalize']
156 run(command + args)
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000157
Anders Carlssond125bb12008-01-29 07:21:34 +0000158def extension(path):
Seo Sanghyeon795aaed2008-02-03 03:40:41 +0000159 return path.split(".")[-1]
Anders Carlssond125bb12008-01-29 07:21:34 +0000160
161def changeextension(path, newext):
Seo Sanghyeon795aaed2008-02-03 03:40:41 +0000162 i = path.rfind('.')
163 if i < 0:
164 return path
Bill Wendling550ce0f2008-02-03 21:27:46 +0000165 j = path.rfind('/', 0, i)
Bill Wendling550ce0f2008-02-03 21:27:46 +0000166 if j < 0:
167 return path[:i] + "." + newext
168 return path[j+1:i] + "." + newext
Anders Carlssond125bb12008-01-29 07:21:34 +0000169
170def inferlanguage(extension):
171 if extension == "c":
172 return "c"
Lauro Ramos Venancio279876b2008-02-15 22:35:25 +0000173 elif extension in ["cpp", "cc"]:
174 return "c++"
Anders Carlssond125bb12008-01-29 07:21:34 +0000175 elif extension == "i":
176 return "c-cpp-output"
177 elif extension == "m":
178 return "objective-c"
Daniel Dunbard3d81412008-08-29 21:03:27 +0000179 elif extension == "mm":
180 return "objective-c++"
Anders Carlssond125bb12008-01-29 07:21:34 +0000181 elif extension == "mi":
182 return "objective-c-cpp-output"
Nuno Lopes24653e82008-09-02 10:27:37 +0000183 elif extension == "s":
184 return "assembler"
185 elif extension == "S":
186 return "assembler-with-cpp"
Anders Carlssond125bb12008-01-29 07:21:34 +0000187 else:
Daniel Dunbar7000bf82008-09-30 16:18:31 +0000188 return ""
Anders Carlssond125bb12008-01-29 07:21:34 +0000189
Daniel Dunbarcb529252008-10-15 21:52:00 +0000190def log(name, item):
191 if CCC_LOG:
192 f = open(CCC_LOG,'a')
193 print >>f, (name, item)
194 f.close()
195
Daniel Dunbar869f8b62008-09-30 21:20:51 +0000196def inferaction(args):
197 if '-E' in args:
198 return 'preprocess'
Daniel Dunbarcb529252008-10-15 21:52:00 +0000199 if '-fsyntax-only' in args:
200 return 'syntax-only'
Daniel Dunbar869f8b62008-09-30 21:20:51 +0000201 if '-c' in args:
202 return 'compile'
203 for arg in args:
204 if arg.startswith('-print-prog-name'):
205 return 'pring-prog-name'
206 return 'link'
207
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000208def main(args):
Daniel Dunbarcb529252008-10-15 21:52:00 +0000209 log('invoke', args)
210
Daniel Dunbar869f8b62008-09-30 21:20:51 +0000211 action = inferaction(args)
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000212 output = ''
Seo Sanghyeon96b99f72008-01-25 14:57:54 +0000213 compile_opts = []
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000214 link_opts = []
215 files = []
Anders Carlssond125bb12008-01-29 07:21:34 +0000216 save_temps = 0
217 language = ''
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000218 native = CCC_NATIVE
219
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000220 i = 0
221 while i < len(args):
222 arg = args[i]
Anders Carlssond125bb12008-01-29 07:21:34 +0000223
Daniel Dunbar319e7922008-09-30 22:54:22 +0000224 if '=' in arg:
225 argkey,argvalue = arg.split('=',1)
226 else:
227 argkey,argvalue = arg,None
228
Anders Carlssond125bb12008-01-29 07:21:34 +0000229 # Modes ccc supports
Anders Carlssond125bb12008-01-29 07:21:34 +0000230 if arg == '-save-temps':
231 save_temps = 1
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000232 if arg == '-emit-llvm' or arg == '--emit-llvm':
233 native = False
Anders Carlssond125bb12008-01-29 07:21:34 +0000234
235 # Options with no arguments that should pass through
Daniel Dunbard3d81412008-08-29 21:03:27 +0000236 if arg in ['-v', '-fobjc-gc', '-fobjc-gc-only', '-fnext-runtime',
237 '-fgnu-runtime']:
Anders Carlssond125bb12008-01-29 07:21:34 +0000238 compile_opts.append(arg)
239 link_opts.append(arg)
240
241 # Options with one argument that should be ignored
Ted Kremenekd0eef022008-04-21 20:28:01 +0000242 if arg in ['--param', '-u']:
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000243 i += 1
Anders Carlssond125bb12008-01-29 07:21:34 +0000244
Ted Kremenek16833602008-07-24 03:49:15 +0000245 # Preprocessor options with one argument that should be ignored
246 if arg in ['-MT', '-MF']:
247 i += 1
248
Anders Carlssond125bb12008-01-29 07:21:34 +0000249 # Prefix matches for the compile mode
250 if arg[:2] in ['-D', '-I', '-U', '-F']:
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000251 if not arg[2:]:
252 arg += args[i+1]
253 i += 1
254 compile_opts.append(arg)
Daniel Dunbar8e45f732008-10-02 17:26:37 +0000255 if argkey in ('-std', '-mmacosx-version-min'):
256 compile_opts.append(arg)
Anders Carlssond125bb12008-01-29 07:21:34 +0000257
Nuno Lopese5d12e82008-06-17 17:23:14 +0000258 # Options with one argument that should pass through to compiler
Daniel Dunbar8e45f732008-10-02 17:26:37 +0000259 if arg in [ '-include', '-idirafter', '-iprefix',
Daniel Dunbar319e7922008-09-30 22:54:22 +0000260 '-iquote', '-isystem', '-iwithprefix',
Daniel Dunbar8e45f732008-10-02 17:26:37 +0000261 '-iwithprefixbefore']:
Anders Carlssond125bb12008-01-29 07:21:34 +0000262 compile_opts.append(arg)
263 compile_opts.append(args[i+1])
264 i += 1
265
Daniel Dunbar7000bf82008-09-30 16:18:31 +0000266 # Options with no arguments that should pass through
Daniel Dunbarcb529252008-10-15 21:52:00 +0000267 if (arg in ('-dynamiclib', '-bundle', '-headerpad_max_install_names',
268 '-nostdlib', '-static', '-dynamic', '-r') or
Daniel Dunbar1bf3f732008-10-01 01:10:22 +0000269 arg.startswith('-Wl,')):
Daniel Dunbar7000bf82008-09-30 16:18:31 +0000270 link_opts.append(arg)
271
Nuno Lopese5d12e82008-06-17 17:23:14 +0000272 # Options with one argument that should pass through
Daniel Dunbar75e05712008-09-12 19:42:28 +0000273 if arg in ('-framework', '-multiply_defined', '-bundle_loader',
Daniel Dunbar319e7922008-09-30 22:54:22 +0000274 '-e', '-install_name',
275 '-unexported_symbols_list', '-exported_symbols_list',
276 '-compatibility_version', '-current_version', '-init',
Daniel Dunbardc914c82008-10-16 00:10:28 +0000277 '-seg1addr', '-dylib_file', '-Xlinker'):
Nuno Lopese5d12e82008-06-17 17:23:14 +0000278 link_opts.append(arg)
279 link_opts.append(args[i+1])
280 i += 1
281
282 # Options with one argument that should pass through to both
283 if arg in ['-isysroot', '-arch']:
284 compile_opts.append(arg)
285 compile_opts.append(args[i+1])
286 link_opts.append(arg)
287 link_opts.append(args[i+1])
288 i += 1
Daniel Dunbar75e05712008-09-12 19:42:28 +0000289
290 # Options with three arguments that should pass through
291 if arg in ('-sectorder',):
292 link_opts.extend(args[i:i+4])
293 i += 3
Nuno Lopese5d12e82008-06-17 17:23:14 +0000294
Anders Carlssond125bb12008-01-29 07:21:34 +0000295 # Prefix matches for the link mode
Nuno Lopes9a184482008-08-10 21:58:01 +0000296 if arg[:2] in ['-l', '-L', '-F', '-R']:
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000297 link_opts.append(arg)
Anders Carlssond125bb12008-01-29 07:21:34 +0000298
Chris Lattnercf719b72008-06-21 17:46:11 +0000299 # Enable threads
300 if arg == '-pthread':
301 link_opts.append('-lpthread')
302
Anders Carlssond125bb12008-01-29 07:21:34 +0000303 # Input files
304 if arg == '-filelist':
305 f = open(args[i+1])
306 for line in f:
307 files.append(line.strip())
308 f.close()
309 i += 1
310 if arg == '-x':
311 language = args[i+1]
312 i += 1
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000313 if arg[0] != '-':
314 files.append(arg)
Anders Carlssond125bb12008-01-29 07:21:34 +0000315
316 # Output file
317 if arg == '-o':
318 output = args[i+1]
319 i += 1
320
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000321 i += 1
Daniel Dunbar869f8b62008-09-30 21:20:51 +0000322
Seo Sanghyeon96b99f72008-01-25 14:57:54 +0000323 if action == 'print-prog-name':
324 # assume we can handle everything
325 print sys.argv[0]
326 return
327
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000328 if not files:
329 error('no input files')
330
Anders Carlssond125bb12008-01-29 07:21:34 +0000331 if action == 'preprocess' or save_temps:
332 for i, file in enumerate(files):
333 if not language:
334 language = inferlanguage(extension(file))
335 if save_temps and action != 'preprocess':
336 # Need a temporary output file
337 if language == 'c':
338 poutput = changeextension(file, "i");
339 elif language == 'objective-c':
340 poutput = changeextension(file, "mi");
341 else:
342 poutput = changeextension(file, "tmp." + extension(file))
343 files[i] = poutput
344 else:
345 poutput = output
Daniel Dunbar7000bf82008-09-30 16:18:31 +0000346 args = []
347 if language:
348 args.extend(['-x', language])
Anders Carlssond125bb12008-01-29 07:21:34 +0000349 if poutput:
Daniel Dunbar7000bf82008-09-30 16:18:31 +0000350 args += ['-o', poutput, file] + compile_opts
Anders Carlssond125bb12008-01-29 07:21:34 +0000351 else:
Daniel Dunbar7000bf82008-09-30 16:18:31 +0000352 args += [file] + compile_opts
Anders Carlssond125bb12008-01-29 07:21:34 +0000353 preprocess(args)
354 # Discard the explicit language after used once
355 language = ''
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000356
Daniel Dunbarcb529252008-10-15 21:52:00 +0000357 if action == 'syntax-only':
358 for i, file in enumerate(files):
359 if not language:
360 language = inferlanguage(extension(file))
361 args = []
362 if language:
363 args.extend(['-x', language])
364 args += [file] + compile_opts
365 syntaxonly(args)
366 language = ''
367
Anders Carlssond125bb12008-01-29 07:21:34 +0000368 if action == 'compile' or save_temps:
369 for i, file in enumerate(files):
370 if not language:
371 language = inferlanguage(extension(file))
372 if save_temps and action != "compile":
373 # Need a temporary output file
374 coutput = changeextension(file, "o");
375 files[i] = coutput
376 elif not output:
377 coutput = changeextension(file, "o")
378 else:
379 coutput = output
Daniel Dunbar7000bf82008-09-30 16:18:31 +0000380 args = []
381 if language:
382 args.extend(['-x', language])
383 args += ['-o', coutput, file] + compile_opts
Daniel Dunbard3d81412008-08-29 21:03:27 +0000384 checked_compile(args, native, language, save_temps)
Anders Carlssond125bb12008-01-29 07:21:34 +0000385 language = ''
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000386
387 if action == 'link':
388 for i, file in enumerate(files):
Daniel Dunbard3d81412008-08-29 21:03:27 +0000389 if not language:
390 language = inferlanguage(extension(file))
Anders Carlssonc720d9b2008-01-31 23:48:19 +0000391 ext = extension(file)
Nuno Lopesc46cf492008-08-10 22:17:57 +0000392 if ext != "o" and ext != "a" and ext != "so":
Anders Carlssond125bb12008-01-29 07:21:34 +0000393 out = changeextension(file, "o")
Daniel Dunbar7000bf82008-09-30 16:18:31 +0000394 args = []
395 if language:
396 args.extend(['-x', language])
397 args = ['-o', out, file] + compile_opts
Daniel Dunbard3d81412008-08-29 21:03:27 +0000398 checked_compile(args, native, language, save_temps)
399 language = ''
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000400 files[i] = out
401 if not output:
402 output = 'a.out'
403 args = ['-o', output] + link_opts + files
Daniel Dunbar4b5c4f22008-08-23 22:15:15 +0000404 link(args, native)
Seo Sanghyeon2bfa5332008-01-10 01:43:47 +0000405
406if __name__ == '__main__':
407 main(sys.argv[1:])