Preprocessor.h revision c7229c338c21ef26b01ef3ecf9eec4fd373fa9ec
1//===--- Preprocessor.h - C Language Family Preprocessor --------*- C++ -*-===//
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 file defines the Preprocessor interface.
11//
12//===----------------------------------------------------------------------===//
13
14#ifndef LLVM_CLANG_LEX_PREPROCESSOR_H
15#define LLVM_CLANG_LEX_PREPROCESSOR_H
16
17#include "clang/Lex/Lexer.h"
18#include "clang/Lex/MacroExpander.h"
19#include "clang/Basic/IdentifierTable.h"
20#include "clang/Basic/SourceLocation.h"
21#include "llvm/ADT/DenseMap.h"
22
23namespace clang {
24
25class SourceManager;
26class FileManager;
27class FileEntry;
28class HeaderSearch;
29class PragmaNamespace;
30class PragmaHandler;
31class ScratchBuffer;
32class TargetInfo;
33class PPCallbacks;
34class DirectoryLookup;
35
36/// Preprocessor - This object forms engages in a tight little dance to
37/// efficiently preprocess tokens.  Lexers know only about tokens within a
38/// single source file, and don't know anything about preprocessor-level issues
39/// like the #include stack, token expansion, etc.
40///
41class Preprocessor {
42  Diagnostic        &Diags;
43  const LangOptions &Features;
44  TargetInfo        &Target;
45  FileManager       &FileMgr;
46  SourceManager     &SourceMgr;
47  ScratchBuffer     *ScratchBuf;
48  HeaderSearch      &HeaderInfo;
49
50  /// Identifiers for builtin macros and other builtins.
51  IdentifierInfo *Ident__LINE__, *Ident__FILE__;   // __LINE__, __FILE__
52  IdentifierInfo *Ident__DATE__, *Ident__TIME__;   // __DATE__, __TIME__
53  IdentifierInfo *Ident__INCLUDE_LEVEL__;          // __INCLUDE_LEVEL__
54  IdentifierInfo *Ident__BASE_FILE__;              // __BASE_FILE__
55  IdentifierInfo *Ident__TIMESTAMP__;              // __TIMESTAMP__
56  IdentifierInfo *Ident_Pragma, *Ident__VA_ARGS__; // _Pragma, __VA_ARGS__
57
58  SourceLocation DATELoc, TIMELoc;
59
60  enum {
61    /// MaxIncludeStackDepth - Maximum depth of #includes.
62    MaxAllowedIncludeStackDepth = 200
63  };
64
65  // State that is set before the preprocessor begins.
66  bool KeepComments : 1;
67  bool KeepMacroComments : 1;
68
69  // State that changes while the preprocessor runs:
70  bool DisableMacroExpansion : 1;  // True if macro expansion is disabled.
71  bool InMacroArgs : 1;            // True if parsing fn macro invocation args.
72
73  /// Identifiers - This is mapping/lookup information for all identifiers in
74  /// the program, including program keywords.
75  IdentifierTable Identifiers;
76
77  /// Selectors - This table contains all the selectors in the program. Unlike
78  /// IdentifierTable above, this table *isn't* populated by the preprocessor.
79  /// It is declared/instantiated here because it's role/lifetime is
80  /// conceptually similar the IdentifierTable. In addition, the current control
81  /// flow (in clang::ParseAST()), make it convenient to put here.
82  /// FIXME: Make sure the lifetime of Identifiers/Selectors *isn't* tied to
83  /// the lifetime fo the preprocessor.
84  SelectorTable Selectors;
85
86  /// PragmaHandlers - This tracks all of the pragmas that the client registered
87  /// with this preprocessor.
88  PragmaNamespace *PragmaHandlers;
89
90  /// CurLexer - This is the current top of the stack that we're lexing from if
91  /// not expanding a macro.  One of CurLexer and CurMacroExpander must be null.
92  Lexer *CurLexer;
93
94  /// CurLookup - The DirectoryLookup structure used to find the current
95  /// FileEntry, if CurLexer is non-null and if applicable.  This allows us to
96  /// implement #include_next and find directory-specific properties.
97  const DirectoryLookup *CurDirLookup;
98
99  /// CurMacroExpander - This is the current macro we are expanding, if we are
100  /// expanding a macro.  One of CurLexer and CurMacroExpander must be null.
101  MacroExpander *CurMacroExpander;
102
103  /// IncludeMacroStack - This keeps track of the stack of files currently
104  /// #included, and macros currently being expanded from, not counting
105  /// CurLexer/CurMacroExpander.
106  struct IncludeStackInfo {
107    Lexer *TheLexer;
108    const DirectoryLookup *TheDirLookup;
109    MacroExpander *TheMacroExpander;
110    IncludeStackInfo(Lexer *L, const DirectoryLookup *D, MacroExpander *M)
111      : TheLexer(L), TheDirLookup(D), TheMacroExpander(M) {
112    }
113  };
114  std::vector<IncludeStackInfo> IncludeMacroStack;
115
116  /// Callbacks - These are actions invoked when some preprocessor activity is
117  /// encountered (e.g. a file is #included, etc).
118  PPCallbacks *Callbacks;
119
120  /// Macros - For each IdentifierInfo with 'HasMacro' set, we keep a mapping
121  /// to the actual definition of the macro.
122  llvm::DenseMap<IdentifierInfo*, MacroInfo*> Macros;
123
124  // Various statistics we track for performance analysis.
125  unsigned NumDirectives, NumIncluded, NumDefined, NumUndefined, NumPragma;
126  unsigned NumIf, NumElse, NumEndif;
127  unsigned NumEnteredSourceFiles, MaxIncludeStackDepth;
128  unsigned NumMacroExpanded, NumFnMacroExpanded, NumBuiltinMacroExpanded;
129  unsigned NumFastMacroExpanded, NumTokenPaste, NumFastTokenPaste;
130  unsigned NumSkipped;
131
132  /// MacroExpanderCache - Cache macro expanders to reduce malloc traffic.
133  enum { MacroExpanderCacheSize = 8 };
134  unsigned NumCachedMacroExpanders;
135  MacroExpander *MacroExpanderCache[MacroExpanderCacheSize];
136public:
137  Preprocessor(Diagnostic &diags, const LangOptions &opts, TargetInfo &target,
138               SourceManager &SM, HeaderSearch &Headers);
139  ~Preprocessor();
140
141  Diagnostic &getDiagnostics() const { return Diags; }
142  const LangOptions &getLangOptions() const { return Features; }
143  TargetInfo &getTargetInfo() const { return Target; }
144  FileManager &getFileManager() const { return FileMgr; }
145  SourceManager &getSourceManager() const { return SourceMgr; }
146  HeaderSearch &getHeaderSearchInfo() const { return HeaderInfo; }
147
148  IdentifierTable &getIdentifierTable() { return Identifiers; }
149  SelectorTable &getSelectorTable() { return Selectors; }
150
151  /// SetCommentRetentionState - Control whether or not the preprocessor retains
152  /// comments in output.
153  void SetCommentRetentionState(bool KeepComments, bool KeepMacroComments) {
154    this->KeepComments = KeepComments | KeepMacroComments;
155    this->KeepMacroComments = KeepMacroComments;
156  }
157
158  bool getCommentRetentionState() const { return KeepComments; }
159
160  /// isCurrentLexer - Return true if we are lexing directly from the specified
161  /// lexer.
162  bool isCurrentLexer(const Lexer *L) const {
163    return CurLexer == L;
164  }
165
166  /// isInPrimaryFile - Return true if we're in the top-level file, not in a
167  /// #include.
168  bool isInPrimaryFile() const;
169
170  /// getCurrentLexer - Return the current file lexer being lexed from.  Note
171  /// that this ignores any potentially active macro expansions and _Pragma
172  /// expansions going on at the time.
173  Lexer *getCurrentFileLexer() const;
174
175  /// getPPCallbacks/SetPPCallbacks - Accessors for preprocessor callbacks.
176  ///
177  PPCallbacks *getPPCallbacks() const { return Callbacks; }
178  void setPPCallbacks(PPCallbacks *C) {
179    Callbacks = C;
180  }
181
182  /// getMacroInfo - Given an identifier, return the MacroInfo it is #defined to
183  /// or null if it isn't #define'd.
184  MacroInfo *getMacroInfo(IdentifierInfo *II) const {
185    return II->hasMacroDefinition() ? Macros.find(II)->second : 0;
186  }
187
188  /// setMacroInfo - Specify a macro for this identifier.
189  ///
190  void setMacroInfo(IdentifierInfo *II, MacroInfo *MI);
191
192  /// getIdentifierInfo - Return information about the specified preprocessor
193  /// identifier token.  The version of this method that takes two character
194  /// pointers is preferred unless the identifier is already available as a
195  /// string (this avoids allocation and copying of memory to construct an
196  /// std::string).
197  IdentifierInfo *getIdentifierInfo(const char *NameStart,
198                                    const char *NameEnd) {
199    return &Identifiers.get(NameStart, NameEnd);
200  }
201  IdentifierInfo *getIdentifierInfo(const char *NameStr) {
202    return getIdentifierInfo(NameStr, NameStr+strlen(NameStr));
203  }
204
205  /// AddPragmaHandler - Add the specified pragma handler to the preprocessor.
206  /// If 'Namespace' is non-null, then it is a token required to exist on the
207  /// pragma line before the pragma string starts, e.g. "STDC" or "GCC".
208  void AddPragmaHandler(const char *Namespace, PragmaHandler *Handler);
209
210  /// EnterSourceFile - Add a source file to the top of the include stack and
211  /// start lexing tokens from it instead of the current buffer.  If isMainFile
212  /// is true, this is the main file for the translation unit.
213  void EnterSourceFile(unsigned CurFileID, const DirectoryLookup *Dir,
214                       bool isMainFile = false);
215
216  /// EnterMacro - Add a Macro to the top of the include stack and start lexing
217  /// tokens from it instead of the current buffer.  Args specifies the
218  /// tokens input to a function-like macro.
219  void EnterMacro(Token &Identifier, MacroArgs *Args);
220
221  /// EnterTokenStream - Add a "macro" context to the top of the include stack,
222  /// which will cause the lexer to start returning the specified tokens.  Note
223  /// that these tokens will be re-macro-expanded when/if expansion is enabled.
224  /// This method assumes that the specified stream of tokens has a permanent
225  /// owner somewhere, so they do not need to be copied.
226  void EnterTokenStream(const Token *Toks, unsigned NumToks);
227
228  /// RemoveTopOfLexerStack - Pop the current lexer/macro exp off the top of the
229  /// lexer stack.  This should only be used in situations where the current
230  /// state of the top-of-stack lexer is known.
231  void RemoveTopOfLexerStack();
232
233  /// Lex - To lex a token from the preprocessor, just pull a token from the
234  /// current lexer or macro object.
235  void Lex(Token &Result) {
236    if (CurLexer)
237      CurLexer->Lex(Result);
238    else
239      CurMacroExpander->Lex(Result);
240  }
241
242  /// LexNonComment - Lex a token.  If it's a comment, keep lexing until we get
243  /// something not a comment.  This is useful in -E -C mode where comments
244  /// would foul up preprocessor directive handling.
245  void LexNonComment(Token &Result) {
246    do
247      Lex(Result);
248    while (Result.getKind() == tok::comment);
249  }
250
251  /// LexUnexpandedToken - This is just like Lex, but this disables macro
252  /// expansion of identifier tokens.
253  void LexUnexpandedToken(Token &Result) {
254    // Disable macro expansion.
255    bool OldVal = DisableMacroExpansion;
256    DisableMacroExpansion = true;
257    // Lex the token.
258    Lex(Result);
259
260    // Reenable it.
261    DisableMacroExpansion = OldVal;
262  }
263
264  /// Diag - Forwarding function for diagnostics.  This emits a diagnostic at
265  /// the specified Token's location, translating the token's start
266  /// position in the current buffer into a SourcePosition object for rendering.
267  void Diag(SourceLocation Loc, unsigned DiagID);
268  void Diag(SourceLocation Loc, unsigned DiagID, const std::string &Msg);
269  void Diag(const Token &Tok, unsigned DiagID) {
270    Diag(Tok.getLocation(), DiagID);
271  }
272  void Diag(const Token &Tok, unsigned DiagID, const std::string &Msg) {
273    Diag(Tok.getLocation(), DiagID, Msg);
274  }
275
276  /// getSpelling() - Return the 'spelling' of the Tok token.  The spelling of a
277  /// token is the characters used to represent the token in the source file
278  /// after trigraph expansion and escaped-newline folding.  In particular, this
279  /// wants to get the true, uncanonicalized, spelling of things like digraphs
280  /// UCNs, etc.
281  std::string getSpelling(const Token &Tok) const;
282
283  /// getSpelling - This method is used to get the spelling of a token into a
284  /// preallocated buffer, instead of as an std::string.  The caller is required
285  /// to allocate enough space for the token, which is guaranteed to be at least
286  /// Tok.getLength() bytes long.  The length of the actual result is returned.
287  ///
288  /// Note that this method may do two possible things: it may either fill in
289  /// the buffer specified with characters, or it may *change the input pointer*
290  /// to point to a constant buffer with the data already in it (avoiding a
291  /// copy).  The caller is not allowed to modify the returned buffer pointer
292  /// if an internal buffer is returned.
293  unsigned getSpelling(const Token &Tok, const char *&Buffer) const;
294
295
296  /// CreateString - Plop the specified string into a scratch buffer and return
297  /// a location for it.  If specified, the source location provides a source
298  /// location for the token.
299  SourceLocation CreateString(const char *Buf, unsigned Len,
300                              SourceLocation SourceLoc = SourceLocation());
301
302  /// DumpToken - Print the token to stderr, used for debugging.
303  ///
304  void DumpToken(const Token &Tok, bool DumpFlags = false) const;
305  void DumpMacro(const MacroInfo &MI) const;
306
307  /// AdvanceToTokenCharacter - Given a location that specifies the start of a
308  /// token, return a new location that specifies a character within the token.
309  SourceLocation AdvanceToTokenCharacter(SourceLocation TokStart,unsigned Char);
310
311  /// IncrementPasteCounter - Increment the counters for the number of token
312  /// paste operations performed.  If fast was specified, this is a 'fast paste'
313  /// case we handled.
314  ///
315  void IncrementPasteCounter(bool isFast) {
316    if (isFast)
317      ++NumFastTokenPaste;
318    else
319      ++NumTokenPaste;
320  }
321
322  void PrintStats();
323
324  //===--------------------------------------------------------------------===//
325  // Preprocessor callback methods.  These are invoked by a lexer as various
326  // directives and events are found.
327
328  /// LookUpIdentifierInfo - Given a tok::identifier token, look up the
329  /// identifier information for the token and install it into the token.
330  IdentifierInfo *LookUpIdentifierInfo(Token &Identifier,
331                                       const char *BufPtr = 0);
332
333  /// HandleIdentifier - This callback is invoked when the lexer reads an
334  /// identifier and has filled in the tokens IdentifierInfo member.  This
335  /// callback potentially macro expands it or turns it into a named token (like
336  /// 'for').
337  void HandleIdentifier(Token &Identifier);
338
339
340  /// HandleEndOfFile - This callback is invoked when the lexer hits the end of
341  /// the current file.  This either returns the EOF token and returns true, or
342  /// pops a level off the include stack and returns false, at which point the
343  /// client should call lex again.
344  bool HandleEndOfFile(Token &Result, bool isEndOfMacro = false);
345
346  /// HandleEndOfMacro - This callback is invoked when the lexer hits the end of
347  /// the current macro line.  It returns true if Result is filled in with a
348  /// token, or false if Lex should be called again.
349  bool HandleEndOfMacro(Token &Result);
350
351  /// HandleDirective - This callback is invoked when the lexer sees a # token
352  /// at the start of a line.  This consumes the directive, modifies the
353  /// lexer/preprocessor state, and advances the lexer(s) so that the next token
354  /// read is the correct one.
355  void HandleDirective(Token &Result);
356
357  /// CheckEndOfDirective - Ensure that the next token is a tok::eom token.  If
358  /// not, emit a diagnostic and consume up until the eom.
359  void CheckEndOfDirective(const char *Directive);
360private:
361
362  /// DiscardUntilEndOfDirective - Read and discard all tokens remaining on the
363  /// current line until the tok::eom token is found.
364  void DiscardUntilEndOfDirective();
365
366  /// ReadMacroName - Lex and validate a macro name, which occurs after a
367  /// #define or #undef.  This emits a diagnostic, sets the token kind to eom,
368  /// and discards the rest of the macro line if the macro name is invalid.
369  void ReadMacroName(Token &MacroNameTok, char isDefineUndef = 0);
370
371  /// ReadMacroDefinitionArgList - The ( starting an argument list of a macro
372  /// definition has just been read.  Lex the rest of the arguments and the
373  /// closing ), updating MI with what we learn.  Return true if an error occurs
374  /// parsing the arg list.
375  bool ReadMacroDefinitionArgList(MacroInfo *MI);
376
377  /// SkipExcludedConditionalBlock - We just read a #if or related directive and
378  /// decided that the subsequent tokens are in the #if'd out portion of the
379  /// file.  Lex the rest of the file, until we see an #endif.  If
380  /// FoundNonSkipPortion is true, then we have already emitted code for part of
381  /// this #if directive, so #else/#elif blocks should never be entered. If
382  /// FoundElse is false, then #else directives are ok, if not, then we have
383  /// already seen one so a #else directive is a duplicate.  When this returns,
384  /// the caller can lex the first valid token.
385  void SkipExcludedConditionalBlock(SourceLocation IfTokenLoc,
386                                    bool FoundNonSkipPortion, bool FoundElse);
387
388  /// EvaluateDirectiveExpression - Evaluate an integer constant expression that
389  /// may occur after a #if or #elif directive and return it as a bool.  If the
390  /// expression is equivalent to "!defined(X)" return X in IfNDefMacro.
391  bool EvaluateDirectiveExpression(IdentifierInfo *&IfNDefMacro);
392
393  /// RegisterBuiltinPragmas - Install the standard preprocessor pragmas:
394  /// #pragma GCC poison/system_header/dependency and #pragma once.
395  void RegisterBuiltinPragmas();
396
397  /// RegisterBuiltinMacros - Register builtin macros, such as __LINE__ with the
398  /// identifier table.
399  void RegisterBuiltinMacros();
400  IdentifierInfo *RegisterBuiltinMacro(const char *Name);
401
402  /// HandleMacroExpandedIdentifier - If an identifier token is read that is to
403  /// be expanded as a macro, handle it and return the next token as 'Tok'.  If
404  /// the macro should not be expanded return true, otherwise return false.
405  bool HandleMacroExpandedIdentifier(Token &Tok, MacroInfo *MI);
406
407  /// isNextPPTokenLParen - Determine whether the next preprocessor token to be
408  /// lexed is a '('.  If so, consume the token and return true, if not, this
409  /// method should have no observable side-effect on the lexed tokens.
410  bool isNextPPTokenLParen();
411
412  /// ReadFunctionLikeMacroArgs - After reading "MACRO(", this method is
413  /// invoked to read all of the formal arguments specified for the macro
414  /// invocation.  This returns null on error.
415  MacroArgs *ReadFunctionLikeMacroArgs(Token &MacroName, MacroInfo *MI);
416
417  /// ExpandBuiltinMacro - If an identifier token is read that is to be expanded
418  /// as a builtin macro, handle it and return the next token as 'Tok'.
419  void ExpandBuiltinMacro(Token &Tok);
420
421  /// Handle_Pragma - Read a _Pragma directive, slice it up, process it, then
422  /// return the first token after the directive.  The _Pragma token has just
423  /// been read into 'Tok'.
424  void Handle_Pragma(Token &Tok);
425
426
427  /// EnterSourceFileWithLexer - Add a lexer to the top of the include stack and
428  /// start lexing tokens from it instead of the current buffer.
429  void EnterSourceFileWithLexer(Lexer *TheLexer, const DirectoryLookup *Dir);
430
431  /// GetIncludeFilenameSpelling - Turn the specified lexer token into a fully
432  /// checked and spelled filename, e.g. as an operand of #include. This returns
433  /// true if the input filename was in <>'s or false if it were in ""'s.  The
434  /// caller is expected to provide a buffer that is large enough to hold the
435  /// spelling of the filename, but is also expected to handle the case when
436  /// this method decides to use a different buffer.
437  bool GetIncludeFilenameSpelling(SourceLocation Loc,
438                                  const char *&BufStart, const char *&BufEnd);
439
440  /// LookupFile - Given a "foo" or <foo> reference, look up the indicated file,
441  /// return null on failure.  isAngled indicates whether the file reference is
442  /// for system #include's or not (i.e. using <> instead of "").
443  const FileEntry *LookupFile(const char *FilenameStart,const char *FilenameEnd,
444                              bool isAngled, const DirectoryLookup *FromDir,
445                              const DirectoryLookup *&CurDir);
446
447  //===--------------------------------------------------------------------===//
448  /// Handle*Directive - implement the various preprocessor directives.  These
449  /// should side-effect the current preprocessor object so that the next call
450  /// to Lex() will return the appropriate token next.
451
452  void HandleUserDiagnosticDirective(Token &Tok, bool isWarning);
453  void HandleIdentSCCSDirective(Token &Tok);
454
455  // File inclusion.
456  void HandleIncludeDirective(Token &Tok,
457                              const DirectoryLookup *LookupFrom = 0,
458                              bool isImport = false);
459  void HandleIncludeNextDirective(Token &Tok);
460  void HandleImportDirective(Token &Tok);
461
462  // Macro handling.
463  void HandleDefineDirective(Token &Tok, bool isTargetSpecific);
464  void HandleUndefDirective(Token &Tok);
465  void HandleDefineOtherTargetDirective(Token &Tok);
466  // HandleAssertDirective(Token &Tok);
467  // HandleUnassertDirective(Token &Tok);
468
469  // Conditional Inclusion.
470  void HandleIfdefDirective(Token &Tok, bool isIfndef,
471                            bool ReadAnyTokensBeforeDirective);
472  void HandleIfDirective(Token &Tok, bool ReadAnyTokensBeforeDirective);
473  void HandleEndifDirective(Token &Tok);
474  void HandleElseDirective(Token &Tok);
475  void HandleElifDirective(Token &Tok);
476
477  // Pragmas.
478  void HandlePragmaDirective();
479public:
480  void HandlePragmaOnce(Token &OnceTok);
481  void HandlePragmaPoison(Token &PoisonTok);
482  void HandlePragmaSystemHeader(Token &SysHeaderTok);
483  void HandlePragmaDependency(Token &DependencyTok);
484};
485
486}  // end namespace clang
487
488#endif
489