blob: 7de87594cebd5551a5de60ebd33a6512ee327ec4 [file] [log] [blame]
Reid Spencer5f016e22007-07-11 17:01:13 +00001//===--- clang.cpp - C-Language Front-end ---------------------------------===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file was developed by Chris Lattner and is distributed under
6// the University of Illinois Open Source License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// This utility may be invoked in the following manner:
11// clang --help - Output help info.
12// clang [options] - Read from stdin.
13// clang [options] file - Read from "file".
14// clang [options] file1 file2 - Read these files.
15//
16//===----------------------------------------------------------------------===//
17//
18// TODO: Options to support:
19//
20// -ffatal-errors
21// -ftabstop=width
22//
23//===----------------------------------------------------------------------===//
24
25#include "clang.h"
Chris Lattner97e8b6f2007-10-07 06:04:32 +000026#include "ASTConsumers.h"
Reid Spencer5f016e22007-07-11 17:01:13 +000027#include "TextDiagnosticBuffer.h"
28#include "TextDiagnosticPrinter.h"
Chris Lattner556beb72007-09-15 22:56:56 +000029#include "clang/Sema/ASTStreamer.h"
30#include "clang/AST/ASTConsumer.h"
Reid Spencer5f016e22007-07-11 17:01:13 +000031#include "clang/Parse/Parser.h"
32#include "clang/Lex/HeaderSearch.h"
33#include "clang/Basic/FileManager.h"
34#include "clang/Basic/SourceManager.h"
35#include "clang/Basic/TargetInfo.h"
36#include "llvm/Support/CommandLine.h"
37#include "llvm/Support/MemoryBuffer.h"
38#include "llvm/System/Signals.h"
Ted Kremenekae360762007-12-03 22:06:55 +000039#include "llvm/Config/config.h"
Reid Spencer5f016e22007-07-11 17:01:13 +000040#include <memory>
41using namespace clang;
42
43//===----------------------------------------------------------------------===//
44// Global options.
45//===----------------------------------------------------------------------===//
46
47static llvm::cl::opt<bool>
48Verbose("v", llvm::cl::desc("Enable verbose output"));
49static llvm::cl::opt<bool>
50Stats("stats", llvm::cl::desc("Print performance metrics and statistics"));
51
52enum ProgActions {
Chris Lattner77cd2a02007-10-11 00:43:27 +000053 RewriteTest, // Rewriter testing stuff.
Reid Spencer5f016e22007-07-11 17:01:13 +000054 EmitLLVM, // Emit a .ll file.
Chris Lattner3b427b32007-10-11 00:18:28 +000055 ASTPrint, // Parse ASTs and print them.
56 ASTDump, // Parse ASTs and dump them.
57 ASTView, // Parse ASTs and view them in Graphviz.
Ted Kremenekfddd5182007-08-21 21:42:03 +000058 ParseCFGDump, // Parse ASTS. Build CFGs. Print CFGs.
Ted Kremenek055c2752007-09-06 23:00:42 +000059 ParseCFGView, // Parse ASTS. Build CFGs. View CFGs.
Ted Kremeneke4e63342007-09-06 00:17:54 +000060 AnalysisLiveVariables, // Print results of live-variable analysis.
Ted Kremenek055c2752007-09-06 23:00:42 +000061 WarnDeadStores, // Run DeadStores checker on parsed ASTs.
Ted Kremenek44579782007-09-25 18:37:20 +000062 WarnDeadStoresCheck, // Check diagnostics for "DeadStores".
Ted Kremenek2bf55142007-09-17 20:49:30 +000063 WarnUninitVals, // Run UnitializedVariables checker.
Ted Kremenekbfa82c42007-10-16 23:37:27 +000064 TestSerialization, // Run experimental serialization code.
Reid Spencer5f016e22007-07-11 17:01:13 +000065 ParsePrintCallbacks, // Parse and print each callback.
66 ParseSyntaxOnly, // Parse and perform semantic analysis.
67 ParseNoop, // Parse with noop callbacks.
68 RunPreprocessorOnly, // Just lex, no output.
69 PrintPreprocessedInput, // -E mode.
70 DumpTokens // Token dump mode.
71};
72
73static llvm::cl::opt<ProgActions>
74ProgAction(llvm::cl::desc("Choose output type:"), llvm::cl::ZeroOrMore,
75 llvm::cl::init(ParseSyntaxOnly),
76 llvm::cl::values(
77 clEnumValN(RunPreprocessorOnly, "Eonly",
78 "Just run preprocessor, no output (for timings)"),
79 clEnumValN(PrintPreprocessedInput, "E",
80 "Run preprocessor, emit preprocessed file"),
81 clEnumValN(DumpTokens, "dumptokens",
82 "Run preprocessor, dump internal rep of tokens"),
83 clEnumValN(ParseNoop, "parse-noop",
84 "Run parser with noop callbacks (for timings)"),
85 clEnumValN(ParseSyntaxOnly, "fsyntax-only",
86 "Run parser and perform semantic analysis"),
87 clEnumValN(ParsePrintCallbacks, "parse-print-callbacks",
88 "Run parser and print each callback invoked"),
Chris Lattner3b427b32007-10-11 00:18:28 +000089 clEnumValN(ASTPrint, "ast-print",
90 "Build ASTs and then pretty-print them"),
91 clEnumValN(ASTDump, "ast-dump",
92 "Build ASTs and then debug dump them"),
Chris Lattnerea254db2007-10-11 00:37:43 +000093 clEnumValN(ASTView, "ast-view",
Chris Lattner3b427b32007-10-11 00:18:28 +000094 "Build ASTs and view them with GraphViz."),
Ted Kremenekfddd5182007-08-21 21:42:03 +000095 clEnumValN(ParseCFGDump, "dump-cfg",
Ted Kremenek7dba8602007-08-29 21:56:09 +000096 "Run parser, then build and print CFGs."),
97 clEnumValN(ParseCFGView, "view-cfg",
Ted Kremeneke4e63342007-09-06 00:17:54 +000098 "Run parser, then build and view CFGs with Graphviz."),
99 clEnumValN(AnalysisLiveVariables, "dump-live-variables",
Ted Kremenek27b07c52007-09-06 21:26:58 +0000100 "Print results of live variable analysis."),
Ted Kremenek786d3372007-09-25 18:05:45 +0000101 clEnumValN(WarnDeadStores, "warn-dead-stores",
Ted Kremenek055c2752007-09-06 23:00:42 +0000102 "Flag warnings of stores to dead variables."),
Ted Kremenek786d3372007-09-25 18:05:45 +0000103 clEnumValN(WarnUninitVals, "warn-uninit-values",
Ted Kremenek2bf55142007-09-17 20:49:30 +0000104 "Flag warnings of uses of unitialized variables."),
Ted Kremenekbfa82c42007-10-16 23:37:27 +0000105 clEnumValN(TestSerialization, "test-pickling",
106 "Run prototype serializtion code."),
Reid Spencer5f016e22007-07-11 17:01:13 +0000107 clEnumValN(EmitLLVM, "emit-llvm",
Ted Kremenek27b07c52007-09-06 21:26:58 +0000108 "Build ASTs then convert to LLVM, emit .ll file"),
Chris Lattner77cd2a02007-10-11 00:43:27 +0000109 clEnumValN(RewriteTest, "rewrite-test",
110 "Playground for the code rewriter"),
Reid Spencer5f016e22007-07-11 17:01:13 +0000111 clEnumValEnd));
112
Ted Kremenek41193e42007-09-26 19:42:19 +0000113static llvm::cl::opt<bool>
114VerifyDiagnostics("verify",
115 llvm::cl::desc("Verify emitted diagnostics and warnings."));
116
Reid Spencer5f016e22007-07-11 17:01:13 +0000117//===----------------------------------------------------------------------===//
118// Language Options
119//===----------------------------------------------------------------------===//
120
121enum LangKind {
122 langkind_unspecified,
123 langkind_c,
124 langkind_c_cpp,
125 langkind_cxx,
126 langkind_cxx_cpp,
127 langkind_objc,
128 langkind_objc_cpp,
129 langkind_objcxx,
130 langkind_objcxx_cpp
131};
132
133/* TODO: GCC also accepts:
134 c-header c++-header objective-c-header objective-c++-header
135 assembler assembler-with-cpp
136 ada, f77*, ratfor (!), f95, java, treelang
137 */
138static llvm::cl::opt<LangKind>
139BaseLang("x", llvm::cl::desc("Base language to compile"),
140 llvm::cl::init(langkind_unspecified),
141 llvm::cl::values(clEnumValN(langkind_c, "c", "C"),
142 clEnumValN(langkind_cxx, "c++", "C++"),
143 clEnumValN(langkind_objc, "objective-c", "Objective C"),
144 clEnumValN(langkind_objcxx,"objective-c++","Objective C++"),
145 clEnumValN(langkind_c_cpp, "c-cpp-output",
146 "Preprocessed C"),
147 clEnumValN(langkind_cxx_cpp, "c++-cpp-output",
148 "Preprocessed C++"),
149 clEnumValN(langkind_objc_cpp, "objective-c-cpp-output",
150 "Preprocessed Objective C"),
151 clEnumValN(langkind_objcxx_cpp,"objective-c++-cpp-output",
152 "Preprocessed Objective C++"),
153 clEnumValEnd));
154
155static llvm::cl::opt<bool>
156LangObjC("ObjC", llvm::cl::desc("Set base language to Objective-C"),
157 llvm::cl::Hidden);
158static llvm::cl::opt<bool>
159LangObjCXX("ObjC++", llvm::cl::desc("Set base language to Objective-C++"),
160 llvm::cl::Hidden);
161
162/// InitializeBaseLanguage - Handle the -x foo options or infer a base language
163/// from the input filename.
164static void InitializeBaseLanguage(LangOptions &Options,
165 const std::string &Filename) {
166 if (BaseLang == langkind_unspecified) {
167 std::string::size_type DotPos = Filename.rfind('.');
168 if (LangObjC) {
169 BaseLang = langkind_objc;
170 } else if (LangObjCXX) {
171 BaseLang = langkind_objcxx;
172 } else if (DotPos == std::string::npos) {
173 BaseLang = langkind_c; // Default to C if no extension.
174 } else {
175 std::string Ext = std::string(Filename.begin()+DotPos+1, Filename.end());
176 // C header: .h
177 // C++ header: .hh or .H;
178 // assembler no preprocessing: .s
179 // assembler: .S
180 if (Ext == "c")
181 BaseLang = langkind_c;
182 else if (Ext == "i")
183 BaseLang = langkind_c_cpp;
184 else if (Ext == "ii")
185 BaseLang = langkind_cxx_cpp;
186 else if (Ext == "m")
187 BaseLang = langkind_objc;
188 else if (Ext == "mi")
189 BaseLang = langkind_objc_cpp;
190 else if (Ext == "mm" || Ext == "M")
191 BaseLang = langkind_objcxx;
192 else if (Ext == "mii")
193 BaseLang = langkind_objcxx_cpp;
194 else if (Ext == "C" || Ext == "cc" || Ext == "cpp" || Ext == "CPP" ||
195 Ext == "c++" || Ext == "cp" || Ext == "cxx")
196 BaseLang = langkind_cxx;
197 else
198 BaseLang = langkind_c;
199 }
200 }
201
202 // FIXME: implement -fpreprocessed mode.
203 bool NoPreprocess = false;
204
205 switch (BaseLang) {
206 default: assert(0 && "Unknown language kind!");
207 case langkind_c_cpp:
208 NoPreprocess = true;
209 // FALLTHROUGH
210 case langkind_c:
211 break;
212 case langkind_cxx_cpp:
213 NoPreprocess = true;
214 // FALLTHROUGH
215 case langkind_cxx:
216 Options.CPlusPlus = 1;
217 break;
218 case langkind_objc_cpp:
219 NoPreprocess = true;
220 // FALLTHROUGH
221 case langkind_objc:
222 Options.ObjC1 = Options.ObjC2 = 1;
223 break;
224 case langkind_objcxx_cpp:
225 NoPreprocess = true;
226 // FALLTHROUGH
227 case langkind_objcxx:
228 Options.ObjC1 = Options.ObjC2 = 1;
229 Options.CPlusPlus = 1;
230 break;
231 }
232}
233
234/// LangStds - Language standards we support.
235enum LangStds {
236 lang_unspecified,
237 lang_c89, lang_c94, lang_c99,
238 lang_gnu89, lang_gnu99,
Chris Lattnerd4b80f12007-07-16 04:18:29 +0000239 lang_cxx98, lang_gnucxx98,
240 lang_cxx0x, lang_gnucxx0x
Reid Spencer5f016e22007-07-11 17:01:13 +0000241};
242
243static llvm::cl::opt<LangStds>
244LangStd("std", llvm::cl::desc("Language standard to compile for"),
245 llvm::cl::init(lang_unspecified),
246 llvm::cl::values(clEnumValN(lang_c89, "c89", "ISO C 1990"),
247 clEnumValN(lang_c89, "c90", "ISO C 1990"),
248 clEnumValN(lang_c89, "iso9899:1990", "ISO C 1990"),
249 clEnumValN(lang_c94, "iso9899:199409",
250 "ISO C 1990 with amendment 1"),
251 clEnumValN(lang_c99, "c99", "ISO C 1999"),
252// clEnumValN(lang_c99, "c9x", "ISO C 1999"),
253 clEnumValN(lang_c99, "iso9899:1999", "ISO C 1999"),
254// clEnumValN(lang_c99, "iso9899:199x", "ISO C 1999"),
255 clEnumValN(lang_gnu89, "gnu89",
256 "ISO C 1990 with GNU extensions (default for C)"),
257 clEnumValN(lang_gnu99, "gnu99",
258 "ISO C 1999 with GNU extensions"),
259 clEnumValN(lang_gnu99, "gnu9x",
260 "ISO C 1999 with GNU extensions"),
261 clEnumValN(lang_cxx98, "c++98",
262 "ISO C++ 1998 with amendments"),
263 clEnumValN(lang_gnucxx98, "gnu++98",
264 "ISO C++ 1998 with amendments and GNU "
265 "extensions (default for C++)"),
Chris Lattnerd4b80f12007-07-16 04:18:29 +0000266 clEnumValN(lang_cxx0x, "c++0x",
267 "Upcoming ISO C++ 200x with amendments"),
268 clEnumValN(lang_gnucxx0x, "gnu++0x",
269 "Upcoming ISO C++ 200x with amendments and GNU "
270 "extensions (default for C++)"),
Reid Spencer5f016e22007-07-11 17:01:13 +0000271 clEnumValEnd));
272
273static llvm::cl::opt<bool>
274NoOperatorNames("fno-operator-names",
275 llvm::cl::desc("Do not treat C++ operator name keywords as "
276 "synonyms for operators"));
277
Anders Carlssonee98ac52007-10-15 02:50:23 +0000278static llvm::cl::opt<bool>
279PascalStrings("fpascal-strings",
280 llvm::cl::desc("Recognize and construct Pascal-style "
281 "string literals"));
Chris Lattner45e8cbd2007-11-28 05:34:05 +0000282
283static llvm::cl::opt<bool>
284WritableStrings("fwritable-strings",
285 llvm::cl::desc("Store string literals as writable data."));
Anders Carlsson695dbb62007-11-30 04:21:22 +0000286
287static llvm::cl::opt<bool>
288LaxVectorConversions("flax-vector-conversions",
289 llvm::cl::desc("Allow implicit conversions between vectors"
290 " with a different number of elements or "
291 "different element types."));
Reid Spencer5f016e22007-07-11 17:01:13 +0000292// FIXME: add:
293// -ansi
294// -trigraphs
295// -fdollars-in-identifiers
Anders Carlssonee98ac52007-10-15 02:50:23 +0000296// -fpascal-strings
Reid Spencer5f016e22007-07-11 17:01:13 +0000297static void InitializeLanguageStandard(LangOptions &Options) {
298 if (LangStd == lang_unspecified) {
299 // Based on the base language, pick one.
300 switch (BaseLang) {
301 default: assert(0 && "Unknown base language");
302 case langkind_c:
303 case langkind_c_cpp:
304 case langkind_objc:
305 case langkind_objc_cpp:
306 LangStd = lang_gnu99;
307 break;
308 case langkind_cxx:
309 case langkind_cxx_cpp:
310 case langkind_objcxx:
311 case langkind_objcxx_cpp:
312 LangStd = lang_gnucxx98;
313 break;
314 }
315 }
316
317 switch (LangStd) {
318 default: assert(0 && "Unknown language standard!");
319
320 // Fall through from newer standards to older ones. This isn't really right.
321 // FIXME: Enable specifically the right features based on the language stds.
Chris Lattnerd4b80f12007-07-16 04:18:29 +0000322 case lang_gnucxx0x:
323 case lang_cxx0x:
324 Options.CPlusPlus0x = 1;
325 // FALL THROUGH
Reid Spencer5f016e22007-07-11 17:01:13 +0000326 case lang_gnucxx98:
327 case lang_cxx98:
328 Options.CPlusPlus = 1;
329 Options.CXXOperatorNames = !NoOperatorNames;
Nate Begeman8aebcb72007-11-15 07:30:50 +0000330 Options.Boolean = 1;
Reid Spencer5f016e22007-07-11 17:01:13 +0000331 // FALL THROUGH.
332 case lang_gnu99:
333 case lang_c99:
334 Options.Digraphs = 1;
335 Options.C99 = 1;
336 Options.HexFloats = 1;
337 // FALL THROUGH.
338 case lang_gnu89:
339 Options.BCPLComment = 1; // Only for C99/C++.
340 // FALL THROUGH.
341 case lang_c94:
342 case lang_c89:
343 break;
344 }
345
346 Options.Trigraphs = 1; // -trigraphs or -ansi
347 Options.DollarIdents = 1; // FIXME: Really a target property.
Anders Carlssonee98ac52007-10-15 02:50:23 +0000348 Options.PascalStrings = PascalStrings;
Chris Lattner45e8cbd2007-11-28 05:34:05 +0000349 Options.WritableStrings = WritableStrings;
Anders Carlsson695dbb62007-11-30 04:21:22 +0000350 Options.LaxVectorConversions = LaxVectorConversions;
Reid Spencer5f016e22007-07-11 17:01:13 +0000351}
352
353//===----------------------------------------------------------------------===//
354// Our DiagnosticClient implementation
355//===----------------------------------------------------------------------===//
356
357// FIXME: Werror should take a list of things, -Werror=foo,bar
358static llvm::cl::opt<bool>
359WarningsAsErrors("Werror", llvm::cl::desc("Treat all warnings as errors"));
360
361static llvm::cl::opt<bool>
362WarnOnExtensions("pedantic", llvm::cl::init(false),
363 llvm::cl::desc("Issue a warning on uses of GCC extensions"));
364
365static llvm::cl::opt<bool>
366ErrorOnExtensions("pedantic-errors",
367 llvm::cl::desc("Issue an error on uses of GCC extensions"));
368
369static llvm::cl::opt<bool>
370WarnUnusedMacros("Wunused_macros",
371 llvm::cl::desc("Warn for unused macros in the main translation unit"));
372
Ted Kremenekdb87bca2007-11-13 18:37:02 +0000373static llvm::cl::opt<bool>
374WarnFloatEqual("Wfloat-equal",
375 llvm::cl::desc("Warn about equality comparisons of floating point values."));
376
Reid Spencer5f016e22007-07-11 17:01:13 +0000377/// InitializeDiagnostics - Initialize the diagnostic object, based on the
378/// current command line option settings.
379static void InitializeDiagnostics(Diagnostic &Diags) {
380 Diags.setWarningsAsErrors(WarningsAsErrors);
381 Diags.setWarnOnExtensions(WarnOnExtensions);
382 Diags.setErrorOnExtensions(ErrorOnExtensions);
383
384 // Silence the "macro is not used" warning unless requested.
385 if (!WarnUnusedMacros)
386 Diags.setDiagnosticMapping(diag::pp_macro_not_used, diag::MAP_IGNORE);
Ted Kremenekdb87bca2007-11-13 18:37:02 +0000387
388 // Silence "floating point comparison" warnings unless requested.
389 if (!WarnFloatEqual)
390 Diags.setDiagnosticMapping(diag::warn_floatingpoint_eq, diag::MAP_IGNORE);
Reid Spencer5f016e22007-07-11 17:01:13 +0000391}
392
393//===----------------------------------------------------------------------===//
Ted Kremenekae360762007-12-03 22:06:55 +0000394// Target Triple Processing.
395//===----------------------------------------------------------------------===//
396
397static llvm::cl::opt<std::string>
398TargetTriple("triple",
399 llvm::cl::desc("Specify target triple (e.g. i686-apple-darwin9)."));
400
401static llvm::cl::list<std::string>
402Archs("arch",
403 llvm::cl::desc("Specify target architecture (e.g. i686)."));
404
405namespace {
406 class TripleProcessor {
407 llvm::StringMap<char> TriplesProcessed;
408 std::vector<std::string>& triples;
409 public:
410 TripleProcessor(std::vector<std::string>& t) : triples(t) {}
411
412 void addTriple(const std::string& t) {
413 if (TriplesProcessed.find(t.c_str(),t.c_str()+t.size()) ==
414 TriplesProcessed.end()) {
415 triples.push_back(t);
416 TriplesProcessed.GetOrCreateValue(t.c_str(),t.c_str()+t.size());
417 }
418 }
419 };
420}
421
422static void CreateTargetTriples(std::vector<std::string>& triples) {
423 std::string base_triple;
424
425 // Initialize base triple. If a -triple option has been specified, use
426 // that triple. Otherwise, default to the host triple.
Ted Kremenekaead4722007-12-03 23:23:21 +0000427 if (TargetTriple.getValue().empty()) {
428 // HACK: For non-darwin systems, we don't have any real target support
429 // yet. For these systems, set the target to darwin.
Ted Kremenek05ca5992007-12-03 23:25:59 +0000430 if (!strstr(LLVM_HOSTTRIPLE,"darwin"))
Ted Kremenekaead4722007-12-03 23:23:21 +0000431 base_triple = "i386-apple-darwin";
432 else
433 base_triple = LLVM_HOSTTRIPLE;
434 }
Ted Kremenekae360762007-12-03 22:06:55 +0000435 else
436 base_triple = TargetTriple.getValue();
437
438 // Decompose the base triple into "arch" and suffix.
439 std::string::size_type firstDash = base_triple.find("-");
440
Ted Kremenek9b4ebc22007-12-03 22:11:31 +0000441 if (firstDash == std::string::npos) {
442 fprintf(stderr,
443 "Malformed target triple: \"%s\" ('-' could not be found).\n",
444 base_triple.c_str());
445 exit (1);
446 }
Ted Kremenekae360762007-12-03 22:06:55 +0000447
448 std::string suffix(base_triple,firstDash+1);
Ted Kremenek9b4ebc22007-12-03 22:11:31 +0000449
450 if (suffix.empty()) {
451 fprintf(stderr,
452 "Malformed target triple: \"%s\" (no vendor or OS).\n",
453 base_triple.c_str());
454 exit (1);
455 }
Ted Kremenekae360762007-12-03 22:06:55 +0000456
457 // Create triple cacher.
458 TripleProcessor tp(triples);
459
460 // Add the primary triple to our set of triples if we are using the
461 // host-triple with no archs or using a specified target triple.
462 if (!TargetTriple.getValue().empty() || Archs.empty())
463 tp.addTriple(base_triple);
464
465 for (unsigned i = 0, e = Archs.size(); i !=e; ++i)
466 tp.addTriple(Archs[i] + "-" + suffix);
467}
468
469//===----------------------------------------------------------------------===//
Reid Spencer5f016e22007-07-11 17:01:13 +0000470// Preprocessor Initialization
471//===----------------------------------------------------------------------===//
472
473// FIXME: Preprocessor builtins to support.
474// -A... - Play with #assertions
475// -undef - Undefine all predefined macros
476
477static llvm::cl::list<std::string>
478D_macros("D", llvm::cl::value_desc("macro"), llvm::cl::Prefix,
479 llvm::cl::desc("Predefine the specified macro"));
480static llvm::cl::list<std::string>
481U_macros("U", llvm::cl::value_desc("macro"), llvm::cl::Prefix,
482 llvm::cl::desc("Undefine the specified macro"));
483
484// Append a #define line to Buf for Macro. Macro should be of the form XXX,
485// in which case we emit "#define XXX 1" or "XXX=Y z W" in which case we emit
486// "#define XXX Y z W". To get a #define with no value, use "XXX=".
487static void DefineBuiltinMacro(std::vector<char> &Buf, const char *Macro,
488 const char *Command = "#define ") {
489 Buf.insert(Buf.end(), Command, Command+strlen(Command));
490 if (const char *Equal = strchr(Macro, '=')) {
491 // Turn the = into ' '.
492 Buf.insert(Buf.end(), Macro, Equal);
493 Buf.push_back(' ');
494 Buf.insert(Buf.end(), Equal+1, Equal+strlen(Equal));
495 } else {
496 // Push "macroname 1".
497 Buf.insert(Buf.end(), Macro, Macro+strlen(Macro));
498 Buf.push_back(' ');
499 Buf.push_back('1');
500 }
501 Buf.push_back('\n');
502}
503
Reid Spencer5f016e22007-07-11 17:01:13 +0000504
Chris Lattner53b0dab2007-10-09 22:10:18 +0000505/// InitializePreprocessor - Initialize the preprocessor getting it and the
506/// environment ready to process a single file. This returns the file ID for the
507/// input file. If a failure happens, it returns 0.
508///
509static unsigned InitializePreprocessor(Preprocessor &PP,
510 const std::string &InFile,
511 SourceManager &SourceMgr,
512 HeaderSearch &HeaderInfo,
513 const LangOptions &LangInfo,
514 std::vector<char> &PredefineBuffer) {
Reid Spencer5f016e22007-07-11 17:01:13 +0000515
Chris Lattner53b0dab2007-10-09 22:10:18 +0000516 FileManager &FileMgr = HeaderInfo.getFileMgr();
Reid Spencer5f016e22007-07-11 17:01:13 +0000517
Chris Lattner53b0dab2007-10-09 22:10:18 +0000518 // Figure out where to get and map in the main file.
519 unsigned MainFileID = 0;
520 if (InFile != "-") {
521 const FileEntry *File = FileMgr.getFile(InFile);
522 if (File) MainFileID = SourceMgr.createFileID(File, SourceLocation());
523 if (MainFileID == 0) {
524 fprintf(stderr, "Error reading '%s'!\n",InFile.c_str());
525 return 0;
526 }
527 } else {
528 llvm::MemoryBuffer *SB = llvm::MemoryBuffer::getSTDIN();
529 if (SB) MainFileID = SourceMgr.createFileIDForMemBuffer(SB);
530 if (MainFileID == 0) {
531 fprintf(stderr, "Error reading standard input! Empty?\n");
532 return 0;
533 }
Reid Spencer5f016e22007-07-11 17:01:13 +0000534 }
535
Reid Spencer5f016e22007-07-11 17:01:13 +0000536 // Add macros from the command line.
537 // FIXME: Should traverse the #define/#undef lists in parallel.
538 for (unsigned i = 0, e = D_macros.size(); i != e; ++i)
Chris Lattner53b0dab2007-10-09 22:10:18 +0000539 DefineBuiltinMacro(PredefineBuffer, D_macros[i].c_str());
Reid Spencer5f016e22007-07-11 17:01:13 +0000540 for (unsigned i = 0, e = U_macros.size(); i != e; ++i)
Chris Lattner53b0dab2007-10-09 22:10:18 +0000541 DefineBuiltinMacro(PredefineBuffer, U_macros[i].c_str(), "#undef ");
542
543 // FIXME: Read any files specified by -imacros or -include.
544
545 // Null terminate PredefinedBuffer and add it.
546 PredefineBuffer.push_back(0);
547 PP.setPredefines(&PredefineBuffer[0]);
548
549 // Once we've read this, we're done.
550 return MainFileID;
Reid Spencer5f016e22007-07-11 17:01:13 +0000551}
Chris Lattner53b0dab2007-10-09 22:10:18 +0000552
553
Reid Spencer5f016e22007-07-11 17:01:13 +0000554
555//===----------------------------------------------------------------------===//
556// Preprocessor include path information.
557//===----------------------------------------------------------------------===//
558
559// This tool exports a large number of command line options to control how the
560// preprocessor searches for header files. At root, however, the Preprocessor
561// object takes a very simple interface: a list of directories to search for
562//
563// FIXME: -nostdinc,-nostdinc++
Chris Lattner0c946412007-08-26 17:47:35 +0000564// FIXME: -imultilib
Reid Spencer5f016e22007-07-11 17:01:13 +0000565//
566// FIXME: -include,-imacros
567
568static llvm::cl::opt<bool>
569nostdinc("nostdinc", llvm::cl::desc("Disable standard #include directories"));
570
571// Various command line options. These four add directories to each chain.
572static llvm::cl::list<std::string>
573F_dirs("F", llvm::cl::value_desc("directory"), llvm::cl::Prefix,
574 llvm::cl::desc("Add directory to framework include search path"));
575static llvm::cl::list<std::string>
576I_dirs("I", llvm::cl::value_desc("directory"), llvm::cl::Prefix,
577 llvm::cl::desc("Add directory to include search path"));
578static llvm::cl::list<std::string>
579idirafter_dirs("idirafter", llvm::cl::value_desc("directory"), llvm::cl::Prefix,
580 llvm::cl::desc("Add directory to AFTER include search path"));
581static llvm::cl::list<std::string>
582iquote_dirs("iquote", llvm::cl::value_desc("directory"), llvm::cl::Prefix,
583 llvm::cl::desc("Add directory to QUOTE include search path"));
584static llvm::cl::list<std::string>
585isystem_dirs("isystem", llvm::cl::value_desc("directory"), llvm::cl::Prefix,
586 llvm::cl::desc("Add directory to SYSTEM include search path"));
587
588// These handle -iprefix/-iwithprefix/-iwithprefixbefore.
589static llvm::cl::list<std::string>
590iprefix_vals("iprefix", llvm::cl::value_desc("prefix"), llvm::cl::Prefix,
591 llvm::cl::desc("Set the -iwithprefix/-iwithprefixbefore prefix"));
592static llvm::cl::list<std::string>
593iwithprefix_vals("iwithprefix", llvm::cl::value_desc("dir"), llvm::cl::Prefix,
594 llvm::cl::desc("Set directory to SYSTEM include search path with prefix"));
595static llvm::cl::list<std::string>
596iwithprefixbefore_vals("iwithprefixbefore", llvm::cl::value_desc("dir"),
597 llvm::cl::Prefix,
598 llvm::cl::desc("Set directory to include search path with prefix"));
599
Chris Lattner0c946412007-08-26 17:47:35 +0000600static llvm::cl::opt<std::string>
601isysroot("isysroot", llvm::cl::value_desc("dir"), llvm::cl::init("/"),
602 llvm::cl::desc("Set the system root directory (usually /)"));
603
Reid Spencer5f016e22007-07-11 17:01:13 +0000604// Finally, implement the code that groks the options above.
605enum IncludeDirGroup {
606 Quoted = 0,
607 Angled,
608 System,
609 After
610};
611
612static std::vector<DirectoryLookup> IncludeGroup[4];
613
614/// AddPath - Add the specified path to the specified group list.
615///
616static void AddPath(const std::string &Path, IncludeDirGroup Group,
617 bool isCXXAware, bool isUserSupplied,
618 bool isFramework, FileManager &FM) {
Chris Lattner0c946412007-08-26 17:47:35 +0000619 const DirectoryEntry *DE;
620 if (Group == System)
621 DE = FM.getDirectory(isysroot + "/" + Path);
622 else
623 DE = FM.getDirectory(Path);
624
Reid Spencer5f016e22007-07-11 17:01:13 +0000625 if (DE == 0) {
626 if (Verbose)
627 fprintf(stderr, "ignoring nonexistent directory \"%s\"\n",
628 Path.c_str());
629 return;
630 }
631
632 DirectoryLookup::DirType Type;
633 if (Group == Quoted || Group == Angled)
634 Type = DirectoryLookup::NormalHeaderDir;
635 else if (isCXXAware)
636 Type = DirectoryLookup::SystemHeaderDir;
637 else
638 Type = DirectoryLookup::ExternCSystemHeaderDir;
639
640 IncludeGroup[Group].push_back(DirectoryLookup(DE, Type, isUserSupplied,
641 isFramework));
642}
643
644/// RemoveDuplicates - If there are duplicate directory entries in the specified
645/// search list, remove the later (dead) ones.
646static void RemoveDuplicates(std::vector<DirectoryLookup> &SearchList) {
647 std::set<const DirectoryEntry *> SeenDirs;
648 for (unsigned i = 0; i != SearchList.size(); ++i) {
649 // If this isn't the first time we've seen this dir, remove it.
650 if (!SeenDirs.insert(SearchList[i].getDir()).second) {
651 if (Verbose)
652 fprintf(stderr, "ignoring duplicate directory \"%s\"\n",
653 SearchList[i].getDir()->getName());
654 SearchList.erase(SearchList.begin()+i);
655 --i;
656 }
657 }
658}
659
660/// InitializeIncludePaths - Process the -I options and set them in the
661/// HeaderSearch object.
662static void InitializeIncludePaths(HeaderSearch &Headers, FileManager &FM,
Chris Lattner4f037832007-12-05 23:24:17 +0000663 const LangOptions &Lang) {
Reid Spencer5f016e22007-07-11 17:01:13 +0000664 // Handle -F... options.
665 for (unsigned i = 0, e = F_dirs.size(); i != e; ++i)
666 AddPath(F_dirs[i], Angled, false, true, true, FM);
667
668 // Handle -I... options.
Chris Lattner4f037832007-12-05 23:24:17 +0000669 for (unsigned i = 0, e = I_dirs.size(); i != e; ++i)
670 AddPath(I_dirs[i], Angled, false, true, false, FM);
Reid Spencer5f016e22007-07-11 17:01:13 +0000671
672 // Handle -idirafter... options.
673 for (unsigned i = 0, e = idirafter_dirs.size(); i != e; ++i)
674 AddPath(idirafter_dirs[i], After, false, true, false, FM);
675
676 // Handle -iquote... options.
677 for (unsigned i = 0, e = iquote_dirs.size(); i != e; ++i)
678 AddPath(iquote_dirs[i], Quoted, false, true, false, FM);
679
680 // Handle -isystem... options.
681 for (unsigned i = 0, e = isystem_dirs.size(); i != e; ++i)
682 AddPath(isystem_dirs[i], System, false, true, false, FM);
683
684 // Walk the -iprefix/-iwithprefix/-iwithprefixbefore argument lists in
685 // parallel, processing the values in order of occurance to get the right
686 // prefixes.
687 {
688 std::string Prefix = ""; // FIXME: this isn't the correct default prefix.
689 unsigned iprefix_idx = 0;
690 unsigned iwithprefix_idx = 0;
691 unsigned iwithprefixbefore_idx = 0;
692 bool iprefix_done = iprefix_vals.empty();
693 bool iwithprefix_done = iwithprefix_vals.empty();
694 bool iwithprefixbefore_done = iwithprefixbefore_vals.empty();
695 while (!iprefix_done || !iwithprefix_done || !iwithprefixbefore_done) {
696 if (!iprefix_done &&
697 (iwithprefix_done ||
698 iprefix_vals.getPosition(iprefix_idx) <
699 iwithprefix_vals.getPosition(iwithprefix_idx)) &&
700 (iwithprefixbefore_done ||
701 iprefix_vals.getPosition(iprefix_idx) <
702 iwithprefixbefore_vals.getPosition(iwithprefixbefore_idx))) {
703 Prefix = iprefix_vals[iprefix_idx];
704 ++iprefix_idx;
705 iprefix_done = iprefix_idx == iprefix_vals.size();
706 } else if (!iwithprefix_done &&
707 (iwithprefixbefore_done ||
708 iwithprefix_vals.getPosition(iwithprefix_idx) <
709 iwithprefixbefore_vals.getPosition(iwithprefixbefore_idx))) {
710 AddPath(Prefix+iwithprefix_vals[iwithprefix_idx],
711 System, false, false, false, FM);
712 ++iwithprefix_idx;
713 iwithprefix_done = iwithprefix_idx == iwithprefix_vals.size();
714 } else {
715 AddPath(Prefix+iwithprefixbefore_vals[iwithprefixbefore_idx],
716 Angled, false, false, false, FM);
717 ++iwithprefixbefore_idx;
718 iwithprefixbefore_done =
719 iwithprefixbefore_idx == iwithprefixbefore_vals.size();
720 }
721 }
722 }
723
724 // FIXME: Add contents of the CPATH, C_INCLUDE_PATH, CPLUS_INCLUDE_PATH,
725 // OBJC_INCLUDE_PATH, OBJCPLUS_INCLUDE_PATH environment variables.
726
727 // FIXME: temporary hack: hard-coded paths.
728 // FIXME: get these from the target?
729 if (!nostdinc) {
730 if (Lang.CPlusPlus) {
731 AddPath("/usr/include/c++/4.0.0", System, true, false, false, FM);
732 AddPath("/usr/include/c++/4.0.0/i686-apple-darwin8", System, true, false,
733 false, FM);
734 AddPath("/usr/include/c++/4.0.0/backward", System, true, false, false,FM);
735 }
736
737 AddPath("/usr/local/include", System, false, false, false, FM);
738 // leopard
739 AddPath("/usr/lib/gcc/i686-apple-darwin9/4.0.1/include", System,
740 false, false, false, FM);
741 AddPath("/usr/lib/gcc/powerpc-apple-darwin9/4.0.1/include",
742 System, false, false, false, FM);
743 AddPath("/usr/lib/gcc/powerpc-apple-darwin9/"
744 "4.0.1/../../../../powerpc-apple-darwin0/include",
745 System, false, false, false, FM);
746
747 // tiger
748 AddPath("/usr/lib/gcc/i686-apple-darwin8/4.0.1/include", System,
749 false, false, false, FM);
750 AddPath("/usr/lib/gcc/powerpc-apple-darwin8/4.0.1/include",
751 System, false, false, false, FM);
752 AddPath("/usr/lib/gcc/powerpc-apple-darwin8/"
753 "4.0.1/../../../../powerpc-apple-darwin8/include",
754 System, false, false, false, FM);
755
756 AddPath("/usr/include", System, false, false, false, FM);
757 AddPath("/System/Library/Frameworks", System, true, false, true, FM);
758 AddPath("/Library/Frameworks", System, true, false, true, FM);
759 }
760
761 // Now that we have collected all of the include paths, merge them all
762 // together and tell the preprocessor about them.
763
764 // Concatenate ANGLE+SYSTEM+AFTER chains together into SearchList.
765 std::vector<DirectoryLookup> SearchList;
766 SearchList = IncludeGroup[Angled];
767 SearchList.insert(SearchList.end(), IncludeGroup[System].begin(),
768 IncludeGroup[System].end());
769 SearchList.insert(SearchList.end(), IncludeGroup[After].begin(),
770 IncludeGroup[After].end());
771 RemoveDuplicates(SearchList);
772 RemoveDuplicates(IncludeGroup[Quoted]);
773
774 // Prepend QUOTED list on the search list.
775 SearchList.insert(SearchList.begin(), IncludeGroup[Quoted].begin(),
776 IncludeGroup[Quoted].end());
777
778
779 bool DontSearchCurDir = false; // TODO: set to true if -I- is set?
780 Headers.SetSearchPaths(SearchList, IncludeGroup[Quoted].size(),
781 DontSearchCurDir);
782
783 // If verbose, print the list of directories that will be searched.
784 if (Verbose) {
785 fprintf(stderr, "#include \"...\" search starts here:\n");
786 unsigned QuotedIdx = IncludeGroup[Quoted].size();
787 for (unsigned i = 0, e = SearchList.size(); i != e; ++i) {
788 if (i == QuotedIdx)
789 fprintf(stderr, "#include <...> search starts here:\n");
790 fprintf(stderr, " %s\n", SearchList[i].getDir()->getName());
791 }
792 }
793}
794
795
Reid Spencer5f016e22007-07-11 17:01:13 +0000796//===----------------------------------------------------------------------===//
797// Basic Parser driver
798//===----------------------------------------------------------------------===//
799
800static void ParseFile(Preprocessor &PP, MinimalAction *PA, unsigned MainFileID){
801 Parser P(PP, *PA);
Chris Lattner53b0dab2007-10-09 22:10:18 +0000802 PP.EnterMainSourceFile(MainFileID);
Reid Spencer5f016e22007-07-11 17:01:13 +0000803
804 // Parsing the specified input file.
805 P.ParseTranslationUnit();
806 delete PA;
807}
808
809//===----------------------------------------------------------------------===//
810// Main driver
811//===----------------------------------------------------------------------===//
812
Ted Kremenekdb094a22007-12-05 18:27:04 +0000813/// CreateASTConsumer - Create the ASTConsumer for the corresponding program
814/// action. These consumers can operate on both ASTs that are freshly
815/// parsed from source files as well as those deserialized from Bitcode.
816static ASTConsumer* CreateASTConsumer(Diagnostic& Diag, FileManager& FileMgr,
817 const LangOptions& LangOpts) {
818 switch (ProgAction) {
819 default:
820 return NULL;
821
822 case ASTPrint:
823 return CreateASTPrinter();
824
825 case ASTDump:
826 return CreateASTDumper();
827
828 case ASTView:
829 return CreateASTViewer();
830
831 case ParseCFGDump:
832 case ParseCFGView:
833 return CreateCFGDumper(ProgAction == ParseCFGView);
834
835 case AnalysisLiveVariables:
836 return CreateLiveVarAnalyzer();
837
838 case WarnDeadStores:
839 return CreateDeadStoreChecker(Diag);
840
841 case WarnUninitVals:
842 return CreateUnitValsChecker(Diag);
843
844 case TestSerialization:
Ted Kremenekacc9f332007-12-05 21:34:36 +0000845 return CreateSerializationTest(Diag, FileMgr, LangOpts);
Ted Kremenekdb094a22007-12-05 18:27:04 +0000846
847 case EmitLLVM:
848 return CreateLLVMEmitter(Diag, LangOpts);
849
850 case RewriteTest:
851 return CreateCodeRewriterTest(Diag);
852 }
853}
854
Reid Spencer5f016e22007-07-11 17:01:13 +0000855/// ProcessInputFile - Process a single input file with the specified state.
856///
857static void ProcessInputFile(Preprocessor &PP, unsigned MainFileID,
858 const std::string &InFile,
859 SourceManager &SourceMgr,
860 TextDiagnostics &OurDiagnosticClient,
861 HeaderSearch &HeaderInfo,
862 const LangOptions &LangInfo) {
Ted Kremenekd39bcd82007-09-26 18:39:29 +0000863
864 ASTConsumer* Consumer = NULL;
Chris Lattnerbd247762007-07-22 06:05:44 +0000865 bool ClearSourceMgr = false;
Ted Kremenekd39bcd82007-09-26 18:39:29 +0000866
Reid Spencer5f016e22007-07-11 17:01:13 +0000867 switch (ProgAction) {
868 default:
Ted Kremenekdb094a22007-12-05 18:27:04 +0000869 Consumer = CreateASTConsumer(PP.getDiagnostics(), HeaderInfo.getFileMgr(),
870 PP.getLangOptions());
871
872 if (!Consumer) {
873 fprintf(stderr, "Unexpected program action!\n");
874 return;
875 }
876 break;
877
Reid Spencer5f016e22007-07-11 17:01:13 +0000878 case DumpTokens: { // Token dump mode.
Chris Lattnerd2177732007-07-20 16:59:19 +0000879 Token Tok;
Reid Spencer5f016e22007-07-11 17:01:13 +0000880 // Start parsing the specified input file.
Chris Lattner53b0dab2007-10-09 22:10:18 +0000881 PP.EnterMainSourceFile(MainFileID);
Reid Spencer5f016e22007-07-11 17:01:13 +0000882 do {
883 PP.Lex(Tok);
884 PP.DumpToken(Tok, true);
885 fprintf(stderr, "\n");
Chris Lattner057aaf62007-10-09 18:03:42 +0000886 } while (Tok.isNot(tok::eof));
Chris Lattnerbd247762007-07-22 06:05:44 +0000887 ClearSourceMgr = true;
Reid Spencer5f016e22007-07-11 17:01:13 +0000888 break;
889 }
890 case RunPreprocessorOnly: { // Just lex as fast as we can, no output.
Chris Lattnerd2177732007-07-20 16:59:19 +0000891 Token Tok;
Reid Spencer5f016e22007-07-11 17:01:13 +0000892 // Start parsing the specified input file.
Chris Lattner53b0dab2007-10-09 22:10:18 +0000893 PP.EnterMainSourceFile(MainFileID);
Reid Spencer5f016e22007-07-11 17:01:13 +0000894 do {
895 PP.Lex(Tok);
Chris Lattner057aaf62007-10-09 18:03:42 +0000896 } while (Tok.isNot(tok::eof));
Chris Lattnerbd247762007-07-22 06:05:44 +0000897 ClearSourceMgr = true;
Reid Spencer5f016e22007-07-11 17:01:13 +0000898 break;
899 }
900
901 case PrintPreprocessedInput: // -E mode.
902 DoPrintPreprocessedInput(MainFileID, PP, LangInfo);
Chris Lattnerbd247762007-07-22 06:05:44 +0000903 ClearSourceMgr = true;
Reid Spencer5f016e22007-07-11 17:01:13 +0000904 break;
905
906 case ParseNoop: // -parse-noop
Steve Naroffb4292f22007-10-31 20:55:39 +0000907 ParseFile(PP, new MinimalAction(PP.getIdentifierTable()), MainFileID);
Chris Lattnerbd247762007-07-22 06:05:44 +0000908 ClearSourceMgr = true;
Reid Spencer5f016e22007-07-11 17:01:13 +0000909 break;
910
911 case ParsePrintCallbacks:
Steve Naroffb4292f22007-10-31 20:55:39 +0000912 ParseFile(PP, CreatePrintParserActionsAction(PP.getIdentifierTable()),
913 MainFileID);
Chris Lattnerbd247762007-07-22 06:05:44 +0000914 ClearSourceMgr = true;
Reid Spencer5f016e22007-07-11 17:01:13 +0000915 break;
Ted Kremenek44579782007-09-25 18:37:20 +0000916
Ted Kremenekd39bcd82007-09-26 18:39:29 +0000917 case ParseSyntaxOnly: // -fsyntax-only
Ted Kremenekd39bcd82007-09-26 18:39:29 +0000918 Consumer = new ASTConsumer();
Ted Kremenek2bf55142007-09-17 20:49:30 +0000919 break;
Chris Lattner580980b2007-09-16 19:46:59 +0000920 }
Ted Kremenekd39bcd82007-09-26 18:39:29 +0000921
922 if (Consumer) {
Ted Kremenek9f3d9422007-09-26 20:14:22 +0000923 if (VerifyDiagnostics)
Chris Lattner31e6c7d2007-11-03 06:24:16 +0000924 exit(CheckASTConsumer(PP, MainFileID, Consumer));
925
926 // This deletes Consumer.
927 ParseAST(PP, MainFileID, Consumer, Stats);
Reid Spencer5f016e22007-07-11 17:01:13 +0000928 }
929
930 if (Stats) {
931 fprintf(stderr, "\nSTATISTICS FOR '%s':\n", InFile.c_str());
932 PP.PrintStats();
933 PP.getIdentifierTable().PrintStats();
934 HeaderInfo.PrintStats();
Chris Lattnerbd247762007-07-22 06:05:44 +0000935 if (ClearSourceMgr)
936 SourceMgr.PrintStats();
Reid Spencer5f016e22007-07-11 17:01:13 +0000937 fprintf(stderr, "\n");
938 }
Chris Lattnerbd247762007-07-22 06:05:44 +0000939
940 // For a multi-file compilation, some things are ok with nuking the source
941 // manager tables, other require stable fileid/macroid's across multiple
942 // files.
943 if (ClearSourceMgr) {
944 SourceMgr.clearIDTables();
945 }
Reid Spencer5f016e22007-07-11 17:01:13 +0000946}
947
948static llvm::cl::list<std::string>
949InputFilenames(llvm::cl::Positional, llvm::cl::desc("<input files>"));
950
951
952int main(int argc, char **argv) {
953 llvm::cl::ParseCommandLineOptions(argc, argv, " llvm cfe\n");
954 llvm::sys::PrintStackTraceOnErrorSignal();
955
956 // If no input was specified, read from stdin.
957 if (InputFilenames.empty())
958 InputFilenames.push_back("-");
959
960 /// Create a SourceManager object. This tracks and owns all the file buffers
961 /// allocated to the program.
962 SourceManager SourceMgr;
963
964 // Create a file manager object to provide access to and cache the filesystem.
965 FileManager FileMgr;
966
967 // Initialize language options, inferring file types from input filenames.
968 // FIXME: This infers info from the first file, we should clump by language
969 // to handle 'x.c y.c a.cpp b.cpp'.
970 LangOptions LangInfo;
971 InitializeBaseLanguage(LangInfo, InputFilenames[0]);
972 InitializeLanguageStandard(LangInfo);
973
974 std::auto_ptr<TextDiagnostics> DiagClient;
Ted Kremenek9f3d9422007-09-26 20:14:22 +0000975 if (!VerifyDiagnostics) {
Reid Spencer5f016e22007-07-11 17:01:13 +0000976 // Print diagnostics to stderr by default.
977 DiagClient.reset(new TextDiagnosticPrinter(SourceMgr));
978 } else {
979 // When checking diagnostics, just buffer them up.
980 DiagClient.reset(new TextDiagnosticBuffer(SourceMgr));
981
982 if (InputFilenames.size() != 1) {
983 fprintf(stderr,
Ted Kremenek9f3d9422007-09-26 20:14:22 +0000984 "-verify only works on single input files for now.\n");
Reid Spencer5f016e22007-07-11 17:01:13 +0000985 return 1;
986 }
987 }
988
989 // Configure our handling of diagnostics.
990 Diagnostic Diags(*DiagClient);
991 InitializeDiagnostics(Diags);
992
993 // Get information about the targets being compiled for. Note that this
994 // pointer and the TargetInfoImpl objects are never deleted by this toy
995 // driver.
Ted Kremenekae360762007-12-03 22:06:55 +0000996 TargetInfo *Target;
997
998 { // Create triples, and create the TargetInfo.
999 std::vector<std::string> triples;
1000 CreateTargetTriples(triples);
Ted Kremenekacc9f332007-12-05 21:34:36 +00001001 Target = CreateTargetInfo(triples,&Diags);
Ted Kremenekae360762007-12-03 22:06:55 +00001002
Ted Kremenekaead4722007-12-03 23:23:21 +00001003 if (Target == 0) {
1004 fprintf(stderr, "Sorry, I don't know what target this is: %s\n",
1005 triples[0].c_str());
1006 fprintf(stderr, "Please use -triple or -arch.\n");
1007 exit(1);
1008 }
Reid Spencer5f016e22007-07-11 17:01:13 +00001009 }
1010
Chris Lattner4f037832007-12-05 23:24:17 +00001011 // -I- is a deprecated GCC feature, scan for it and reject it.
1012 for (unsigned i = 0, e = I_dirs.size(); i != e; ++i) {
1013 if (I_dirs[i] == "-") {
1014 Diags.Report(SourceLocation(), diag::err_pp_I_dash_not_supported);
1015 I_dirs.erase(I_dirs.begin()+i);
1016 --i;
1017 }
1018 }
1019
Reid Spencer5f016e22007-07-11 17:01:13 +00001020 // Process the -I options and set them in the HeaderInfo.
1021 HeaderSearch HeaderInfo(FileMgr);
1022 DiagClient->setHeaderSearch(HeaderInfo);
Chris Lattner4f037832007-12-05 23:24:17 +00001023 InitializeIncludePaths(HeaderInfo, FileMgr, LangInfo);
Reid Spencer5f016e22007-07-11 17:01:13 +00001024
1025 for (unsigned i = 0, e = InputFilenames.size(); i != e; ++i) {
1026 // Set up the preprocessor with these options.
1027 Preprocessor PP(Diags, LangInfo, *Target, SourceMgr, HeaderInfo);
Reid Spencer5f016e22007-07-11 17:01:13 +00001028 const std::string &InFile = InputFilenames[i];
Chris Lattner53b0dab2007-10-09 22:10:18 +00001029 std::vector<char> PredefineBuffer;
Reid Spencer5f016e22007-07-11 17:01:13 +00001030 unsigned MainFileID = InitializePreprocessor(PP, InFile, SourceMgr,
1031 HeaderInfo, LangInfo,
Chris Lattner53b0dab2007-10-09 22:10:18 +00001032 PredefineBuffer);
Reid Spencer5f016e22007-07-11 17:01:13 +00001033
1034 if (!MainFileID) continue;
1035
1036 ProcessInputFile(PP, MainFileID, InFile, SourceMgr,
1037 *DiagClient, HeaderInfo, LangInfo);
1038 HeaderInfo.ClearFileInfo();
1039 }
1040
1041 unsigned NumDiagnostics = Diags.getNumDiagnostics();
1042
1043 if (NumDiagnostics)
1044 fprintf(stderr, "%d diagnostic%s generated.\n", NumDiagnostics,
1045 (NumDiagnostics == 1 ? "" : "s"));
1046
1047 if (Stats) {
1048 // Printed from high-to-low level.
1049 SourceMgr.PrintStats();
1050 FileMgr.PrintStats();
1051 fprintf(stderr, "\n");
1052 }
1053
Chris Lattner96f1a642007-07-21 05:40:53 +00001054 return Diags.getNumErrors() != 0;
Reid Spencer5f016e22007-07-11 17:01:13 +00001055}