[LoongArch] Add codegen support for handling floating point immediates
[llvm-project.git] / clang-tools-extra / modularize / PreprocessorTracker.cpp
blob171a9380b793e69b61bdba09f64b733f2ef36906
1 //===--- PreprocessorTracker.cpp - Preprocessor tracking -*- C++ -*------===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===--------------------------------------------------------------------===//
8 //
9 // The Basic Idea (Macro and Conditional Checking)
11 // Basically we install a PPCallbacks-derived object to track preprocessor
12 // activity, namely when a header file is entered/exited, when a macro
13 // is expanded, when "defined" is used, and when #if, #elif, #ifdef,
14 // and #ifndef are used. We save the state of macro and "defined"
15 // expressions in a map, keyed on a name/file/line/column quadruple.
16 // The map entries store the different states (values) that a macro expansion,
17 // "defined" expression, or condition expression has in the course of
18 // processing for the one location in the one header containing it,
19 // plus a list of the nested include stacks for the states. When a macro
20 // or "defined" expression evaluates to the same value, which is the
21 // desired case, only one state is stored. Similarly, for conditional
22 // directives, we save the condition expression states in a separate map.
24 // This information is collected as modularize compiles all the headers
25 // given to it to process. After all the compilations are performed,
26 // a check is performed for any entries in the maps that contain more
27 // than one different state, and for these an output message is generated.
29 // For example:
31 // (...)/SubHeader.h:11:5:
32 // #if SYMBOL == 1
33 // ^
34 // error: Macro instance 'SYMBOL' has different values in this header,
35 // depending on how it was included.
36 // 'SYMBOL' expanded to: '1' with respect to these inclusion paths:
37 // (...)/Header1.h
38 // (...)/SubHeader.h
39 // (...)/SubHeader.h:3:9:
40 // #define SYMBOL 1
41 // ^
42 // Macro defined here.
43 // 'SYMBOL' expanded to: '2' with respect to these inclusion paths:
44 // (...)/Header2.h
45 // (...)/SubHeader.h
46 // (...)/SubHeader.h:7:9:
47 // #define SYMBOL 2
48 // ^
49 // Macro defined here.
51 // The Basic Idea ('Extern "C/C++" {}' Or 'namespace {}') With Nested
52 // '#include' Checking)
54 // To check for '#include' directives nested inside 'Extern "C/C++" {}'
55 // or 'namespace {}' blocks, we keep track of the '#include' directives
56 // while running the preprocessor, and later during a walk of the AST
57 // we call a function to check for any '#include' directives inside
58 // an 'Extern "C/C++" {}' or 'namespace {}' block, given its source
59 // range.
61 // Design and Implementation Details (Macro and Conditional Checking)
63 // A PreprocessorTrackerImpl class implements the PreprocessorTracker
64 // interface. It uses a PreprocessorCallbacks class derived from PPCallbacks
65 // to track preprocessor activity, namely entering/exiting a header, macro
66 // expansions, use of "defined" expressions, and #if, #elif, #ifdef, and
67 // #ifndef conditional directives. PreprocessorTrackerImpl stores a map
68 // of MacroExpansionTracker objects keyed on a name/file/line/column
69 // value represented by a light-weight PPItemKey value object. This
70 // is the key top-level data structure tracking the values of macro
71 // expansion instances. Similarly, it stores a map of ConditionalTracker
72 // objects with the same kind of key, for tracking preprocessor conditional
73 // directives.
75 // The MacroExpansionTracker object represents one macro reference or use
76 // of a "defined" expression in a header file. It stores a handle to a
77 // string representing the unexpanded macro instance, a handle to a string
78 // representing the unpreprocessed source line containing the unexpanded
79 // macro instance, and a vector of one or more MacroExpansionInstance
80 // objects.
82 // The MacroExpansionInstance object represents one or more expansions
83 // of a macro reference, for the case where the macro expands to the same
84 // value. MacroExpansionInstance stores a handle to a string representing
85 // the expanded macro value, a PPItemKey representing the file/line/column
86 // where the macro was defined, a handle to a string representing the source
87 // line containing the macro definition, and a vector of InclusionPathHandle
88 // values that represents the hierarchies of include files for each case
89 // where the particular header containing the macro reference was referenced
90 // or included.
92 // In the normal case where a macro instance always expands to the same
93 // value, the MacroExpansionTracker object will only contain one
94 // MacroExpansionInstance representing all the macro expansion instances.
95 // If a case was encountered where a macro instance expands to a value
96 // that is different from that seen before, or the macro was defined in
97 // a different place, a new MacroExpansionInstance object representing
98 // that case will be added to the vector in MacroExpansionTracker. If a
99 // macro instance expands to a value already seen before, the
100 // InclusionPathHandle representing that case's include file hierarchy
101 // will be added to the existing MacroExpansionInstance object.
103 // For checking conditional directives, the ConditionalTracker class
104 // functions similarly to MacroExpansionTracker, but tracks an #if,
105 // #elif, #ifdef, or #ifndef directive in a header file. It stores
106 // a vector of one or two ConditionalExpansionInstance objects,
107 // representing the cases where the conditional expression evaluates
108 // to true or false. This latter object stores the evaluated value
109 // of the condition expression (a bool) and a vector of
110 // InclusionPathHandles.
112 // To reduce the instances of string and object copying, the
113 // PreprocessorTrackerImpl class uses a StringPool to save all stored
114 // strings, and defines a StringHandle type to abstract the references
115 // to the strings.
117 // PreprocessorTrackerImpl also maintains a list representing the unique
118 // headers, which is just a vector of StringHandle's for the header file
119 // paths. A HeaderHandle abstracts a reference to a header, and is simply
120 // the index of the stored header file path.
122 // A HeaderInclusionPath class abstracts a unique hierarchy of header file
123 // inclusions. It simply stores a vector of HeaderHandles ordered from the
124 // top-most header (the one from the header list passed to modularize) down
125 // to the header containing the macro reference. PreprocessorTrackerImpl
126 // stores a vector of these objects. An InclusionPathHandle typedef
127 // abstracts a reference to one of the HeaderInclusionPath objects, and is
128 // simply the index of the stored HeaderInclusionPath object. The
129 // MacroExpansionInstance object stores a vector of these handles so that
130 // the reporting function can display the include hierarchies for the macro
131 // expansion instances represented by that object, to help the user
132 // understand how the header was included. (A future enhancement might
133 // be to associate a line number for the #include directives, but I
134 // think not doing so is good enough for the present.)
136 // A key reason for using these opaque handles was to try to keep all the
137 // internal objects light-weight value objects, in order to reduce string
138 // and object copying overhead, and to abstract this implementation detail.
140 // The key data structures are built up while modularize runs the headers
141 // through the compilation. A PreprocessorTracker instance is created and
142 // passed down to the AST action and consumer objects in modularize. For
143 // each new compilation instance, the consumer calls the
144 // PreprocessorTracker's handleNewPreprocessorEntry function, which sets
145 // up a PreprocessorCallbacks object for the preprocessor. At the end of
146 // the compilation instance, the PreprocessorTracker's
147 // handleNewPreprocessorExit function handles cleaning up with respect
148 // to the preprocessing instance.
150 // The PreprocessorCallbacks object uses an overridden FileChanged callback
151 // to determine when a header is entered and exited (including exiting the
152 // header during #include directives). It calls PreprocessorTracker's
153 // handleHeaderEntry and handleHeaderExit functions upon entering and
154 // exiting a header. These functions manage a stack of header handles
155 // representing by a vector, pushing and popping header handles as headers
156 // are entered and exited. When a HeaderInclusionPath object is created,
157 // it simply copies this stack.
159 // The PreprocessorCallbacks object uses an overridden MacroExpands callback
160 // to track when a macro expansion is performed. It calls a couple of helper
161 // functions to get the unexpanded and expanded macro values as strings, but
162 // then calls PreprocessorTrackerImpl's addMacroExpansionInstance function to
163 // do the rest of the work. The getMacroExpandedString function uses the
164 // preprocessor's getSpelling to convert tokens to strings using the
165 // information passed to the MacroExpands callback, and simply concatenates
166 // them. It makes recursive calls to itself to handle nested macro
167 // definitions, and also handles function-style macros.
169 // PreprocessorTrackerImpl's addMacroExpansionInstance function looks for
170 // an existing MacroExpansionTracker entry in its map of MacroExampleTracker
171 // objects. If none exists, it adds one with one MacroExpansionInstance and
172 // returns. If a MacroExpansionTracker object already exists, it looks for
173 // an existing MacroExpansionInstance object stored in the
174 // MacroExpansionTracker object, one that matches the macro expanded value
175 // and the macro definition location. If a matching MacroExpansionInstance
176 // object is found, it just adds the current HeaderInclusionPath object to
177 // it. If not found, it creates and stores a new MacroExpansionInstance
178 // object. The addMacroExpansionInstance function calls a couple of helper
179 // functions to get the pre-formatted location and source line strings for
180 // the macro reference and the macro definition stored as string handles.
181 // These helper functions use the current source manager from the
182 // preprocessor. This is done in advance at this point in time because the
183 // source manager doesn't exist at the time of the reporting.
185 // For conditional check, the PreprocessorCallbacks class overrides the
186 // PPCallbacks handlers for #if, #elif, #ifdef, and #ifndef. These handlers
187 // call the addConditionalExpansionInstance method of
188 // PreprocessorTrackerImpl. The process is similar to that of macros, but
189 // with some different data and error messages. A lookup is performed for
190 // the conditional, and if a ConditionalTracker object doesn't yet exist for
191 // the conditional, a new one is added, including adding a
192 // ConditionalExpansionInstance object to it to represent the condition
193 // expression state. If a ConditionalTracker for the conditional does
194 // exist, a lookup is made for a ConditionalExpansionInstance object
195 // matching the condition expression state. If one exists, a
196 // HeaderInclusionPath is added to it. Otherwise a new
197 // ConditionalExpansionInstance entry is made. If a ConditionalTracker
198 // has two ConditionalExpansionInstance objects, it means there was a
199 // conflict, meaning the conditional expression evaluated differently in
200 // one or more cases.
202 // After modularize has performed all the compilations, it enters a phase
203 // of error reporting. This new feature adds to this reporting phase calls
204 // to the PreprocessorTracker's reportInconsistentMacros and
205 // reportInconsistentConditionals functions. These functions walk the maps
206 // of MacroExpansionTracker's and ConditionalTracker's respectively. If
207 // any of these objects have more than one MacroExpansionInstance or
208 // ConditionalExpansionInstance objects, it formats and outputs an error
209 // message like the example shown previously, using the stored data.
211 // A potential issue is that there is some overlap between the #if/#elif
212 // conditional and macro reporting. I could disable the #if and #elif,
213 // leaving just the #ifdef and #ifndef, since these don't overlap. Or,
214 // to make clearer the separate reporting phases, I could add an output
215 // message marking the phases.
217 // Design and Implementation Details ('Extern "C/C++" {}' Or
218 // 'namespace {}') With Nested '#include' Checking)
220 // We override the InclusionDirective in PPCallbacks to record information
221 // about each '#include' directive encountered during preprocessing.
222 // We co-opt the PPItemKey class to store the information about each
223 // '#include' directive, including the source file name containing the
224 // directive, the name of the file being included, and the source line
225 // and column of the directive. We store these object in a vector,
226 // after first check to see if an entry already exists.
228 // Later, while the AST is being walked for other checks, we provide
229 // visit handlers for 'extern "C/C++" {}' and 'namespace (name) {}'
230 // blocks, checking to see if any '#include' directives occurred
231 // within the blocks, reporting errors if any found.
233 // Future Directions
235 // We probably should add options to disable any of the checks, in case
236 // there is some problem with them, or the messages get too verbose.
238 // With the map of all the macro and conditional expansion instances,
239 // it might be possible to add to the existing modularize error messages
240 // (the second part referring to definitions being different), attempting
241 // to tie them to the last macro conflict encountered with respect to the
242 // order of the code encountered.
244 //===--------------------------------------------------------------------===//
246 #include "PreprocessorTracker.h"
247 #include "ModularizeUtilities.h"
248 #include "clang/Lex/LexDiagnostic.h"
249 #include "clang/Lex/MacroArgs.h"
250 #include "clang/Lex/PPCallbacks.h"
251 #include "llvm/ADT/SmallSet.h"
252 #include "llvm/ADT/StringSet.h"
253 #include "llvm/Support/raw_ostream.h"
255 namespace Modularize {
257 // Some handle types
258 typedef llvm::StringRef StringHandle;
260 typedef int HeaderHandle;
261 const HeaderHandle HeaderHandleInvalid = -1;
263 typedef int InclusionPathHandle;
264 const InclusionPathHandle InclusionPathHandleInvalid = -1;
266 // Some utility functions.
268 // Get a "file:line:column" source location string.
269 static std::string getSourceLocationString(clang::Preprocessor &PP,
270 clang::SourceLocation Loc) {
271 if (Loc.isInvalid())
272 return std::string("(none)");
273 else
274 return Loc.printToString(PP.getSourceManager());
277 // Get just the file name from a source location.
278 static std::string getSourceLocationFile(clang::Preprocessor &PP,
279 clang::SourceLocation Loc) {
280 std::string Source(getSourceLocationString(PP, Loc));
281 size_t Offset = Source.find(':', 2);
282 if (Offset == std::string::npos)
283 return Source;
284 return Source.substr(0, Offset);
287 // Get just the line and column from a source location.
288 static void getSourceLocationLineAndColumn(clang::Preprocessor &PP,
289 clang::SourceLocation Loc, int &Line,
290 int &Column) {
291 clang::PresumedLoc PLoc = PP.getSourceManager().getPresumedLoc(Loc);
292 if (PLoc.isInvalid()) {
293 Line = 0;
294 Column = 0;
295 return;
297 Line = PLoc.getLine();
298 Column = PLoc.getColumn();
301 // Retrieve source snippet from file image.
302 static std::string getSourceString(clang::Preprocessor &PP,
303 clang::SourceRange Range) {
304 clang::SourceLocation BeginLoc = Range.getBegin();
305 clang::SourceLocation EndLoc = Range.getEnd();
306 const char *BeginPtr = PP.getSourceManager().getCharacterData(BeginLoc);
307 const char *EndPtr = PP.getSourceManager().getCharacterData(EndLoc);
308 size_t Length = EndPtr - BeginPtr;
309 return llvm::StringRef(BeginPtr, Length).trim().str();
312 // Retrieve source line from file image given a location.
313 static std::string getSourceLine(clang::Preprocessor &PP,
314 clang::SourceLocation Loc) {
315 llvm::MemoryBufferRef MemBuffer = PP.getSourceManager().getBufferOrFake(
316 PP.getSourceManager().getFileID(Loc));
317 const char *Buffer = MemBuffer.getBufferStart();
318 const char *BufferEnd = MemBuffer.getBufferEnd();
319 const char *BeginPtr = PP.getSourceManager().getCharacterData(Loc);
320 const char *EndPtr = BeginPtr;
321 while (BeginPtr > Buffer) {
322 if (*BeginPtr == '\n') {
323 BeginPtr++;
324 break;
326 BeginPtr--;
328 while (EndPtr < BufferEnd) {
329 if (*EndPtr == '\n') {
330 break;
332 EndPtr++;
334 size_t Length = EndPtr - BeginPtr;
335 return llvm::StringRef(BeginPtr, Length).str();
338 // Retrieve source line from file image given a file ID and line number.
339 static std::string getSourceLine(clang::Preprocessor &PP, clang::FileID FileID,
340 int Line) {
341 llvm::MemoryBufferRef MemBuffer =
342 PP.getSourceManager().getBufferOrFake(FileID);
343 const char *Buffer = MemBuffer.getBufferStart();
344 const char *BufferEnd = MemBuffer.getBufferEnd();
345 const char *BeginPtr = Buffer;
346 const char *EndPtr = BufferEnd;
347 int LineCounter = 1;
348 if (Line == 1)
349 BeginPtr = Buffer;
350 else {
351 while (Buffer < BufferEnd) {
352 if (*Buffer == '\n') {
353 if (++LineCounter == Line) {
354 BeginPtr = Buffer++ + 1;
355 break;
358 Buffer++;
361 while (Buffer < BufferEnd) {
362 if (*Buffer == '\n') {
363 EndPtr = Buffer;
364 break;
366 Buffer++;
368 size_t Length = EndPtr - BeginPtr;
369 return llvm::StringRef(BeginPtr, Length).str();
372 // Get the string for the Unexpanded macro instance.
373 // The sourceRange is expected to end at the last token
374 // for the macro instance, which in the case of a function-style
375 // macro will be a ')', but for an object-style macro, it
376 // will be the macro name itself.
377 static std::string getMacroUnexpandedString(clang::SourceRange Range,
378 clang::Preprocessor &PP,
379 llvm::StringRef MacroName,
380 const clang::MacroInfo *MI) {
381 clang::SourceLocation BeginLoc(Range.getBegin());
382 const char *BeginPtr = PP.getSourceManager().getCharacterData(BeginLoc);
383 size_t Length;
384 std::string Unexpanded;
385 if (MI->isFunctionLike()) {
386 clang::SourceLocation EndLoc(Range.getEnd());
387 const char *EndPtr = PP.getSourceManager().getCharacterData(EndLoc) + 1;
388 Length = (EndPtr - BeginPtr) + 1; // +1 is ')' width.
389 } else
390 Length = MacroName.size();
391 return llvm::StringRef(BeginPtr, Length).trim().str();
394 // Get the expansion for a macro instance, given the information
395 // provided by PPCallbacks.
396 // FIXME: This doesn't support function-style macro instances
397 // passed as arguments to another function-style macro. However,
398 // since it still expands the inner arguments, it still
399 // allows modularize to effectively work with respect to macro
400 // consistency checking, although it displays the incorrect
401 // expansion in error messages.
402 static std::string getMacroExpandedString(clang::Preprocessor &PP,
403 llvm::StringRef MacroName,
404 const clang::MacroInfo *MI,
405 const clang::MacroArgs *Args) {
406 std::string Expanded;
407 // Walk over the macro Tokens.
408 for (const auto &T : MI->tokens()) {
409 clang::IdentifierInfo *II = T.getIdentifierInfo();
410 int ArgNo = (II && Args ? MI->getParameterNum(II) : -1);
411 if (ArgNo == -1) {
412 // This isn't an argument, just add it.
413 if (II == nullptr)
414 Expanded += PP.getSpelling(T); // Not an identifier.
415 else {
416 // Token is for an identifier.
417 std::string Name = II->getName().str();
418 // Check for nexted macro references.
419 clang::MacroInfo *MacroInfo = PP.getMacroInfo(II);
420 if (MacroInfo && (Name != MacroName))
421 Expanded += getMacroExpandedString(PP, Name, MacroInfo, nullptr);
422 else
423 Expanded += Name;
425 continue;
427 // We get here if it's a function-style macro with arguments.
428 const clang::Token *ResultArgToks;
429 const clang::Token *ArgTok = Args->getUnexpArgument(ArgNo);
430 if (Args->ArgNeedsPreexpansion(ArgTok, PP))
431 ResultArgToks = &(const_cast<clang::MacroArgs *>(Args))
432 ->getPreExpArgument(ArgNo, PP)[0];
433 else
434 ResultArgToks = ArgTok; // Use non-preexpanded Tokens.
435 // If the arg token didn't expand into anything, ignore it.
436 if (ResultArgToks->is(clang::tok::eof))
437 continue;
438 unsigned NumToks = clang::MacroArgs::getArgLength(ResultArgToks);
439 // Append the resulting argument expansions.
440 for (unsigned ArgumentIndex = 0; ArgumentIndex < NumToks; ++ArgumentIndex) {
441 const clang::Token &AT = ResultArgToks[ArgumentIndex];
442 clang::IdentifierInfo *II = AT.getIdentifierInfo();
443 if (II == nullptr)
444 Expanded += PP.getSpelling(AT); // Not an identifier.
445 else {
446 // It's an identifier. Check for further expansion.
447 std::string Name = II->getName().str();
448 clang::MacroInfo *MacroInfo = PP.getMacroInfo(II);
449 if (MacroInfo)
450 Expanded += getMacroExpandedString(PP, Name, MacroInfo, nullptr);
451 else
452 Expanded += Name;
456 return Expanded;
459 namespace {
461 // ConditionValueKind strings.
462 const char *
463 ConditionValueKindStrings[] = {
464 "(not evaluated)", "false", "true"
467 // Preprocessor item key.
469 // This class represents a location in a source file, for use
470 // as a key representing a unique name/file/line/column quadruplet,
471 // which in this case is used to identify a macro expansion instance,
472 // but could be used for other things as well.
473 // The file is a header file handle, the line is a line number,
474 // and the column is a column number.
475 class PPItemKey {
476 public:
477 PPItemKey(clang::Preprocessor &PP, StringHandle Name, HeaderHandle File,
478 clang::SourceLocation Loc)
479 : Name(Name), File(File) {
480 getSourceLocationLineAndColumn(PP, Loc, Line, Column);
482 PPItemKey(StringHandle Name, HeaderHandle File, int Line, int Column)
483 : Name(Name), File(File), Line(Line), Column(Column) {}
484 PPItemKey(const PPItemKey &Other)
485 : Name(Other.Name), File(Other.File), Line(Other.Line),
486 Column(Other.Column) {}
487 PPItemKey() : File(HeaderHandleInvalid), Line(0), Column(0) {}
488 bool operator==(const PPItemKey &Other) const {
489 if (Name != Other.Name)
490 return false;
491 if (File != Other.File)
492 return false;
493 if (Line != Other.Line)
494 return false;
495 return Column == Other.Column;
497 bool operator<(const PPItemKey &Other) const {
498 if (Name < Other.Name)
499 return true;
500 else if (Name > Other.Name)
501 return false;
502 if (File < Other.File)
503 return true;
504 else if (File > Other.File)
505 return false;
506 if (Line < Other.Line)
507 return true;
508 else if (Line > Other.Line)
509 return false;
510 return Column < Other.Column;
512 StringHandle Name;
513 HeaderHandle File;
514 int Line;
515 int Column;
518 // Header inclusion path.
519 class HeaderInclusionPath {
520 public:
521 HeaderInclusionPath(std::vector<HeaderHandle> HeaderInclusionPath)
522 : Path(HeaderInclusionPath) {}
523 HeaderInclusionPath(const HeaderInclusionPath &Other) : Path(Other.Path) {}
524 HeaderInclusionPath() {}
525 std::vector<HeaderHandle> Path;
528 // Macro expansion instance.
530 // This class represents an instance of a macro expansion with a
531 // unique value. It also stores the unique header inclusion paths
532 // for use in telling the user the nested include path to the header.
533 class MacroExpansionInstance {
534 public:
535 MacroExpansionInstance(StringHandle MacroExpanded,
536 PPItemKey &DefinitionLocation,
537 StringHandle DefinitionSourceLine,
538 InclusionPathHandle H)
539 : MacroExpanded(MacroExpanded), DefinitionLocation(DefinitionLocation),
540 DefinitionSourceLine(DefinitionSourceLine) {
541 InclusionPathHandles.push_back(H);
543 MacroExpansionInstance() {}
545 // Check for the presence of a header inclusion path handle entry.
546 // Return false if not found.
547 bool haveInclusionPathHandle(InclusionPathHandle H) {
548 for (auto I = InclusionPathHandles.begin(), E = InclusionPathHandles.end();
549 I != E; ++I) {
550 if (*I == H)
551 return true;
553 return InclusionPathHandleInvalid;
555 // Add a new header inclusion path entry, if not already present.
556 void addInclusionPathHandle(InclusionPathHandle H) {
557 if (!haveInclusionPathHandle(H))
558 InclusionPathHandles.push_back(H);
561 // A string representing the macro instance after preprocessing.
562 StringHandle MacroExpanded;
563 // A file/line/column triplet representing the macro definition location.
564 PPItemKey DefinitionLocation;
565 // A place to save the macro definition line string.
566 StringHandle DefinitionSourceLine;
567 // The header inclusion path handles for all the instances.
568 std::vector<InclusionPathHandle> InclusionPathHandles;
571 // Macro expansion instance tracker.
573 // This class represents one macro expansion, keyed by a PPItemKey.
574 // It stores a string representing the macro reference in the source,
575 // and a list of ConditionalExpansionInstances objects representing
576 // the unique values the condition expands to in instances of the header.
577 class MacroExpansionTracker {
578 public:
579 MacroExpansionTracker(StringHandle MacroUnexpanded,
580 StringHandle MacroExpanded,
581 StringHandle InstanceSourceLine,
582 PPItemKey &DefinitionLocation,
583 StringHandle DefinitionSourceLine,
584 InclusionPathHandle InclusionPathHandle)
585 : MacroUnexpanded(MacroUnexpanded),
586 InstanceSourceLine(InstanceSourceLine) {
587 addMacroExpansionInstance(MacroExpanded, DefinitionLocation,
588 DefinitionSourceLine, InclusionPathHandle);
590 MacroExpansionTracker() {}
592 // Find a matching macro expansion instance.
593 MacroExpansionInstance *
594 findMacroExpansionInstance(StringHandle MacroExpanded,
595 PPItemKey &DefinitionLocation) {
596 for (auto I = MacroExpansionInstances.begin(),
597 E = MacroExpansionInstances.end();
598 I != E; ++I) {
599 if ((I->MacroExpanded == MacroExpanded) &&
600 (I->DefinitionLocation == DefinitionLocation)) {
601 return &*I; // Found.
604 return nullptr; // Not found.
607 // Add a macro expansion instance.
608 void addMacroExpansionInstance(StringHandle MacroExpanded,
609 PPItemKey &DefinitionLocation,
610 StringHandle DefinitionSourceLine,
611 InclusionPathHandle InclusionPathHandle) {
612 MacroExpansionInstances.push_back(
613 MacroExpansionInstance(MacroExpanded, DefinitionLocation,
614 DefinitionSourceLine, InclusionPathHandle));
617 // Return true if there is a mismatch.
618 bool hasMismatch() { return MacroExpansionInstances.size() > 1; }
620 // A string representing the macro instance without expansion.
621 StringHandle MacroUnexpanded;
622 // A place to save the macro instance source line string.
623 StringHandle InstanceSourceLine;
624 // The macro expansion instances.
625 // If all instances of the macro expansion expand to the same value,
626 // This vector will only have one instance.
627 std::vector<MacroExpansionInstance> MacroExpansionInstances;
630 // Conditional expansion instance.
632 // This class represents an instance of a condition exoression result
633 // with a unique value. It also stores the unique header inclusion paths
634 // for use in telling the user the nested include path to the header.
635 class ConditionalExpansionInstance {
636 public:
637 ConditionalExpansionInstance(clang::PPCallbacks::ConditionValueKind ConditionValue, InclusionPathHandle H)
638 : ConditionValue(ConditionValue) {
639 InclusionPathHandles.push_back(H);
641 ConditionalExpansionInstance() {}
643 // Check for the presence of a header inclusion path handle entry.
644 // Return false if not found.
645 bool haveInclusionPathHandle(InclusionPathHandle H) {
646 for (auto I = InclusionPathHandles.begin(), E = InclusionPathHandles.end();
647 I != E; ++I) {
648 if (*I == H)
649 return true;
651 return InclusionPathHandleInvalid;
653 // Add a new header inclusion path entry, if not already present.
654 void addInclusionPathHandle(InclusionPathHandle H) {
655 if (!haveInclusionPathHandle(H))
656 InclusionPathHandles.push_back(H);
659 // A flag representing the evaluated condition value.
660 clang::PPCallbacks::ConditionValueKind ConditionValue;
661 // The header inclusion path handles for all the instances.
662 std::vector<InclusionPathHandle> InclusionPathHandles;
665 // Conditional directive instance tracker.
667 // This class represents one conditional directive, keyed by a PPItemKey.
668 // It stores a string representing the macro reference in the source,
669 // and a list of ConditionExpansionInstance objects representing
670 // the unique value the condition expression expands to in instances of
671 // the header.
672 class ConditionalTracker {
673 public:
674 ConditionalTracker(clang::tok::PPKeywordKind DirectiveKind,
675 clang::PPCallbacks::ConditionValueKind ConditionValue,
676 StringHandle ConditionUnexpanded,
677 InclusionPathHandle InclusionPathHandle)
678 : DirectiveKind(DirectiveKind), ConditionUnexpanded(ConditionUnexpanded) {
679 addConditionalExpansionInstance(ConditionValue, InclusionPathHandle);
681 ConditionalTracker() {}
683 // Find a matching condition expansion instance.
684 ConditionalExpansionInstance *
685 findConditionalExpansionInstance(clang::PPCallbacks::ConditionValueKind ConditionValue) {
686 for (auto I = ConditionalExpansionInstances.begin(),
687 E = ConditionalExpansionInstances.end();
688 I != E; ++I) {
689 if (I->ConditionValue == ConditionValue) {
690 return &*I; // Found.
693 return nullptr; // Not found.
696 // Add a conditional expansion instance.
697 void
698 addConditionalExpansionInstance(clang::PPCallbacks::ConditionValueKind ConditionValue,
699 InclusionPathHandle InclusionPathHandle) {
700 ConditionalExpansionInstances.push_back(
701 ConditionalExpansionInstance(ConditionValue, InclusionPathHandle));
704 // Return true if there is a mismatch.
705 bool hasMismatch() { return ConditionalExpansionInstances.size() > 1; }
707 // The kind of directive.
708 clang::tok::PPKeywordKind DirectiveKind;
709 // A string representing the macro instance without expansion.
710 StringHandle ConditionUnexpanded;
711 // The condition expansion instances.
712 // If all instances of the conditional expression expand to the same value,
713 // This vector will only have one instance.
714 std::vector<ConditionalExpansionInstance> ConditionalExpansionInstances;
717 class PreprocessorTrackerImpl;
719 // Preprocessor callbacks for modularize.
721 // This class derives from the Clang PPCallbacks class to track preprocessor
722 // actions, such as changing files and handling preprocessor directives and
723 // macro expansions. It has to figure out when a new header file is entered
724 // and left, as the provided handler is not particularly clear about it.
725 class PreprocessorCallbacks : public clang::PPCallbacks {
726 public:
727 PreprocessorCallbacks(PreprocessorTrackerImpl &ppTracker,
728 clang::Preprocessor &PP, llvm::StringRef rootHeaderFile)
729 : PPTracker(ppTracker), PP(PP), RootHeaderFile(rootHeaderFile) {}
730 ~PreprocessorCallbacks() override {}
732 // Overridden handlers.
733 void InclusionDirective(clang::SourceLocation HashLoc,
734 const clang::Token &IncludeTok,
735 llvm::StringRef FileName, bool IsAngled,
736 clang::CharSourceRange FilenameRange,
737 llvm::Optional<clang::FileEntryRef> File,
738 llvm::StringRef SearchPath,
739 llvm::StringRef RelativePath,
740 const clang::Module *Imported,
741 clang::SrcMgr::CharacteristicKind FileType) override;
742 void FileChanged(clang::SourceLocation Loc,
743 clang::PPCallbacks::FileChangeReason Reason,
744 clang::SrcMgr::CharacteristicKind FileType,
745 clang::FileID PrevFID = clang::FileID()) override;
746 void MacroExpands(const clang::Token &MacroNameTok,
747 const clang::MacroDefinition &MD, clang::SourceRange Range,
748 const clang::MacroArgs *Args) override;
749 void Defined(const clang::Token &MacroNameTok,
750 const clang::MacroDefinition &MD,
751 clang::SourceRange Range) override;
752 void If(clang::SourceLocation Loc, clang::SourceRange ConditionRange,
753 clang::PPCallbacks::ConditionValueKind ConditionResult) override;
754 void Elif(clang::SourceLocation Loc, clang::SourceRange ConditionRange,
755 clang::PPCallbacks::ConditionValueKind ConditionResult,
756 clang::SourceLocation IfLoc) override;
757 void Ifdef(clang::SourceLocation Loc, const clang::Token &MacroNameTok,
758 const clang::MacroDefinition &MD) override;
759 void Ifndef(clang::SourceLocation Loc, const clang::Token &MacroNameTok,
760 const clang::MacroDefinition &MD) override;
762 private:
763 PreprocessorTrackerImpl &PPTracker;
764 clang::Preprocessor &PP;
765 std::string RootHeaderFile;
768 // Preprocessor macro expansion item map types.
769 typedef std::map<PPItemKey, MacroExpansionTracker> MacroExpansionMap;
770 typedef std::map<PPItemKey, MacroExpansionTracker>::iterator
771 MacroExpansionMapIter;
773 // Preprocessor conditional expansion item map types.
774 typedef std::map<PPItemKey, ConditionalTracker> ConditionalExpansionMap;
775 typedef std::map<PPItemKey, ConditionalTracker>::iterator
776 ConditionalExpansionMapIter;
778 // Preprocessor tracker for modularize.
780 // This class stores information about all the headers processed in the
781 // course of running modularize.
782 class PreprocessorTrackerImpl : public PreprocessorTracker {
783 public:
784 PreprocessorTrackerImpl(llvm::SmallVector<std::string, 32> &Headers,
785 bool DoBlockCheckHeaderListOnly)
786 : BlockCheckHeaderListOnly(DoBlockCheckHeaderListOnly),
787 CurrentInclusionPathHandle(InclusionPathHandleInvalid),
788 InNestedHeader(false) {
789 // Use canonical header path representation.
790 for (llvm::ArrayRef<std::string>::iterator I = Headers.begin(),
791 E = Headers.end();
792 I != E; ++I) {
793 HeaderList.push_back(getCanonicalPath(*I));
797 ~PreprocessorTrackerImpl() override {}
799 // Handle entering a preprocessing session.
800 void handlePreprocessorEntry(clang::Preprocessor &PP,
801 llvm::StringRef rootHeaderFile) override {
802 HeadersInThisCompile.clear();
803 assert((HeaderStack.size() == 0) && "Header stack should be empty.");
804 pushHeaderHandle(addHeader(rootHeaderFile));
805 PP.addPPCallbacks(std::make_unique<PreprocessorCallbacks>(*this, PP,
806 rootHeaderFile));
808 // Handle exiting a preprocessing session.
809 void handlePreprocessorExit() override { HeaderStack.clear(); }
811 // Handle include directive.
812 // This function is called every time an include directive is seen by the
813 // preprocessor, for the purpose of later checking for 'extern "" {}' or
814 // "namespace {}" blocks containing #include directives.
815 void handleIncludeDirective(llvm::StringRef DirectivePath, int DirectiveLine,
816 int DirectiveColumn,
817 llvm::StringRef TargetPath) override {
818 // If it's not a header in the header list, ignore it with respect to
819 // the check.
820 if (BlockCheckHeaderListOnly && !isHeaderListHeader(TargetPath))
821 return;
822 HeaderHandle CurrentHeaderHandle = findHeaderHandle(DirectivePath);
823 StringHandle IncludeHeaderHandle = addString(TargetPath);
824 for (std::vector<PPItemKey>::const_iterator I = IncludeDirectives.begin(),
825 E = IncludeDirectives.end();
826 I != E; ++I) {
827 // If we already have an entry for this directive, return now.
828 if ((I->File == CurrentHeaderHandle) && (I->Line == DirectiveLine))
829 return;
831 PPItemKey IncludeDirectiveItem(IncludeHeaderHandle, CurrentHeaderHandle,
832 DirectiveLine, DirectiveColumn);
833 IncludeDirectives.push_back(IncludeDirectiveItem);
836 // Check for include directives within the given source line range.
837 // Report errors if any found. Returns true if no include directives
838 // found in block.
839 bool checkForIncludesInBlock(clang::Preprocessor &PP,
840 clang::SourceRange BlockSourceRange,
841 const char *BlockIdentifierMessage,
842 llvm::raw_ostream &OS) override {
843 clang::SourceLocation BlockStartLoc = BlockSourceRange.getBegin();
844 clang::SourceLocation BlockEndLoc = BlockSourceRange.getEnd();
845 // Use block location to get FileID of both the include directive
846 // and block statement.
847 clang::FileID FileID = PP.getSourceManager().getFileID(BlockStartLoc);
848 std::string SourcePath = getSourceLocationFile(PP, BlockStartLoc);
849 SourcePath = ModularizeUtilities::getCanonicalPath(SourcePath);
850 HeaderHandle SourceHandle = findHeaderHandle(SourcePath);
851 if (SourceHandle == -1)
852 return true;
853 int BlockStartLine, BlockStartColumn, BlockEndLine, BlockEndColumn;
854 bool returnValue = true;
855 getSourceLocationLineAndColumn(PP, BlockStartLoc, BlockStartLine,
856 BlockStartColumn);
857 getSourceLocationLineAndColumn(PP, BlockEndLoc, BlockEndLine,
858 BlockEndColumn);
859 for (std::vector<PPItemKey>::const_iterator I = IncludeDirectives.begin(),
860 E = IncludeDirectives.end();
861 I != E; ++I) {
862 // If we find an entry within the block, report an error.
863 if ((I->File == SourceHandle) && (I->Line >= BlockStartLine) &&
864 (I->Line < BlockEndLine)) {
865 returnValue = false;
866 OS << SourcePath << ":" << I->Line << ":" << I->Column << ":\n";
867 OS << getSourceLine(PP, FileID, I->Line) << "\n";
868 if (I->Column > 0)
869 OS << std::string(I->Column - 1, ' ') << "^\n";
870 OS << "error: Include directive within " << BlockIdentifierMessage
871 << ".\n";
872 OS << SourcePath << ":" << BlockStartLine << ":" << BlockStartColumn
873 << ":\n";
874 OS << getSourceLine(PP, BlockStartLoc) << "\n";
875 if (BlockStartColumn > 0)
876 OS << std::string(BlockStartColumn - 1, ' ') << "^\n";
877 OS << "The \"" << BlockIdentifierMessage << "\" block is here.\n";
880 return returnValue;
883 // Handle entering a header source file.
884 void handleHeaderEntry(clang::Preprocessor &PP, llvm::StringRef HeaderPath) {
885 // Ignore <built-in> and <command-line> to reduce message clutter.
886 if (HeaderPath.startswith("<"))
887 return;
888 HeaderHandle H = addHeader(HeaderPath);
889 if (H != getCurrentHeaderHandle())
890 pushHeaderHandle(H);
891 // Check for nested header.
892 if (!InNestedHeader)
893 InNestedHeader = !HeadersInThisCompile.insert(H).second;
896 // Handle exiting a header source file.
897 void handleHeaderExit(llvm::StringRef HeaderPath) {
898 // Ignore <built-in> and <command-line> to reduce message clutter.
899 if (HeaderPath.startswith("<"))
900 return;
901 HeaderHandle H = findHeaderHandle(HeaderPath);
902 HeaderHandle TH;
903 if (isHeaderHandleInStack(H)) {
904 do {
905 TH = getCurrentHeaderHandle();
906 popHeaderHandle();
907 } while ((TH != H) && (HeaderStack.size() != 0));
909 InNestedHeader = false;
912 // Lookup/add string.
913 StringHandle addString(llvm::StringRef Str) {
914 return Strings.insert(Str).first->first();
917 // Convert to a canonical path.
918 std::string getCanonicalPath(llvm::StringRef path) const {
919 std::string CanonicalPath(path);
920 std::replace(CanonicalPath.begin(), CanonicalPath.end(), '\\', '/');
921 return CanonicalPath;
924 // Return true if the given header is in the header list.
925 bool isHeaderListHeader(llvm::StringRef HeaderPath) const {
926 std::string CanonicalPath = getCanonicalPath(HeaderPath);
927 for (llvm::ArrayRef<std::string>::iterator I = HeaderList.begin(),
928 E = HeaderList.end();
929 I != E; ++I) {
930 if (*I == CanonicalPath)
931 return true;
933 return false;
936 // Get the handle of a header file entry.
937 // Return HeaderHandleInvalid if not found.
938 HeaderHandle findHeaderHandle(llvm::StringRef HeaderPath) const {
939 std::string CanonicalPath = getCanonicalPath(HeaderPath);
940 HeaderHandle H = 0;
941 for (auto I = HeaderPaths.begin(), E = HeaderPaths.end(); I != E;
942 ++I, ++H) {
943 if (*I == CanonicalPath)
944 return H;
946 return HeaderHandleInvalid;
949 // Add a new header file entry, or return existing handle.
950 // Return the header handle.
951 HeaderHandle addHeader(llvm::StringRef HeaderPath) {
952 std::string CanonicalPath = getCanonicalPath(HeaderPath);
953 HeaderHandle H = findHeaderHandle(CanonicalPath);
954 if (H == HeaderHandleInvalid) {
955 H = HeaderPaths.size();
956 HeaderPaths.push_back(addString(CanonicalPath));
958 return H;
961 // Return a header file path string given its handle.
962 StringHandle getHeaderFilePath(HeaderHandle H) const {
963 if ((H >= 0) && (H < (HeaderHandle)HeaderPaths.size()))
964 return HeaderPaths[H];
965 return StringHandle();
968 // Returns a handle to the inclusion path.
969 InclusionPathHandle pushHeaderHandle(HeaderHandle H) {
970 HeaderStack.push_back(H);
971 return CurrentInclusionPathHandle = addInclusionPathHandle(HeaderStack);
973 // Pops the last header handle from the stack;
974 void popHeaderHandle() {
975 // assert((HeaderStack.size() != 0) && "Header stack already empty.");
976 if (HeaderStack.size() != 0) {
977 HeaderStack.pop_back();
978 CurrentInclusionPathHandle = addInclusionPathHandle(HeaderStack);
981 // Get the top handle on the header stack.
982 HeaderHandle getCurrentHeaderHandle() const {
983 if (HeaderStack.size() != 0)
984 return HeaderStack.back();
985 return HeaderHandleInvalid;
988 // Check for presence of header handle in the header stack.
989 bool isHeaderHandleInStack(HeaderHandle H) const {
990 for (auto I = HeaderStack.begin(), E = HeaderStack.end(); I != E; ++I) {
991 if (*I == H)
992 return true;
994 return false;
997 // Get the handle of a header inclusion path entry.
998 // Return InclusionPathHandleInvalid if not found.
999 InclusionPathHandle
1000 findInclusionPathHandle(const std::vector<HeaderHandle> &Path) const {
1001 InclusionPathHandle H = 0;
1002 for (auto I = InclusionPaths.begin(), E = InclusionPaths.end(); I != E;
1003 ++I, ++H) {
1004 if (I->Path == Path)
1005 return H;
1007 return HeaderHandleInvalid;
1009 // Add a new header inclusion path entry, or return existing handle.
1010 // Return the header inclusion path entry handle.
1011 InclusionPathHandle
1012 addInclusionPathHandle(const std::vector<HeaderHandle> &Path) {
1013 InclusionPathHandle H = findInclusionPathHandle(Path);
1014 if (H == HeaderHandleInvalid) {
1015 H = InclusionPaths.size();
1016 InclusionPaths.push_back(HeaderInclusionPath(Path));
1018 return H;
1020 // Return the current inclusion path handle.
1021 InclusionPathHandle getCurrentInclusionPathHandle() const {
1022 return CurrentInclusionPathHandle;
1025 // Return an inclusion path given its handle.
1026 const std::vector<HeaderHandle> &
1027 getInclusionPath(InclusionPathHandle H) const {
1028 if ((H >= 0) && (H <= (InclusionPathHandle)InclusionPaths.size()))
1029 return InclusionPaths[H].Path;
1030 static std::vector<HeaderHandle> Empty;
1031 return Empty;
1034 // Add a macro expansion instance.
1035 void addMacroExpansionInstance(clang::Preprocessor &PP, HeaderHandle H,
1036 clang::SourceLocation InstanceLoc,
1037 clang::SourceLocation DefinitionLoc,
1038 clang::IdentifierInfo *II,
1039 llvm::StringRef MacroUnexpanded,
1040 llvm::StringRef MacroExpanded,
1041 InclusionPathHandle InclusionPathHandle) {
1042 if (InNestedHeader)
1043 return;
1044 StringHandle MacroName = addString(II->getName());
1045 PPItemKey InstanceKey(PP, MacroName, H, InstanceLoc);
1046 PPItemKey DefinitionKey(PP, MacroName, H, DefinitionLoc);
1047 auto I = MacroExpansions.find(InstanceKey);
1048 // If existing instance of expansion not found, add one.
1049 if (I == MacroExpansions.end()) {
1050 std::string InstanceSourceLine =
1051 getSourceLocationString(PP, InstanceLoc) + ":\n" +
1052 getSourceLine(PP, InstanceLoc) + "\n";
1053 std::string DefinitionSourceLine =
1054 getSourceLocationString(PP, DefinitionLoc) + ":\n" +
1055 getSourceLine(PP, DefinitionLoc) + "\n";
1056 MacroExpansions[InstanceKey] = MacroExpansionTracker(
1057 addString(MacroUnexpanded), addString(MacroExpanded),
1058 addString(InstanceSourceLine), DefinitionKey,
1059 addString(DefinitionSourceLine), InclusionPathHandle);
1060 } else {
1061 // We've seen the macro before. Get its tracker.
1062 MacroExpansionTracker &CondTracker = I->second;
1063 // Look up an existing instance value for the macro.
1064 MacroExpansionInstance *MacroInfo =
1065 CondTracker.findMacroExpansionInstance(addString(MacroExpanded),
1066 DefinitionKey);
1067 // If found, just add the inclusion path to the instance.
1068 if (MacroInfo)
1069 MacroInfo->addInclusionPathHandle(InclusionPathHandle);
1070 else {
1071 // Otherwise add a new instance with the unique value.
1072 std::string DefinitionSourceLine =
1073 getSourceLocationString(PP, DefinitionLoc) + ":\n" +
1074 getSourceLine(PP, DefinitionLoc) + "\n";
1075 CondTracker.addMacroExpansionInstance(
1076 addString(MacroExpanded), DefinitionKey,
1077 addString(DefinitionSourceLine), InclusionPathHandle);
1082 // Add a conditional expansion instance.
1083 void
1084 addConditionalExpansionInstance(clang::Preprocessor &PP, HeaderHandle H,
1085 clang::SourceLocation InstanceLoc,
1086 clang::tok::PPKeywordKind DirectiveKind,
1087 clang::PPCallbacks::ConditionValueKind ConditionValue,
1088 llvm::StringRef ConditionUnexpanded,
1089 InclusionPathHandle InclusionPathHandle) {
1090 // Ignore header guards, assuming the header guard is the only conditional.
1091 if (InNestedHeader)
1092 return;
1093 StringHandle ConditionUnexpandedHandle(addString(ConditionUnexpanded));
1094 PPItemKey InstanceKey(PP, ConditionUnexpandedHandle, H, InstanceLoc);
1095 auto I = ConditionalExpansions.find(InstanceKey);
1096 // If existing instance of condition not found, add one.
1097 if (I == ConditionalExpansions.end()) {
1098 std::string InstanceSourceLine =
1099 getSourceLocationString(PP, InstanceLoc) + ":\n" +
1100 getSourceLine(PP, InstanceLoc) + "\n";
1101 ConditionalExpansions[InstanceKey] =
1102 ConditionalTracker(DirectiveKind, ConditionValue,
1103 ConditionUnexpandedHandle, InclusionPathHandle);
1104 } else {
1105 // We've seen the conditional before. Get its tracker.
1106 ConditionalTracker &CondTracker = I->second;
1107 // Look up an existing instance value for the condition.
1108 ConditionalExpansionInstance *MacroInfo =
1109 CondTracker.findConditionalExpansionInstance(ConditionValue);
1110 // If found, just add the inclusion path to the instance.
1111 if (MacroInfo)
1112 MacroInfo->addInclusionPathHandle(InclusionPathHandle);
1113 else {
1114 // Otherwise add a new instance with the unique value.
1115 CondTracker.addConditionalExpansionInstance(ConditionValue,
1116 InclusionPathHandle);
1121 // Report on inconsistent macro instances.
1122 // Returns true if any mismatches.
1123 bool reportInconsistentMacros(llvm::raw_ostream &OS) override {
1124 bool ReturnValue = false;
1125 // Walk all the macro expansion trackers in the map.
1126 for (auto I = MacroExpansions.begin(), E = MacroExpansions.end(); I != E;
1127 ++I) {
1128 const PPItemKey &ItemKey = I->first;
1129 MacroExpansionTracker &MacroExpTracker = I->second;
1130 // If no mismatch (only one instance value) continue.
1131 if (!MacroExpTracker.hasMismatch())
1132 continue;
1133 // Tell caller we found one or more errors.
1134 ReturnValue = true;
1135 // Start the error message.
1136 OS << MacroExpTracker.InstanceSourceLine;
1137 if (ItemKey.Column > 0)
1138 OS << std::string(ItemKey.Column - 1, ' ') << "^\n";
1139 OS << "error: Macro instance '" << MacroExpTracker.MacroUnexpanded
1140 << "' has different values in this header, depending on how it was "
1141 "included.\n";
1142 // Walk all the instances.
1143 for (auto IMT = MacroExpTracker.MacroExpansionInstances.begin(),
1144 EMT = MacroExpTracker.MacroExpansionInstances.end();
1145 IMT != EMT; ++IMT) {
1146 MacroExpansionInstance &MacroInfo = *IMT;
1147 OS << " '" << MacroExpTracker.MacroUnexpanded << "' expanded to: '"
1148 << MacroInfo.MacroExpanded
1149 << "' with respect to these inclusion paths:\n";
1150 // Walk all the inclusion path hierarchies.
1151 for (auto IIP = MacroInfo.InclusionPathHandles.begin(),
1152 EIP = MacroInfo.InclusionPathHandles.end();
1153 IIP != EIP; ++IIP) {
1154 const std::vector<HeaderHandle> &ip = getInclusionPath(*IIP);
1155 auto Count = (int)ip.size();
1156 for (int Index = 0; Index < Count; ++Index) {
1157 HeaderHandle H = ip[Index];
1158 OS << std::string((Index * 2) + 4, ' ') << getHeaderFilePath(H)
1159 << "\n";
1162 // For a macro that wasn't defined, we flag it by using the
1163 // instance location.
1164 // If there is a definition...
1165 if (MacroInfo.DefinitionLocation.Line != ItemKey.Line) {
1166 OS << MacroInfo.DefinitionSourceLine;
1167 if (MacroInfo.DefinitionLocation.Column > 0)
1168 OS << std::string(MacroInfo.DefinitionLocation.Column - 1, ' ')
1169 << "^\n";
1170 OS << "Macro defined here.\n";
1171 } else
1172 OS << "(no macro definition)"
1173 << "\n";
1176 return ReturnValue;
1179 // Report on inconsistent conditional instances.
1180 // Returns true if any mismatches.
1181 bool reportInconsistentConditionals(llvm::raw_ostream &OS) override {
1182 bool ReturnValue = false;
1183 // Walk all the conditional trackers in the map.
1184 for (auto I = ConditionalExpansions.begin(),
1185 E = ConditionalExpansions.end();
1186 I != E; ++I) {
1187 const PPItemKey &ItemKey = I->first;
1188 ConditionalTracker &CondTracker = I->second;
1189 if (!CondTracker.hasMismatch())
1190 continue;
1191 // Tell caller we found one or more errors.
1192 ReturnValue = true;
1193 // Start the error message.
1194 OS << HeaderPaths[ItemKey.File] << ":" << ItemKey.Line << ":"
1195 << ItemKey.Column << "\n";
1196 OS << "#" << getDirectiveSpelling(CondTracker.DirectiveKind) << " "
1197 << CondTracker.ConditionUnexpanded << "\n";
1198 OS << "^\n";
1199 OS << "error: Conditional expression instance '"
1200 << CondTracker.ConditionUnexpanded
1201 << "' has different values in this header, depending on how it was "
1202 "included.\n";
1203 // Walk all the instances.
1204 for (auto IMT = CondTracker.ConditionalExpansionInstances.begin(),
1205 EMT = CondTracker.ConditionalExpansionInstances.end();
1206 IMT != EMT; ++IMT) {
1207 ConditionalExpansionInstance &MacroInfo = *IMT;
1208 OS << " '" << CondTracker.ConditionUnexpanded << "' expanded to: '"
1209 << ConditionValueKindStrings[MacroInfo.ConditionValue]
1210 << "' with respect to these inclusion paths:\n";
1211 // Walk all the inclusion path hierarchies.
1212 for (auto IIP = MacroInfo.InclusionPathHandles.begin(),
1213 EIP = MacroInfo.InclusionPathHandles.end();
1214 IIP != EIP; ++IIP) {
1215 const std::vector<HeaderHandle> &ip = getInclusionPath(*IIP);
1216 auto Count = (int)ip.size();
1217 for (int Index = 0; Index < Count; ++Index) {
1218 HeaderHandle H = ip[Index];
1219 OS << std::string((Index * 2) + 4, ' ') << getHeaderFilePath(H)
1220 << "\n";
1225 return ReturnValue;
1228 // Get directive spelling.
1229 static const char *getDirectiveSpelling(clang::tok::PPKeywordKind kind) {
1230 switch (kind) {
1231 case clang::tok::pp_if:
1232 return "if";
1233 case clang::tok::pp_elif:
1234 return "elif";
1235 case clang::tok::pp_ifdef:
1236 return "ifdef";
1237 case clang::tok::pp_ifndef:
1238 return "ifndef";
1239 default:
1240 return "(unknown)";
1244 private:
1245 llvm::SmallVector<std::string, 32> HeaderList;
1246 // Only do extern, namespace check for headers in HeaderList.
1247 bool BlockCheckHeaderListOnly;
1248 llvm::StringSet<> Strings;
1249 std::vector<StringHandle> HeaderPaths;
1250 std::vector<HeaderHandle> HeaderStack;
1251 std::vector<HeaderInclusionPath> InclusionPaths;
1252 InclusionPathHandle CurrentInclusionPathHandle;
1253 llvm::SmallSet<HeaderHandle, 32> HeadersInThisCompile;
1254 std::vector<PPItemKey> IncludeDirectives;
1255 MacroExpansionMap MacroExpansions;
1256 ConditionalExpansionMap ConditionalExpansions;
1257 bool InNestedHeader;
1260 } // namespace
1262 // PreprocessorTracker functions.
1264 // PreprocessorTracker destructor.
1265 PreprocessorTracker::~PreprocessorTracker() {}
1267 // Create instance of PreprocessorTracker.
1268 PreprocessorTracker *PreprocessorTracker::create(
1269 llvm::SmallVector<std::string, 32> &Headers,
1270 bool DoBlockCheckHeaderListOnly) {
1271 return new PreprocessorTrackerImpl(Headers, DoBlockCheckHeaderListOnly);
1274 // Preprocessor callbacks for modularize.
1276 // Handle include directive.
1277 void PreprocessorCallbacks::InclusionDirective(
1278 clang::SourceLocation HashLoc, const clang::Token &IncludeTok,
1279 llvm::StringRef FileName, bool IsAngled,
1280 clang::CharSourceRange FilenameRange,
1281 llvm::Optional<clang::FileEntryRef> File, llvm::StringRef SearchPath,
1282 llvm::StringRef RelativePath, const clang::Module *Imported,
1283 clang::SrcMgr::CharacteristicKind FileType) {
1284 int DirectiveLine, DirectiveColumn;
1285 std::string HeaderPath = getSourceLocationFile(PP, HashLoc);
1286 getSourceLocationLineAndColumn(PP, HashLoc, DirectiveLine, DirectiveColumn);
1287 PPTracker.handleIncludeDirective(HeaderPath, DirectiveLine, DirectiveColumn,
1288 FileName);
1291 // Handle file entry/exit.
1292 void PreprocessorCallbacks::FileChanged(
1293 clang::SourceLocation Loc, clang::PPCallbacks::FileChangeReason Reason,
1294 clang::SrcMgr::CharacteristicKind FileType, clang::FileID PrevFID) {
1295 switch (Reason) {
1296 case EnterFile:
1297 PPTracker.handleHeaderEntry(PP, getSourceLocationFile(PP, Loc));
1298 break;
1299 case ExitFile: {
1300 const clang::FileEntry *F =
1301 PP.getSourceManager().getFileEntryForID(PrevFID);
1302 if (F)
1303 PPTracker.handleHeaderExit(F->getName());
1304 } break;
1305 case SystemHeaderPragma:
1306 case RenameFile:
1307 break;
1311 // Handle macro expansion.
1312 void PreprocessorCallbacks::MacroExpands(const clang::Token &MacroNameTok,
1313 const clang::MacroDefinition &MD,
1314 clang::SourceRange Range,
1315 const clang::MacroArgs *Args) {
1316 clang::SourceLocation Loc = Range.getBegin();
1317 // Ignore macro argument expansions.
1318 if (!Loc.isFileID())
1319 return;
1320 clang::IdentifierInfo *II = MacroNameTok.getIdentifierInfo();
1321 const clang::MacroInfo *MI = MD.getMacroInfo();
1322 std::string MacroName = II->getName().str();
1323 std::string Unexpanded(getMacroUnexpandedString(Range, PP, MacroName, MI));
1324 std::string Expanded(getMacroExpandedString(PP, MacroName, MI, Args));
1325 PPTracker.addMacroExpansionInstance(
1326 PP, PPTracker.getCurrentHeaderHandle(), Loc, MI->getDefinitionLoc(), II,
1327 Unexpanded, Expanded, PPTracker.getCurrentInclusionPathHandle());
1330 void PreprocessorCallbacks::Defined(const clang::Token &MacroNameTok,
1331 const clang::MacroDefinition &MD,
1332 clang::SourceRange Range) {
1333 clang::SourceLocation Loc(Range.getBegin());
1334 clang::IdentifierInfo *II = MacroNameTok.getIdentifierInfo();
1335 const clang::MacroInfo *MI = MD.getMacroInfo();
1336 std::string MacroName = II->getName().str();
1337 std::string Unexpanded(getSourceString(PP, Range));
1338 PPTracker.addMacroExpansionInstance(
1339 PP, PPTracker.getCurrentHeaderHandle(), Loc,
1340 (MI ? MI->getDefinitionLoc() : Loc), II, Unexpanded,
1341 (MI ? "true" : "false"), PPTracker.getCurrentInclusionPathHandle());
1344 void PreprocessorCallbacks::If(clang::SourceLocation Loc,
1345 clang::SourceRange ConditionRange,
1346 clang::PPCallbacks::ConditionValueKind ConditionResult) {
1347 std::string Unexpanded(getSourceString(PP, ConditionRange));
1348 PPTracker.addConditionalExpansionInstance(
1349 PP, PPTracker.getCurrentHeaderHandle(), Loc, clang::tok::pp_if,
1350 ConditionResult, Unexpanded, PPTracker.getCurrentInclusionPathHandle());
1353 void PreprocessorCallbacks::Elif(clang::SourceLocation Loc,
1354 clang::SourceRange ConditionRange,
1355 clang::PPCallbacks::ConditionValueKind ConditionResult,
1356 clang::SourceLocation IfLoc) {
1357 std::string Unexpanded(getSourceString(PP, ConditionRange));
1358 PPTracker.addConditionalExpansionInstance(
1359 PP, PPTracker.getCurrentHeaderHandle(), Loc, clang::tok::pp_elif,
1360 ConditionResult, Unexpanded, PPTracker.getCurrentInclusionPathHandle());
1363 void PreprocessorCallbacks::Ifdef(clang::SourceLocation Loc,
1364 const clang::Token &MacroNameTok,
1365 const clang::MacroDefinition &MD) {
1366 clang::PPCallbacks::ConditionValueKind IsDefined =
1367 (MD ? clang::PPCallbacks::CVK_True : clang::PPCallbacks::CVK_False );
1368 PPTracker.addConditionalExpansionInstance(
1369 PP, PPTracker.getCurrentHeaderHandle(), Loc, clang::tok::pp_ifdef,
1370 IsDefined, PP.getSpelling(MacroNameTok),
1371 PPTracker.getCurrentInclusionPathHandle());
1374 void PreprocessorCallbacks::Ifndef(clang::SourceLocation Loc,
1375 const clang::Token &MacroNameTok,
1376 const clang::MacroDefinition &MD) {
1377 clang::PPCallbacks::ConditionValueKind IsNotDefined =
1378 (!MD ? clang::PPCallbacks::CVK_True : clang::PPCallbacks::CVK_False );
1379 PPTracker.addConditionalExpansionInstance(
1380 PP, PPTracker.getCurrentHeaderHandle(), Loc, clang::tok::pp_ifndef,
1381 IsNotDefined, PP.getSpelling(MacroNameTok),
1382 PPTracker.getCurrentInclusionPathHandle());
1384 } // end namespace Modularize