blob: 2067ec88841eb2deb8e25b03615463b8436264bb [file] [log] [blame]
Joao Matos3e1ec722012-08-31 21:34:27 +00001//===--- MacroExpansion.cpp - Top level Macro Expansion -------------------===//
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 file implements the top level handling of macro expasion for the
11// preprocessor.
12//
13//===----------------------------------------------------------------------===//
14
15#include "clang/Lex/Preprocessor.h"
16#include "MacroArgs.h"
17#include "clang/Lex/MacroInfo.h"
18#include "clang/Basic/SourceManager.h"
19#include "clang/Basic/FileManager.h"
20#include "clang/Basic/TargetInfo.h"
21#include "clang/Lex/LexDiagnostic.h"
22#include "clang/Lex/CodeCompletionHandler.h"
23#include "clang/Lex/ExternalPreprocessorSource.h"
24#include "clang/Lex/LiteralSupport.h"
25#include "llvm/ADT/StringSwitch.h"
26#include "llvm/ADT/STLExtras.h"
27#include "llvm/Config/llvm-config.h"
28#include "llvm/Support/raw_ostream.h"
29#include "llvm/Support/ErrorHandling.h"
Dmitri Gribenko33d054b2012-09-24 20:56:28 +000030#include "llvm/Support/Format.h"
Joao Matos3e1ec722012-08-31 21:34:27 +000031#include <cstdio>
32#include <ctime>
33using namespace clang;
34
35MacroInfo *Preprocessor::getInfoForMacro(IdentifierInfo *II) const {
36 assert(II->hasMacroDefinition() && "Identifier is not a macro!");
37
38 macro_iterator Pos = Macros.find(II);
39 if (Pos == Macros.end()) {
40 // Load this macro from the external source.
41 getExternalSource()->LoadMacroDefinition(II);
42 Pos = Macros.find(II);
43 }
44 assert(Pos != Macros.end() && "Identifier macro info is missing!");
45 assert(Pos->second->getUndefLoc().isInvalid() && "Macro is undefined!");
46 return Pos->second;
47}
48
49/// setMacroInfo - Specify a macro for this identifier.
50///
51void Preprocessor::setMacroInfo(IdentifierInfo *II, MacroInfo *MI,
52 bool LoadedFromAST) {
53 assert(MI && "MacroInfo should be non-zero!");
54 MI->setPreviousDefinition(Macros[II]);
55 Macros[II] = MI;
56 II->setHasMacroDefinition(true);
57 if (II->isFromAST() && !LoadedFromAST)
58 II->setChangedSinceDeserialization();
59}
60
61/// \brief Undefine a macro for this identifier.
62void Preprocessor::clearMacroInfo(IdentifierInfo *II) {
63 assert(II->hasMacroDefinition() && "Macro is not defined!");
64 assert(Macros[II]->getUndefLoc().isValid() && "Macro is still defined!");
65 II->setHasMacroDefinition(false);
66 if (II->isFromAST())
67 II->setChangedSinceDeserialization();
68}
69
70/// RegisterBuiltinMacro - Register the specified identifier in the identifier
71/// table and mark it as a builtin macro to be expanded.
72static IdentifierInfo *RegisterBuiltinMacro(Preprocessor &PP, const char *Name){
73 // Get the identifier.
74 IdentifierInfo *Id = PP.getIdentifierInfo(Name);
75
76 // Mark it as being a macro that is builtin.
77 MacroInfo *MI = PP.AllocateMacroInfo(SourceLocation());
78 MI->setIsBuiltinMacro();
79 PP.setMacroInfo(Id, MI);
80 return Id;
81}
82
83
84/// RegisterBuiltinMacros - Register builtin macros, such as __LINE__ with the
85/// identifier table.
86void Preprocessor::RegisterBuiltinMacros() {
87 Ident__LINE__ = RegisterBuiltinMacro(*this, "__LINE__");
88 Ident__FILE__ = RegisterBuiltinMacro(*this, "__FILE__");
89 Ident__DATE__ = RegisterBuiltinMacro(*this, "__DATE__");
90 Ident__TIME__ = RegisterBuiltinMacro(*this, "__TIME__");
91 Ident__COUNTER__ = RegisterBuiltinMacro(*this, "__COUNTER__");
92 Ident_Pragma = RegisterBuiltinMacro(*this, "_Pragma");
93
94 // GCC Extensions.
95 Ident__BASE_FILE__ = RegisterBuiltinMacro(*this, "__BASE_FILE__");
96 Ident__INCLUDE_LEVEL__ = RegisterBuiltinMacro(*this, "__INCLUDE_LEVEL__");
97 Ident__TIMESTAMP__ = RegisterBuiltinMacro(*this, "__TIMESTAMP__");
98
99 // Clang Extensions.
100 Ident__has_feature = RegisterBuiltinMacro(*this, "__has_feature");
101 Ident__has_extension = RegisterBuiltinMacro(*this, "__has_extension");
102 Ident__has_builtin = RegisterBuiltinMacro(*this, "__has_builtin");
103 Ident__has_attribute = RegisterBuiltinMacro(*this, "__has_attribute");
104 Ident__has_include = RegisterBuiltinMacro(*this, "__has_include");
105 Ident__has_include_next = RegisterBuiltinMacro(*this, "__has_include_next");
106 Ident__has_warning = RegisterBuiltinMacro(*this, "__has_warning");
107
108 // Microsoft Extensions.
109 if (LangOpts.MicrosoftExt)
110 Ident__pragma = RegisterBuiltinMacro(*this, "__pragma");
111 else
112 Ident__pragma = 0;
113}
114
115/// isTrivialSingleTokenExpansion - Return true if MI, which has a single token
116/// in its expansion, currently expands to that token literally.
117static bool isTrivialSingleTokenExpansion(const MacroInfo *MI,
118 const IdentifierInfo *MacroIdent,
119 Preprocessor &PP) {
120 IdentifierInfo *II = MI->getReplacementToken(0).getIdentifierInfo();
121
122 // If the token isn't an identifier, it's always literally expanded.
123 if (II == 0) return true;
124
125 // If the information about this identifier is out of date, update it from
126 // the external source.
127 if (II->isOutOfDate())
128 PP.getExternalSource()->updateOutOfDateIdentifier(*II);
129
130 // If the identifier is a macro, and if that macro is enabled, it may be
131 // expanded so it's not a trivial expansion.
132 if (II->hasMacroDefinition() && PP.getMacroInfo(II)->isEnabled() &&
133 // Fast expanding "#define X X" is ok, because X would be disabled.
134 II != MacroIdent)
135 return false;
136
137 // If this is an object-like macro invocation, it is safe to trivially expand
138 // it.
139 if (MI->isObjectLike()) return true;
140
141 // If this is a function-like macro invocation, it's safe to trivially expand
142 // as long as the identifier is not a macro argument.
143 for (MacroInfo::arg_iterator I = MI->arg_begin(), E = MI->arg_end();
144 I != E; ++I)
145 if (*I == II)
146 return false; // Identifier is a macro argument.
147
148 return true;
149}
150
151
152/// isNextPPTokenLParen - Determine whether the next preprocessor token to be
153/// lexed is a '('. If so, consume the token and return true, if not, this
154/// method should have no observable side-effect on the lexed tokens.
155bool Preprocessor::isNextPPTokenLParen() {
156 // Do some quick tests for rejection cases.
157 unsigned Val;
158 if (CurLexer)
159 Val = CurLexer->isNextPPTokenLParen();
160 else if (CurPTHLexer)
161 Val = CurPTHLexer->isNextPPTokenLParen();
162 else
163 Val = CurTokenLexer->isNextTokenLParen();
164
165 if (Val == 2) {
166 // We have run off the end. If it's a source file we don't
167 // examine enclosing ones (C99 5.1.1.2p4). Otherwise walk up the
168 // macro stack.
169 if (CurPPLexer)
170 return false;
171 for (unsigned i = IncludeMacroStack.size(); i != 0; --i) {
172 IncludeStackInfo &Entry = IncludeMacroStack[i-1];
173 if (Entry.TheLexer)
174 Val = Entry.TheLexer->isNextPPTokenLParen();
175 else if (Entry.ThePTHLexer)
176 Val = Entry.ThePTHLexer->isNextPPTokenLParen();
177 else
178 Val = Entry.TheTokenLexer->isNextTokenLParen();
179
180 if (Val != 2)
181 break;
182
183 // Ran off the end of a source file?
184 if (Entry.ThePPLexer)
185 return false;
186 }
187 }
188
189 // Okay, if we know that the token is a '(', lex it and return. Otherwise we
190 // have found something that isn't a '(' or we found the end of the
191 // translation unit. In either case, return false.
192 return Val == 1;
193}
194
195/// HandleMacroExpandedIdentifier - If an identifier token is read that is to be
196/// expanded as a macro, handle it and return the next token as 'Identifier'.
197bool Preprocessor::HandleMacroExpandedIdentifier(Token &Identifier,
198 MacroInfo *MI) {
199 // If this is a macro expansion in the "#if !defined(x)" line for the file,
200 // then the macro could expand to different things in other contexts, we need
201 // to disable the optimization in this case.
202 if (CurPPLexer) CurPPLexer->MIOpt.ExpandedMacro();
203
204 // If this is a builtin macro, like __LINE__ or _Pragma, handle it specially.
205 if (MI->isBuiltinMacro()) {
206 if (Callbacks) Callbacks->MacroExpands(Identifier, MI,
207 Identifier.getLocation());
208 ExpandBuiltinMacro(Identifier);
209 return false;
210 }
211
212 /// Args - If this is a function-like macro expansion, this contains,
213 /// for each macro argument, the list of tokens that were provided to the
214 /// invocation.
215 MacroArgs *Args = 0;
216
217 // Remember where the end of the expansion occurred. For an object-like
218 // macro, this is the identifier. For a function-like macro, this is the ')'.
219 SourceLocation ExpansionEnd = Identifier.getLocation();
220
221 // If this is a function-like macro, read the arguments.
222 if (MI->isFunctionLike()) {
223 // C99 6.10.3p10: If the preprocessing token immediately after the macro
224 // name isn't a '(', this macro should not be expanded.
225 if (!isNextPPTokenLParen())
226 return true;
227
228 // Remember that we are now parsing the arguments to a macro invocation.
229 // Preprocessor directives used inside macro arguments are not portable, and
230 // this enables the warning.
231 InMacroArgs = true;
232 Args = ReadFunctionLikeMacroArgs(Identifier, MI, ExpansionEnd);
233
234 // Finished parsing args.
235 InMacroArgs = false;
236
237 // If there was an error parsing the arguments, bail out.
238 if (Args == 0) return false;
239
240 ++NumFnMacroExpanded;
241 } else {
242 ++NumMacroExpanded;
243 }
244
245 // Notice that this macro has been used.
246 markMacroAsUsed(MI);
247
248 // Remember where the token is expanded.
249 SourceLocation ExpandLoc = Identifier.getLocation();
250 SourceRange ExpansionRange(ExpandLoc, ExpansionEnd);
251
252 if (Callbacks) {
253 if (InMacroArgs) {
254 // We can have macro expansion inside a conditional directive while
255 // reading the function macro arguments. To ensure, in that case, that
256 // MacroExpands callbacks still happen in source order, queue this
257 // callback to have it happen after the function macro callback.
258 DelayedMacroExpandsCallbacks.push_back(
259 MacroExpandsInfo(Identifier, MI, ExpansionRange));
260 } else {
261 Callbacks->MacroExpands(Identifier, MI, ExpansionRange);
262 if (!DelayedMacroExpandsCallbacks.empty()) {
263 for (unsigned i=0, e = DelayedMacroExpandsCallbacks.size(); i!=e; ++i) {
264 MacroExpandsInfo &Info = DelayedMacroExpandsCallbacks[i];
265 Callbacks->MacroExpands(Info.Tok, Info.MI, Info.Range);
266 }
267 DelayedMacroExpandsCallbacks.clear();
268 }
269 }
270 }
271
272 // If we started lexing a macro, enter the macro expansion body.
273
274 // If this macro expands to no tokens, don't bother to push it onto the
275 // expansion stack, only to take it right back off.
276 if (MI->getNumTokens() == 0) {
277 // No need for arg info.
278 if (Args) Args->destroy(*this);
279
280 // Ignore this macro use, just return the next token in the current
281 // buffer.
282 bool HadLeadingSpace = Identifier.hasLeadingSpace();
283 bool IsAtStartOfLine = Identifier.isAtStartOfLine();
284
285 Lex(Identifier);
286
287 // If the identifier isn't on some OTHER line, inherit the leading
288 // whitespace/first-on-a-line property of this token. This handles
289 // stuff like "! XX," -> "! ," and " XX," -> " ,", when XX is
290 // empty.
291 if (!Identifier.isAtStartOfLine()) {
292 if (IsAtStartOfLine) Identifier.setFlag(Token::StartOfLine);
293 if (HadLeadingSpace) Identifier.setFlag(Token::LeadingSpace);
294 }
295 Identifier.setFlag(Token::LeadingEmptyMacro);
296 ++NumFastMacroExpanded;
297 return false;
298
299 } else if (MI->getNumTokens() == 1 &&
300 isTrivialSingleTokenExpansion(MI, Identifier.getIdentifierInfo(),
301 *this)) {
302 // Otherwise, if this macro expands into a single trivially-expanded
303 // token: expand it now. This handles common cases like
304 // "#define VAL 42".
305
306 // No need for arg info.
307 if (Args) Args->destroy(*this);
308
309 // Propagate the isAtStartOfLine/hasLeadingSpace markers of the macro
310 // identifier to the expanded token.
311 bool isAtStartOfLine = Identifier.isAtStartOfLine();
312 bool hasLeadingSpace = Identifier.hasLeadingSpace();
313
314 // Replace the result token.
315 Identifier = MI->getReplacementToken(0);
316
317 // Restore the StartOfLine/LeadingSpace markers.
318 Identifier.setFlagValue(Token::StartOfLine , isAtStartOfLine);
319 Identifier.setFlagValue(Token::LeadingSpace, hasLeadingSpace);
320
321 // Update the tokens location to include both its expansion and physical
322 // locations.
323 SourceLocation Loc =
324 SourceMgr.createExpansionLoc(Identifier.getLocation(), ExpandLoc,
325 ExpansionEnd,Identifier.getLength());
326 Identifier.setLocation(Loc);
327
328 // If this is a disabled macro or #define X X, we must mark the result as
329 // unexpandable.
330 if (IdentifierInfo *NewII = Identifier.getIdentifierInfo()) {
331 if (MacroInfo *NewMI = getMacroInfo(NewII))
332 if (!NewMI->isEnabled() || NewMI == MI) {
333 Identifier.setFlag(Token::DisableExpand);
334 Diag(Identifier, diag::pp_disabled_macro_expansion);
335 }
336 }
337
338 // Since this is not an identifier token, it can't be macro expanded, so
339 // we're done.
340 ++NumFastMacroExpanded;
341 return false;
342 }
343
344 // Start expanding the macro.
345 EnterMacro(Identifier, ExpansionEnd, MI, Args);
346
347 // Now that the macro is at the top of the include stack, ask the
348 // preprocessor to read the next token from it.
349 Lex(Identifier);
350 return false;
351}
352
353/// ReadFunctionLikeMacroArgs - After reading "MACRO" and knowing that the next
354/// token is the '(' of the macro, this method is invoked to read all of the
355/// actual arguments specified for the macro invocation. This returns null on
356/// error.
357MacroArgs *Preprocessor::ReadFunctionLikeMacroArgs(Token &MacroName,
358 MacroInfo *MI,
359 SourceLocation &MacroEnd) {
360 // The number of fixed arguments to parse.
361 unsigned NumFixedArgsLeft = MI->getNumArgs();
362 bool isVariadic = MI->isVariadic();
363
364 // Outer loop, while there are more arguments, keep reading them.
365 Token Tok;
366
367 // Read arguments as unexpanded tokens. This avoids issues, e.g., where
368 // an argument value in a macro could expand to ',' or '(' or ')'.
369 LexUnexpandedToken(Tok);
370 assert(Tok.is(tok::l_paren) && "Error computing l-paren-ness?");
371
372 // ArgTokens - Build up a list of tokens that make up each argument. Each
373 // argument is separated by an EOF token. Use a SmallVector so we can avoid
374 // heap allocations in the common case.
375 SmallVector<Token, 64> ArgTokens;
376
377 unsigned NumActuals = 0;
378 while (Tok.isNot(tok::r_paren)) {
379 assert((Tok.is(tok::l_paren) || Tok.is(tok::comma)) &&
380 "only expect argument separators here");
381
382 unsigned ArgTokenStart = ArgTokens.size();
383 SourceLocation ArgStartLoc = Tok.getLocation();
384
385 // C99 6.10.3p11: Keep track of the number of l_parens we have seen. Note
386 // that we already consumed the first one.
387 unsigned NumParens = 0;
388
389 while (1) {
390 // Read arguments as unexpanded tokens. This avoids issues, e.g., where
391 // an argument value in a macro could expand to ',' or '(' or ')'.
392 LexUnexpandedToken(Tok);
393
394 if (Tok.is(tok::eof) || Tok.is(tok::eod)) { // "#if f(<eof>" & "#if f(\n"
395 Diag(MacroName, diag::err_unterm_macro_invoc);
396 // Do not lose the EOF/EOD. Return it to the client.
397 MacroName = Tok;
398 return 0;
399 } else if (Tok.is(tok::r_paren)) {
400 // If we found the ) token, the macro arg list is done.
401 if (NumParens-- == 0) {
402 MacroEnd = Tok.getLocation();
403 break;
404 }
405 } else if (Tok.is(tok::l_paren)) {
406 ++NumParens;
407 // In Microsoft-compatibility mode, commas from nested macro expan-
408 // sions should not be considered as argument separators. We test
409 // for this with the IgnoredComma token flag.
410 } else if (Tok.is(tok::comma)
411 && !(Tok.getFlags() & Token::IgnoredComma) && NumParens == 0) {
412 // Comma ends this argument if there are more fixed arguments expected.
413 // However, if this is a variadic macro, and this is part of the
414 // variadic part, then the comma is just an argument token.
415 if (!isVariadic) break;
416 if (NumFixedArgsLeft > 1)
417 break;
418 } else if (Tok.is(tok::comment) && !KeepMacroComments) {
419 // If this is a comment token in the argument list and we're just in
420 // -C mode (not -CC mode), discard the comment.
421 continue;
422 } else if (Tok.getIdentifierInfo() != 0) {
423 // Reading macro arguments can cause macros that we are currently
424 // expanding from to be popped off the expansion stack. Doing so causes
425 // them to be reenabled for expansion. Here we record whether any
426 // identifiers we lex as macro arguments correspond to disabled macros.
427 // If so, we mark the token as noexpand. This is a subtle aspect of
428 // C99 6.10.3.4p2.
429 if (MacroInfo *MI = getMacroInfo(Tok.getIdentifierInfo()))
430 if (!MI->isEnabled())
431 Tok.setFlag(Token::DisableExpand);
432 } else if (Tok.is(tok::code_completion)) {
433 if (CodeComplete)
434 CodeComplete->CodeCompleteMacroArgument(MacroName.getIdentifierInfo(),
435 MI, NumActuals);
436 // Don't mark that we reached the code-completion point because the
437 // parser is going to handle the token and there will be another
438 // code-completion callback.
439 }
440
441 ArgTokens.push_back(Tok);
442 }
443
444 // If this was an empty argument list foo(), don't add this as an empty
445 // argument.
446 if (ArgTokens.empty() && Tok.getKind() == tok::r_paren)
447 break;
448
449 // If this is not a variadic macro, and too many args were specified, emit
450 // an error.
451 if (!isVariadic && NumFixedArgsLeft == 0) {
452 if (ArgTokens.size() != ArgTokenStart)
453 ArgStartLoc = ArgTokens[ArgTokenStart].getLocation();
454
455 // Emit the diagnostic at the macro name in case there is a missing ).
456 // Emitting it at the , could be far away from the macro name.
457 Diag(ArgStartLoc, diag::err_too_many_args_in_macro_invoc);
458 return 0;
459 }
460
461 // Empty arguments are standard in C99 and C++0x, and are supported as an extension in
462 // other modes.
463 if (ArgTokens.size() == ArgTokenStart && !LangOpts.C99)
464 Diag(Tok, LangOpts.CPlusPlus0x ?
465 diag::warn_cxx98_compat_empty_fnmacro_arg :
466 diag::ext_empty_fnmacro_arg);
467
468 // Add a marker EOF token to the end of the token list for this argument.
469 Token EOFTok;
470 EOFTok.startToken();
471 EOFTok.setKind(tok::eof);
472 EOFTok.setLocation(Tok.getLocation());
473 EOFTok.setLength(0);
474 ArgTokens.push_back(EOFTok);
475 ++NumActuals;
476 assert(NumFixedArgsLeft != 0 && "Too many arguments parsed");
477 --NumFixedArgsLeft;
478 }
479
480 // Okay, we either found the r_paren. Check to see if we parsed too few
481 // arguments.
482 unsigned MinArgsExpected = MI->getNumArgs();
483
484 // See MacroArgs instance var for description of this.
485 bool isVarargsElided = false;
486
487 if (NumActuals < MinArgsExpected) {
488 // There are several cases where too few arguments is ok, handle them now.
489 if (NumActuals == 0 && MinArgsExpected == 1) {
490 // #define A(X) or #define A(...) ---> A()
491
492 // If there is exactly one argument, and that argument is missing,
493 // then we have an empty "()" argument empty list. This is fine, even if
494 // the macro expects one argument (the argument is just empty).
495 isVarargsElided = MI->isVariadic();
496 } else if (MI->isVariadic() &&
497 (NumActuals+1 == MinArgsExpected || // A(x, ...) -> A(X)
498 (NumActuals == 0 && MinArgsExpected == 2))) {// A(x,...) -> A()
499 // Varargs where the named vararg parameter is missing: OK as extension.
500 // #define A(x, ...)
501 // A("blah")
502 Diag(Tok, diag::ext_missing_varargs_arg);
503 Diag(MI->getDefinitionLoc(), diag::note_macro_here)
504 << MacroName.getIdentifierInfo();
505
506 // Remember this occurred, allowing us to elide the comma when used for
507 // cases like:
508 // #define A(x, foo...) blah(a, ## foo)
509 // #define B(x, ...) blah(a, ## __VA_ARGS__)
510 // #define C(...) blah(a, ## __VA_ARGS__)
511 // A(x) B(x) C()
512 isVarargsElided = true;
513 } else {
514 // Otherwise, emit the error.
515 Diag(Tok, diag::err_too_few_args_in_macro_invoc);
516 return 0;
517 }
518
519 // Add a marker EOF token to the end of the token list for this argument.
520 SourceLocation EndLoc = Tok.getLocation();
521 Tok.startToken();
522 Tok.setKind(tok::eof);
523 Tok.setLocation(EndLoc);
524 Tok.setLength(0);
525 ArgTokens.push_back(Tok);
526
527 // If we expect two arguments, add both as empty.
528 if (NumActuals == 0 && MinArgsExpected == 2)
529 ArgTokens.push_back(Tok);
530
531 } else if (NumActuals > MinArgsExpected && !MI->isVariadic()) {
532 // Emit the diagnostic at the macro name in case there is a missing ).
533 // Emitting it at the , could be far away from the macro name.
534 Diag(MacroName, diag::err_too_many_args_in_macro_invoc);
535 return 0;
536 }
537
538 return MacroArgs::create(MI, ArgTokens, isVarargsElided, *this);
539}
540
541/// \brief Keeps macro expanded tokens for TokenLexers.
542//
543/// Works like a stack; a TokenLexer adds the macro expanded tokens that is
544/// going to lex in the cache and when it finishes the tokens are removed
545/// from the end of the cache.
546Token *Preprocessor::cacheMacroExpandedTokens(TokenLexer *tokLexer,
547 ArrayRef<Token> tokens) {
548 assert(tokLexer);
549 if (tokens.empty())
550 return 0;
551
552 size_t newIndex = MacroExpandedTokens.size();
553 bool cacheNeedsToGrow = tokens.size() >
554 MacroExpandedTokens.capacity()-MacroExpandedTokens.size();
555 MacroExpandedTokens.append(tokens.begin(), tokens.end());
556
557 if (cacheNeedsToGrow) {
558 // Go through all the TokenLexers whose 'Tokens' pointer points in the
559 // buffer and update the pointers to the (potential) new buffer array.
560 for (unsigned i = 0, e = MacroExpandingLexersStack.size(); i != e; ++i) {
561 TokenLexer *prevLexer;
562 size_t tokIndex;
563 llvm::tie(prevLexer, tokIndex) = MacroExpandingLexersStack[i];
564 prevLexer->Tokens = MacroExpandedTokens.data() + tokIndex;
565 }
566 }
567
568 MacroExpandingLexersStack.push_back(std::make_pair(tokLexer, newIndex));
569 return MacroExpandedTokens.data() + newIndex;
570}
571
572void Preprocessor::removeCachedMacroExpandedTokensOfLastLexer() {
573 assert(!MacroExpandingLexersStack.empty());
574 size_t tokIndex = MacroExpandingLexersStack.back().second;
575 assert(tokIndex < MacroExpandedTokens.size());
576 // Pop the cached macro expanded tokens from the end.
577 MacroExpandedTokens.resize(tokIndex);
578 MacroExpandingLexersStack.pop_back();
579}
580
581/// ComputeDATE_TIME - Compute the current time, enter it into the specified
582/// scratch buffer, then return DATELoc/TIMELoc locations with the position of
583/// the identifier tokens inserted.
584static void ComputeDATE_TIME(SourceLocation &DATELoc, SourceLocation &TIMELoc,
585 Preprocessor &PP) {
586 time_t TT = time(0);
587 struct tm *TM = localtime(&TT);
588
589 static const char * const Months[] = {
590 "Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"
591 };
592
Dmitri Gribenko33d054b2012-09-24 20:56:28 +0000593 {
594 SmallString<32> TmpBuffer;
595 llvm::raw_svector_ostream TmpStream(TmpBuffer);
596 TmpStream << llvm::format("\"%s %2d %4d\"", Months[TM->tm_mon],
597 TM->tm_mday, TM->tm_year + 1900);
598 StringRef DateStr = TmpStream.str();
599 Token TmpTok;
600 TmpTok.startToken();
601 PP.CreateString(DateStr.data(), DateStr.size(), TmpTok);
602 DATELoc = TmpTok.getLocation();
603 }
Joao Matos3e1ec722012-08-31 21:34:27 +0000604
Dmitri Gribenko33d054b2012-09-24 20:56:28 +0000605 {
606 SmallString<32> TmpBuffer;
607 llvm::raw_svector_ostream TmpStream(TmpBuffer);
608 TmpStream << llvm::format("\"%02d:%02d:%02d\"",
609 TM->tm_hour, TM->tm_min, TM->tm_sec);
610 StringRef TimeStr = TmpStream.str();
611 Token TmpTok;
612 TmpTok.startToken();
613 PP.CreateString(TimeStr.data(), TimeStr.size(), TmpTok);
614 TIMELoc = TmpTok.getLocation();
615 }
Joao Matos3e1ec722012-08-31 21:34:27 +0000616}
617
618
619/// HasFeature - Return true if we recognize and implement the feature
620/// specified by the identifier as a standard language feature.
621static bool HasFeature(const Preprocessor &PP, const IdentifierInfo *II) {
622 const LangOptions &LangOpts = PP.getLangOpts();
623 StringRef Feature = II->getName();
624
625 // Normalize the feature name, __foo__ becomes foo.
626 if (Feature.startswith("__") && Feature.endswith("__") && Feature.size() >= 4)
627 Feature = Feature.substr(2, Feature.size() - 4);
628
629 return llvm::StringSwitch<bool>(Feature)
630 .Case("address_sanitizer", LangOpts.AddressSanitizer)
631 .Case("attribute_analyzer_noreturn", true)
632 .Case("attribute_availability", true)
633 .Case("attribute_availability_with_message", true)
634 .Case("attribute_cf_returns_not_retained", true)
635 .Case("attribute_cf_returns_retained", true)
636 .Case("attribute_deprecated_with_message", true)
637 .Case("attribute_ext_vector_type", true)
638 .Case("attribute_ns_returns_not_retained", true)
639 .Case("attribute_ns_returns_retained", true)
640 .Case("attribute_ns_consumes_self", true)
641 .Case("attribute_ns_consumed", true)
642 .Case("attribute_cf_consumed", true)
643 .Case("attribute_objc_ivar_unused", true)
644 .Case("attribute_objc_method_family", true)
645 .Case("attribute_overloadable", true)
646 .Case("attribute_unavailable_with_message", true)
647 .Case("attribute_unused_on_fields", true)
648 .Case("blocks", LangOpts.Blocks)
649 .Case("cxx_exceptions", LangOpts.Exceptions)
650 .Case("cxx_rtti", LangOpts.RTTI)
651 .Case("enumerator_attributes", true)
652 // Objective-C features
653 .Case("objc_arr", LangOpts.ObjCAutoRefCount) // FIXME: REMOVE?
654 .Case("objc_arc", LangOpts.ObjCAutoRefCount)
655 .Case("objc_arc_weak", LangOpts.ObjCARCWeak)
656 .Case("objc_default_synthesize_properties", LangOpts.ObjC2)
657 .Case("objc_fixed_enum", LangOpts.ObjC2)
658 .Case("objc_instancetype", LangOpts.ObjC2)
659 .Case("objc_modules", LangOpts.ObjC2 && LangOpts.Modules)
660 .Case("objc_nonfragile_abi", LangOpts.ObjCRuntime.isNonFragile())
661 .Case("objc_weak_class", LangOpts.ObjCRuntime.hasWeakClassImport())
662 .Case("ownership_holds", true)
663 .Case("ownership_returns", true)
664 .Case("ownership_takes", true)
665 .Case("objc_bool", true)
666 .Case("objc_subscripting", LangOpts.ObjCRuntime.isNonFragile())
667 .Case("objc_array_literals", LangOpts.ObjC2)
668 .Case("objc_dictionary_literals", LangOpts.ObjC2)
669 .Case("objc_boxed_expressions", LangOpts.ObjC2)
670 .Case("arc_cf_code_audited", true)
671 // C11 features
672 .Case("c_alignas", LangOpts.C11)
673 .Case("c_atomic", LangOpts.C11)
674 .Case("c_generic_selections", LangOpts.C11)
675 .Case("c_static_assert", LangOpts.C11)
676 // C++11 features
677 .Case("cxx_access_control_sfinae", LangOpts.CPlusPlus0x)
678 .Case("cxx_alias_templates", LangOpts.CPlusPlus0x)
679 .Case("cxx_alignas", LangOpts.CPlusPlus0x)
680 .Case("cxx_atomic", LangOpts.CPlusPlus0x)
681 .Case("cxx_attributes", LangOpts.CPlusPlus0x)
682 .Case("cxx_auto_type", LangOpts.CPlusPlus0x)
683 .Case("cxx_constexpr", LangOpts.CPlusPlus0x)
684 .Case("cxx_decltype", LangOpts.CPlusPlus0x)
685 .Case("cxx_decltype_incomplete_return_types", LangOpts.CPlusPlus0x)
686 .Case("cxx_default_function_template_args", LangOpts.CPlusPlus0x)
687 .Case("cxx_defaulted_functions", LangOpts.CPlusPlus0x)
688 .Case("cxx_delegating_constructors", LangOpts.CPlusPlus0x)
689 .Case("cxx_deleted_functions", LangOpts.CPlusPlus0x)
690 .Case("cxx_explicit_conversions", LangOpts.CPlusPlus0x)
691 .Case("cxx_generalized_initializers", LangOpts.CPlusPlus0x)
692 .Case("cxx_implicit_moves", LangOpts.CPlusPlus0x)
693 //.Case("cxx_inheriting_constructors", false)
694 .Case("cxx_inline_namespaces", LangOpts.CPlusPlus0x)
695 .Case("cxx_lambdas", LangOpts.CPlusPlus0x)
696 .Case("cxx_local_type_template_args", LangOpts.CPlusPlus0x)
697 .Case("cxx_nonstatic_member_init", LangOpts.CPlusPlus0x)
698 .Case("cxx_noexcept", LangOpts.CPlusPlus0x)
699 .Case("cxx_nullptr", LangOpts.CPlusPlus0x)
700 .Case("cxx_override_control", LangOpts.CPlusPlus0x)
701 .Case("cxx_range_for", LangOpts.CPlusPlus0x)
702 .Case("cxx_raw_string_literals", LangOpts.CPlusPlus0x)
703 .Case("cxx_reference_qualified_functions", LangOpts.CPlusPlus0x)
704 .Case("cxx_rvalue_references", LangOpts.CPlusPlus0x)
705 .Case("cxx_strong_enums", LangOpts.CPlusPlus0x)
706 .Case("cxx_static_assert", LangOpts.CPlusPlus0x)
707 .Case("cxx_trailing_return", LangOpts.CPlusPlus0x)
708 .Case("cxx_unicode_literals", LangOpts.CPlusPlus0x)
709 .Case("cxx_unrestricted_unions", LangOpts.CPlusPlus0x)
710 .Case("cxx_user_literals", LangOpts.CPlusPlus0x)
711 .Case("cxx_variadic_templates", LangOpts.CPlusPlus0x)
712 // Type traits
713 .Case("has_nothrow_assign", LangOpts.CPlusPlus)
714 .Case("has_nothrow_copy", LangOpts.CPlusPlus)
715 .Case("has_nothrow_constructor", LangOpts.CPlusPlus)
716 .Case("has_trivial_assign", LangOpts.CPlusPlus)
717 .Case("has_trivial_copy", LangOpts.CPlusPlus)
718 .Case("has_trivial_constructor", LangOpts.CPlusPlus)
719 .Case("has_trivial_destructor", LangOpts.CPlusPlus)
720 .Case("has_virtual_destructor", LangOpts.CPlusPlus)
721 .Case("is_abstract", LangOpts.CPlusPlus)
722 .Case("is_base_of", LangOpts.CPlusPlus)
723 .Case("is_class", LangOpts.CPlusPlus)
724 .Case("is_convertible_to", LangOpts.CPlusPlus)
725 // __is_empty is available only if the horrible
726 // "struct __is_empty" parsing hack hasn't been needed in this
727 // translation unit. If it has, __is_empty reverts to a normal
728 // identifier and __has_feature(is_empty) evaluates false.
729 .Case("is_empty", LangOpts.CPlusPlus)
730 .Case("is_enum", LangOpts.CPlusPlus)
731 .Case("is_final", LangOpts.CPlusPlus)
732 .Case("is_literal", LangOpts.CPlusPlus)
733 .Case("is_standard_layout", LangOpts.CPlusPlus)
734 .Case("is_pod", LangOpts.CPlusPlus)
735 .Case("is_polymorphic", LangOpts.CPlusPlus)
736 .Case("is_trivial", LangOpts.CPlusPlus)
737 .Case("is_trivially_assignable", LangOpts.CPlusPlus)
738 .Case("is_trivially_constructible", LangOpts.CPlusPlus)
739 .Case("is_trivially_copyable", LangOpts.CPlusPlus)
740 .Case("is_union", LangOpts.CPlusPlus)
741 .Case("modules", LangOpts.Modules)
742 .Case("tls", PP.getTargetInfo().isTLSSupported())
743 .Case("underlying_type", LangOpts.CPlusPlus)
744 .Default(false);
745}
746
747/// HasExtension - Return true if we recognize and implement the feature
748/// specified by the identifier, either as an extension or a standard language
749/// feature.
750static bool HasExtension(const Preprocessor &PP, const IdentifierInfo *II) {
751 if (HasFeature(PP, II))
752 return true;
753
754 // If the use of an extension results in an error diagnostic, extensions are
755 // effectively unavailable, so just return false here.
756 if (PP.getDiagnostics().getExtensionHandlingBehavior() ==
757 DiagnosticsEngine::Ext_Error)
758 return false;
759
760 const LangOptions &LangOpts = PP.getLangOpts();
761 StringRef Extension = II->getName();
762
763 // Normalize the extension name, __foo__ becomes foo.
764 if (Extension.startswith("__") && Extension.endswith("__") &&
765 Extension.size() >= 4)
766 Extension = Extension.substr(2, Extension.size() - 4);
767
768 // Because we inherit the feature list from HasFeature, this string switch
769 // must be less restrictive than HasFeature's.
770 return llvm::StringSwitch<bool>(Extension)
771 // C11 features supported by other languages as extensions.
772 .Case("c_alignas", true)
773 .Case("c_atomic", true)
774 .Case("c_generic_selections", true)
775 .Case("c_static_assert", true)
776 // C++0x features supported by other languages as extensions.
777 .Case("cxx_atomic", LangOpts.CPlusPlus)
778 .Case("cxx_deleted_functions", LangOpts.CPlusPlus)
779 .Case("cxx_explicit_conversions", LangOpts.CPlusPlus)
780 .Case("cxx_inline_namespaces", LangOpts.CPlusPlus)
781 .Case("cxx_local_type_template_args", LangOpts.CPlusPlus)
782 .Case("cxx_nonstatic_member_init", LangOpts.CPlusPlus)
783 .Case("cxx_override_control", LangOpts.CPlusPlus)
784 .Case("cxx_range_for", LangOpts.CPlusPlus)
785 .Case("cxx_reference_qualified_functions", LangOpts.CPlusPlus)
786 .Case("cxx_rvalue_references", LangOpts.CPlusPlus)
787 .Default(false);
788}
789
790/// HasAttribute - Return true if we recognize and implement the attribute
791/// specified by the given identifier.
792static bool HasAttribute(const IdentifierInfo *II) {
793 StringRef Name = II->getName();
794 // Normalize the attribute name, __foo__ becomes foo.
795 if (Name.startswith("__") && Name.endswith("__") && Name.size() >= 4)
796 Name = Name.substr(2, Name.size() - 4);
797
798 // FIXME: Do we need to handle namespaces here?
799 return llvm::StringSwitch<bool>(Name)
800#include "clang/Lex/AttrSpellings.inc"
801 .Default(false);
802}
803
804/// EvaluateHasIncludeCommon - Process a '__has_include("path")'
805/// or '__has_include_next("path")' expression.
806/// Returns true if successful.
807static bool EvaluateHasIncludeCommon(Token &Tok,
808 IdentifierInfo *II, Preprocessor &PP,
809 const DirectoryLookup *LookupFrom) {
810 SourceLocation LParenLoc;
811
812 // Get '('.
813 PP.LexNonComment(Tok);
814
815 // Ensure we have a '('.
816 if (Tok.isNot(tok::l_paren)) {
817 PP.Diag(Tok.getLocation(), diag::err_pp_missing_lparen) << II->getName();
818 return false;
819 }
820
821 // Save '(' location for possible missing ')' message.
822 LParenLoc = Tok.getLocation();
823
824 // Get the file name.
825 PP.getCurrentLexer()->LexIncludeFilename(Tok);
826
827 // Reserve a buffer to get the spelling.
828 SmallString<128> FilenameBuffer;
829 StringRef Filename;
830 SourceLocation EndLoc;
831
832 switch (Tok.getKind()) {
833 case tok::eod:
834 // If the token kind is EOD, the error has already been diagnosed.
835 return false;
836
837 case tok::angle_string_literal:
838 case tok::string_literal: {
839 bool Invalid = false;
840 Filename = PP.getSpelling(Tok, FilenameBuffer, &Invalid);
841 if (Invalid)
842 return false;
843 break;
844 }
845
846 case tok::less:
847 // This could be a <foo/bar.h> file coming from a macro expansion. In this
848 // case, glue the tokens together into FilenameBuffer and interpret those.
849 FilenameBuffer.push_back('<');
850 if (PP.ConcatenateIncludeName(FilenameBuffer, EndLoc))
851 return false; // Found <eod> but no ">"? Diagnostic already emitted.
852 Filename = FilenameBuffer.str();
853 break;
854 default:
855 PP.Diag(Tok.getLocation(), diag::err_pp_expects_filename);
856 return false;
857 }
858
859 // Get ')'.
860 PP.LexNonComment(Tok);
861
862 // Ensure we have a trailing ).
863 if (Tok.isNot(tok::r_paren)) {
864 PP.Diag(Tok.getLocation(), diag::err_pp_missing_rparen) << II->getName();
865 PP.Diag(LParenLoc, diag::note_matching) << "(";
866 return false;
867 }
868
869 bool isAngled = PP.GetIncludeFilenameSpelling(Tok.getLocation(), Filename);
870 // If GetIncludeFilenameSpelling set the start ptr to null, there was an
871 // error.
872 if (Filename.empty())
873 return false;
874
875 // Search include directories.
876 const DirectoryLookup *CurDir;
877 const FileEntry *File =
878 PP.LookupFile(Filename, isAngled, LookupFrom, CurDir, NULL, NULL, NULL);
879
880 // Get the result value. A result of true means the file exists.
881 return File != 0;
882}
883
884/// EvaluateHasInclude - Process a '__has_include("path")' expression.
885/// Returns true if successful.
886static bool EvaluateHasInclude(Token &Tok, IdentifierInfo *II,
887 Preprocessor &PP) {
888 return EvaluateHasIncludeCommon(Tok, II, PP, NULL);
889}
890
891/// EvaluateHasIncludeNext - Process '__has_include_next("path")' expression.
892/// Returns true if successful.
893static bool EvaluateHasIncludeNext(Token &Tok,
894 IdentifierInfo *II, Preprocessor &PP) {
895 // __has_include_next is like __has_include, except that we start
896 // searching after the current found directory. If we can't do this,
897 // issue a diagnostic.
898 const DirectoryLookup *Lookup = PP.GetCurDirLookup();
899 if (PP.isInPrimaryFile()) {
900 Lookup = 0;
901 PP.Diag(Tok, diag::pp_include_next_in_primary);
902 } else if (Lookup == 0) {
903 PP.Diag(Tok, diag::pp_include_next_absolute_path);
904 } else {
905 // Start looking up in the next directory.
906 ++Lookup;
907 }
908
909 return EvaluateHasIncludeCommon(Tok, II, PP, Lookup);
910}
911
912/// ExpandBuiltinMacro - If an identifier token is read that is to be expanded
913/// as a builtin macro, handle it and return the next token as 'Tok'.
914void Preprocessor::ExpandBuiltinMacro(Token &Tok) {
915 // Figure out which token this is.
916 IdentifierInfo *II = Tok.getIdentifierInfo();
917 assert(II && "Can't be a macro without id info!");
918
919 // If this is an _Pragma or Microsoft __pragma directive, expand it,
920 // invoke the pragma handler, then lex the token after it.
921 if (II == Ident_Pragma)
922 return Handle_Pragma(Tok);
923 else if (II == Ident__pragma) // in non-MS mode this is null
924 return HandleMicrosoft__pragma(Tok);
925
926 ++NumBuiltinMacroExpanded;
927
928 SmallString<128> TmpBuffer;
929 llvm::raw_svector_ostream OS(TmpBuffer);
930
931 // Set up the return result.
932 Tok.setIdentifierInfo(0);
933 Tok.clearFlag(Token::NeedsCleaning);
934
935 if (II == Ident__LINE__) {
936 // C99 6.10.8: "__LINE__: The presumed line number (within the current
937 // source file) of the current source line (an integer constant)". This can
938 // be affected by #line.
939 SourceLocation Loc = Tok.getLocation();
940
941 // Advance to the location of the first _, this might not be the first byte
942 // of the token if it starts with an escaped newline.
943 Loc = AdvanceToTokenCharacter(Loc, 0);
944
945 // One wrinkle here is that GCC expands __LINE__ to location of the *end* of
946 // a macro expansion. This doesn't matter for object-like macros, but
947 // can matter for a function-like macro that expands to contain __LINE__.
948 // Skip down through expansion points until we find a file loc for the
949 // end of the expansion history.
950 Loc = SourceMgr.getExpansionRange(Loc).second;
951 PresumedLoc PLoc = SourceMgr.getPresumedLoc(Loc);
952
953 // __LINE__ expands to a simple numeric value.
954 OS << (PLoc.isValid()? PLoc.getLine() : 1);
955 Tok.setKind(tok::numeric_constant);
956 } else if (II == Ident__FILE__ || II == Ident__BASE_FILE__) {
957 // C99 6.10.8: "__FILE__: The presumed name of the current source file (a
958 // character string literal)". This can be affected by #line.
959 PresumedLoc PLoc = SourceMgr.getPresumedLoc(Tok.getLocation());
960
961 // __BASE_FILE__ is a GNU extension that returns the top of the presumed
962 // #include stack instead of the current file.
963 if (II == Ident__BASE_FILE__ && PLoc.isValid()) {
964 SourceLocation NextLoc = PLoc.getIncludeLoc();
965 while (NextLoc.isValid()) {
966 PLoc = SourceMgr.getPresumedLoc(NextLoc);
967 if (PLoc.isInvalid())
968 break;
969
970 NextLoc = PLoc.getIncludeLoc();
971 }
972 }
973
974 // Escape this filename. Turn '\' -> '\\' '"' -> '\"'
975 SmallString<128> FN;
976 if (PLoc.isValid()) {
977 FN += PLoc.getFilename();
978 Lexer::Stringify(FN);
979 OS << '"' << FN.str() << '"';
980 }
981 Tok.setKind(tok::string_literal);
982 } else if (II == Ident__DATE__) {
983 if (!DATELoc.isValid())
984 ComputeDATE_TIME(DATELoc, TIMELoc, *this);
985 Tok.setKind(tok::string_literal);
986 Tok.setLength(strlen("\"Mmm dd yyyy\""));
987 Tok.setLocation(SourceMgr.createExpansionLoc(DATELoc, Tok.getLocation(),
988 Tok.getLocation(),
989 Tok.getLength()));
990 return;
991 } else if (II == Ident__TIME__) {
992 if (!TIMELoc.isValid())
993 ComputeDATE_TIME(DATELoc, TIMELoc, *this);
994 Tok.setKind(tok::string_literal);
995 Tok.setLength(strlen("\"hh:mm:ss\""));
996 Tok.setLocation(SourceMgr.createExpansionLoc(TIMELoc, Tok.getLocation(),
997 Tok.getLocation(),
998 Tok.getLength()));
999 return;
1000 } else if (II == Ident__INCLUDE_LEVEL__) {
1001 // Compute the presumed include depth of this token. This can be affected
1002 // by GNU line markers.
1003 unsigned Depth = 0;
1004
1005 PresumedLoc PLoc = SourceMgr.getPresumedLoc(Tok.getLocation());
1006 if (PLoc.isValid()) {
1007 PLoc = SourceMgr.getPresumedLoc(PLoc.getIncludeLoc());
1008 for (; PLoc.isValid(); ++Depth)
1009 PLoc = SourceMgr.getPresumedLoc(PLoc.getIncludeLoc());
1010 }
1011
1012 // __INCLUDE_LEVEL__ expands to a simple numeric value.
1013 OS << Depth;
1014 Tok.setKind(tok::numeric_constant);
1015 } else if (II == Ident__TIMESTAMP__) {
1016 // MSVC, ICC, GCC, VisualAge C++ extension. The generated string should be
1017 // of the form "Ddd Mmm dd hh::mm::ss yyyy", which is returned by asctime.
1018
1019 // Get the file that we are lexing out of. If we're currently lexing from
1020 // a macro, dig into the include stack.
1021 const FileEntry *CurFile = 0;
1022 PreprocessorLexer *TheLexer = getCurrentFileLexer();
1023
1024 if (TheLexer)
1025 CurFile = SourceMgr.getFileEntryForID(TheLexer->getFileID());
1026
1027 const char *Result;
1028 if (CurFile) {
1029 time_t TT = CurFile->getModificationTime();
1030 struct tm *TM = localtime(&TT);
1031 Result = asctime(TM);
1032 } else {
1033 Result = "??? ??? ?? ??:??:?? ????\n";
1034 }
1035 // Surround the string with " and strip the trailing newline.
1036 OS << '"' << StringRef(Result, strlen(Result)-1) << '"';
1037 Tok.setKind(tok::string_literal);
1038 } else if (II == Ident__COUNTER__) {
1039 // __COUNTER__ expands to a simple numeric value.
1040 OS << CounterValue++;
1041 Tok.setKind(tok::numeric_constant);
1042 } else if (II == Ident__has_feature ||
1043 II == Ident__has_extension ||
1044 II == Ident__has_builtin ||
1045 II == Ident__has_attribute) {
1046 // The argument to these builtins should be a parenthesized identifier.
1047 SourceLocation StartLoc = Tok.getLocation();
1048
1049 bool IsValid = false;
1050 IdentifierInfo *FeatureII = 0;
1051
1052 // Read the '('.
1053 Lex(Tok);
1054 if (Tok.is(tok::l_paren)) {
1055 // Read the identifier
1056 Lex(Tok);
1057 if (Tok.is(tok::identifier) || Tok.is(tok::kw_const)) {
1058 FeatureII = Tok.getIdentifierInfo();
1059
1060 // Read the ')'.
1061 Lex(Tok);
1062 if (Tok.is(tok::r_paren))
1063 IsValid = true;
1064 }
1065 }
1066
1067 bool Value = false;
1068 if (!IsValid)
1069 Diag(StartLoc, diag::err_feature_check_malformed);
1070 else if (II == Ident__has_builtin) {
1071 // Check for a builtin is trivial.
1072 Value = FeatureII->getBuiltinID() != 0;
1073 } else if (II == Ident__has_attribute)
1074 Value = HasAttribute(FeatureII);
1075 else if (II == Ident__has_extension)
1076 Value = HasExtension(*this, FeatureII);
1077 else {
1078 assert(II == Ident__has_feature && "Must be feature check");
1079 Value = HasFeature(*this, FeatureII);
1080 }
1081
1082 OS << (int)Value;
1083 if (IsValid)
1084 Tok.setKind(tok::numeric_constant);
1085 } else if (II == Ident__has_include ||
1086 II == Ident__has_include_next) {
1087 // The argument to these two builtins should be a parenthesized
1088 // file name string literal using angle brackets (<>) or
1089 // double-quotes ("").
1090 bool Value;
1091 if (II == Ident__has_include)
1092 Value = EvaluateHasInclude(Tok, II, *this);
1093 else
1094 Value = EvaluateHasIncludeNext(Tok, II, *this);
1095 OS << (int)Value;
1096 Tok.setKind(tok::numeric_constant);
1097 } else if (II == Ident__has_warning) {
1098 // The argument should be a parenthesized string literal.
1099 // The argument to these builtins should be a parenthesized identifier.
1100 SourceLocation StartLoc = Tok.getLocation();
1101 bool IsValid = false;
1102 bool Value = false;
1103 // Read the '('.
1104 Lex(Tok);
1105 do {
1106 if (Tok.is(tok::l_paren)) {
1107 // Read the string.
1108 Lex(Tok);
1109
1110 // We need at least one string literal.
1111 if (!Tok.is(tok::string_literal)) {
1112 StartLoc = Tok.getLocation();
1113 IsValid = false;
1114 // Eat tokens until ')'.
1115 do Lex(Tok); while (!(Tok.is(tok::r_paren) || Tok.is(tok::eod)));
1116 break;
1117 }
1118
1119 // String concatenation allows multiple strings, which can even come
1120 // from macro expansion.
1121 SmallVector<Token, 4> StrToks;
1122 while (Tok.is(tok::string_literal)) {
1123 // Complain about, and drop, any ud-suffix.
1124 if (Tok.hasUDSuffix())
1125 Diag(Tok, diag::err_invalid_string_udl);
1126 StrToks.push_back(Tok);
1127 LexUnexpandedToken(Tok);
1128 }
1129
1130 // Is the end a ')'?
1131 if (!(IsValid = Tok.is(tok::r_paren)))
1132 break;
1133
1134 // Concatenate and parse the strings.
1135 StringLiteralParser Literal(&StrToks[0], StrToks.size(), *this);
1136 assert(Literal.isAscii() && "Didn't allow wide strings in");
1137 if (Literal.hadError)
1138 break;
1139 if (Literal.Pascal) {
1140 Diag(Tok, diag::warn_pragma_diagnostic_invalid);
1141 break;
1142 }
1143
1144 StringRef WarningName(Literal.GetString());
1145
1146 if (WarningName.size() < 3 || WarningName[0] != '-' ||
1147 WarningName[1] != 'W') {
1148 Diag(StrToks[0].getLocation(), diag::warn_has_warning_invalid_option);
1149 break;
1150 }
1151
1152 // Finally, check if the warning flags maps to a diagnostic group.
1153 // We construct a SmallVector here to talk to getDiagnosticIDs().
1154 // Although we don't use the result, this isn't a hot path, and not
1155 // worth special casing.
1156 llvm::SmallVector<diag::kind, 10> Diags;
1157 Value = !getDiagnostics().getDiagnosticIDs()->
1158 getDiagnosticsInGroup(WarningName.substr(2), Diags);
1159 }
1160 } while (false);
1161
1162 if (!IsValid)
1163 Diag(StartLoc, diag::err_warning_check_malformed);
1164
1165 OS << (int)Value;
1166 Tok.setKind(tok::numeric_constant);
1167 } else {
1168 llvm_unreachable("Unknown identifier!");
1169 }
1170 CreateString(OS.str().data(), OS.str().size(), Tok,
1171 Tok.getLocation(), Tok.getLocation());
1172}
1173
1174void Preprocessor::markMacroAsUsed(MacroInfo *MI) {
1175 // If the 'used' status changed, and the macro requires 'unused' warning,
1176 // remove its SourceLocation from the warn-for-unused-macro locations.
1177 if (MI->isWarnIfUnused() && !MI->isUsed())
1178 WarnUnusedMacroLocs.erase(MI->getDefinitionLoc());
1179 MI->setIsUsed(true);
1180}