clang 23.0.0git
ModuleDepCollector.cpp
Go to the documentation of this file.
1//===- ModuleDepCollector.cpp - Callbacks to collect deps -------*- 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
10
15#include "llvm/ADT/STLExtras.h"
16#include "llvm/Support/BLAKE3.h"
17#include <optional>
18
19using namespace clang;
20using namespace dependencies;
21
22void ModuleDeps::forEachFileDep(llvm::function_ref<void(StringRef)> Cb) const {
23 SmallString<0> PathBuf;
24 PathBuf.reserve(256);
25 for (StringRef FileDep : FileDeps) {
26 auto ResolvedFileDep =
27 ASTReader::ResolveImportedPath(PathBuf, FileDep, FileDepsBaseDir);
28 Cb(*ResolvedFileDep);
29 }
30}
31
32const std::vector<std::string> &ModuleDeps::getBuildArguments() const {
33 // FIXME: this operation is not thread safe and is expected to be called
34 // on a single thread. Otherwise it should be protected with a lock.
35 assert(!std::holds_alternative<std::monostate>(BuildInfo) &&
36 "Using uninitialized ModuleDeps");
37 if (const auto *CI = std::get_if<CowCompilerInvocation>(&BuildInfo))
38 BuildInfo = CI->getCC1CommandLine();
39 return std::get<std::vector<std::string>>(BuildInfo);
40}
41
43 PrebuiltModulesAttrsMap &PrebuiltModulesMap) {
45 for (const auto Dep : ModuleFileDependents) {
46 if (!PrebuiltModulesMap[Dep].isInStableDir())
47 return;
48 PrebuiltModulesMap[Dep].updateDependentsNotInStableDirs(PrebuiltModulesMap);
49 }
50}
51
52static void
55 const PrebuiltModulesAttrsMap &PrebuiltModulesASTMap,
56 ScanningOptimizations OptimizeArgs) {
57 if (any(OptimizeArgs & ScanningOptimizations::HeaderSearch)) {
58 // Only preserve search paths that were used during the dependency scan.
59 std::vector<HeaderSearchOptions::Entry> Entries;
60 std::swap(Opts.UserEntries, Entries);
61
62 llvm::BitVector SearchPathUsage(Entries.size());
63 llvm::DenseSet<const serialization::ModuleFile *> Visited;
64 std::function<void(const serialization::ModuleFile *)> VisitMF =
65 [&](const serialization::ModuleFile *MF) {
66 SearchPathUsage |= MF->SearchPathUsage;
67 Visited.insert(MF);
68 for (const serialization::ModuleFile *Import : MF->Imports)
69 if (!Visited.contains(Import))
70 VisitMF(Import);
71 };
72 VisitMF(&MF);
73
74 if (SearchPathUsage.size() != Entries.size())
75 llvm::report_fatal_error(
76 "Inconsistent search path options between modules detected");
77
78 for (auto Idx : SearchPathUsage.set_bits())
79 Opts.UserEntries.push_back(std::move(Entries[Idx]));
80 }
81 if (any(OptimizeArgs & ScanningOptimizations::VFS)) {
82 std::vector<std::string> VFSOverlayFiles;
83 std::swap(Opts.VFSOverlayFiles, VFSOverlayFiles);
84
85 llvm::BitVector VFSUsage(VFSOverlayFiles.size());
86 llvm::DenseSet<const serialization::ModuleFile *> Visited;
87 std::function<void(const serialization::ModuleFile *)> VisitMF =
88 [&](const serialization::ModuleFile *MF) {
89 Visited.insert(MF);
91 VFSUsage |= MF->VFSUsage;
92 // We only need to recurse into implicit modules. Other module types
93 // will have the correct set of VFSs for anything they depend on.
94 for (const serialization::ModuleFile *Import : MF->Imports)
95 if (!Visited.contains(Import))
96 VisitMF(Import);
97 } else {
98 // This is not an implicitly built module, so it may have different
99 // VFS options. Fall back to a string comparison instead.
100 auto PrebuiltModulePropIt =
101 PrebuiltModulesASTMap.find(MF->FileName);
102 if (PrebuiltModulePropIt == PrebuiltModulesASTMap.end())
103 return;
104 for (std::size_t I = 0, E = VFSOverlayFiles.size(); I != E; ++I) {
105 if (PrebuiltModulePropIt->second.getVFS().contains(
106 VFSOverlayFiles[I]))
107 VFSUsage[I] = true;
108 }
109 }
110 };
111 VisitMF(&MF);
112
113 if (VFSUsage.size() != VFSOverlayFiles.size())
114 llvm::report_fatal_error(
115 "Inconsistent -ivfsoverlay options between modules detected");
116
117 for (auto Idx : VFSUsage.set_bits())
118 Opts.VFSOverlayFiles.push_back(std::move(VFSOverlayFiles[Idx]));
119 }
120}
121
123 bool IsSystemModule) {
124 // If this is not a system module or -Wsystem-headers was passed, don't
125 // optimize.
126 if (!IsSystemModule)
127 return;
128 bool Wsystem_headers = false;
129 for (StringRef Opt : Opts.Warnings) {
130 bool isPositive = !Opt.consume_front("no-");
131 if (Opt == "system-headers")
132 Wsystem_headers = isPositive;
133 }
134 if (Wsystem_headers)
135 return;
136
137 // Remove all warning flags. System modules suppress most, but not all,
138 // warnings.
139 Opts.Warnings.clear();
140 Opts.UndefPrefixes.clear();
141 Opts.Remarks.clear();
142}
143
144static void optimizeCWD(CowCompilerInvocation &BuildInvocation, StringRef CWD) {
145 BuildInvocation.getMutFileSystemOpts().WorkingDir.clear();
146 BuildInvocation.getMutCodeGenOpts().DebugCompilationDir.clear();
147 BuildInvocation.getMutCodeGenOpts().CoverageCompilationDir.clear();
148}
149
150static std::vector<std::string> splitString(std::string S, char Separator) {
151 SmallVector<StringRef> Segments;
152 StringRef(S).split(Segments, Separator, /*MaxSplit=*/-1, /*KeepEmpty=*/false);
153 std::vector<std::string> Result;
154 Result.reserve(Segments.size());
155 for (StringRef Segment : Segments)
156 Result.push_back(Segment.str());
157 return Result;
158}
159
160void ModuleDepCollector::addOutputPaths(CowCompilerInvocation &CI,
161 ModuleDeps &Deps) {
163 Controller.lookupModuleOutput(Deps, ModuleOutputKind::ModuleFile);
166 Controller.lookupModuleOutput(
168 if (!CI.getDependencyOutputOpts().OutputFile.empty()) {
170 Controller.lookupModuleOutput(Deps, ModuleOutputKind::DependencyFile);
172 splitString(Controller.lookupModuleOutput(
174 '\0');
175 if (!CI.getDependencyOutputOpts().OutputFile.empty() &&
176 CI.getDependencyOutputOpts().Targets.empty()) {
177 // Fallback to -o as dependency target, as in the driver.
178 SmallString<128> Target;
180 CI.getMutDependencyOutputOpts().Targets.push_back(std::string(Target));
181 }
182 }
183}
184
186 const LangOptions &LangOpts,
187 CodeGenOptions &CGOpts) {
188 // TODO: Figure out better way to set options to their default value.
189 if (ProgramAction == frontend::GenerateModule) {
190 CGOpts.MainFileName.clear();
191 CGOpts.DwarfDebugFlags.clear();
192 }
193 if (ProgramAction == frontend::GeneratePCH ||
194 (ProgramAction == frontend::GenerateModule && !LangOpts.ModulesCodegen)) {
195 CGOpts.DebugCompilationDir.clear();
196 CGOpts.CoverageCompilationDir.clear();
197 CGOpts.CoverageDataFile.clear();
198 CGOpts.CoverageNotesFile.clear();
199 CGOpts.ProfileInstrumentUsePath.clear();
200 CGOpts.SampleProfileFile.clear();
201 CGOpts.ProfileRemappingFile.clear();
202 }
203}
204
206 const StringRef Input) {
207 using namespace llvm::sys;
208
209 if (!path::is_absolute(Input))
210 return false;
211
212 auto PathStartsWith = [](StringRef Prefix, StringRef Path) {
213 auto PrefixIt = path::begin(Prefix), PrefixEnd = path::end(Prefix);
214 for (auto PathIt = path::begin(Path), PathEnd = path::end(Path);
215 PrefixIt != PrefixEnd && PathIt != PathEnd; ++PrefixIt, ++PathIt) {
216 if (*PrefixIt != *PathIt)
217 return false;
218 }
219 return PrefixIt == PrefixEnd;
220 };
221
222 return any_of(Directories, [&](StringRef Dir) {
223 return !Dir.empty() && PathStartsWith(Dir, Input);
224 });
225}
226
228 const HeaderSearchOptions &HSOpts) {
229 assert(isPathInStableDir(Directories, HSOpts.Sysroot) &&
230 "Sysroots differ between module dependencies and current TU");
231
232 assert(isPathInStableDir(Directories, HSOpts.ResourceDir) &&
233 "ResourceDirs differ between module dependencies and current TU");
234
235 for (const auto &Entry : HSOpts.UserEntries) {
236 if (!Entry.IgnoreSysRoot)
237 continue;
238 if (!isPathInStableDir(Directories, Entry.Path))
239 return false;
240 }
241
242 for (const auto &SysPrefix : HSOpts.SystemHeaderPrefixes) {
243 if (!isPathInStableDir(Directories, SysPrefix.Prefix))
244 return false;
245 }
246
247 return true;
248}
249
254
255 // The scanner takes care to avoid passing non-affecting module maps to the
256 // explicit compiles. No need to do extra work just to find out there are no
257 // module map files to prune.
259
260 // Remove options incompatible with explicit module build or are likely to
261 // differ between identical modules discovered from different translation
262 // units.
263 CI.getFrontendOpts().Inputs.clear();
264 CI.getFrontendOpts().OutputFile.clear();
265 CI.getFrontendOpts().GenReducedBMI = false;
269 // LLVM options are not going to affect the AST
270 CI.getFrontendOpts().LLVMArgs.clear();
271
273 CI.getCodeGenOpts());
274
275 // Map output paths that affect behaviour to "-" so their existence is in the
276 // context hash. The final path will be computed in addOutputPaths.
279 if (!CI.getDependencyOutputOpts().OutputFile.empty())
281 CI.getDependencyOutputOpts().Targets.clear();
283
285 CI.getLangOpts().ModuleName.clear();
286
287 // Remove any macro definitions that are explicitly ignored.
288 if (!CI.getHeaderSearchOpts().ModulesIgnoreMacros.empty()) {
289 llvm::erase_if(
291 [&CI](const std::pair<std::string, bool> &Def) {
292 StringRef MacroDef = Def.first;
293 return CI.getHeaderSearchOpts().ModulesIgnoreMacros.contains(
294 llvm::CachedHashString(MacroDef.split('=').first));
295 });
296 // Remove the now unused option.
298 }
299
300 return CI;
301}
302
303CowCompilerInvocation
304ModuleDepCollector::getInvocationAdjustedForModuleBuildWithoutOutputs(
305 const ModuleDeps &Deps,
306 llvm::function_ref<void(CowCompilerInvocation &)> Optimize) const {
307 CowCompilerInvocation CI = CommonInvocation;
308
311
312 // Inputs
313 InputKind ModuleMapInputKind(CI.getFrontendOpts().DashX.getLanguage(),
315 CI.getMutFrontendOpts().Inputs.emplace_back(Deps.ClangModuleMapFile,
316 ModuleMapInputKind);
317
318 auto CurrentModuleMapEntry =
319 ScanInstance.getFileManager().getOptionalFileRef(Deps.ClangModuleMapFile);
320 assert(CurrentModuleMapEntry && "module map file entry not found");
321
322 // Remove directly passed modulemap files. They will get added back if they
323 // were actually used.
325
326 auto DepModuleMapFiles = collectModuleMapFiles(Deps.ClangModuleDeps);
327 for (StringRef ModuleMapFile : Deps.ModuleMapFileDeps) {
328 // TODO: Track these as `FileEntryRef` to simplify the equality check below.
329 auto ModuleMapEntry =
330 ScanInstance.getFileManager().getOptionalFileRef(ModuleMapFile);
331 assert(ModuleMapEntry && "module map file entry not found");
332
333 // Don't report module maps describing eagerly-loaded dependency. This
334 // information will be deserialized from the PCM.
335 // TODO: Verify this works fine when modulemap for module A is eagerly
336 // loaded from A.pcm, and module map passed on the command line contains
337 // definition of a submodule: "explicit module A.Private { ... }".
338 if (Service.getOpts().EagerLoadModules &&
339 DepModuleMapFiles.contains(*ModuleMapEntry))
340 continue;
341
342 // Don't report module map file of the current module unless it also
343 // describes a dependency (for symmetry).
344 if (*ModuleMapEntry == *CurrentModuleMapEntry &&
345 !DepModuleMapFiles.contains(*ModuleMapEntry))
346 continue;
347
348 CI.getMutFrontendOpts().ModuleMapFiles.emplace_back(ModuleMapFile);
349 }
350
351 // Report the prebuilt modules this module uses.
352 for (const auto &PrebuiltModule : Deps.PrebuiltModuleDeps)
353 CI.getMutFrontendOpts().ModuleFiles.push_back(PrebuiltModule.PCMFile);
354
355 // Add module file inputs from dependencies.
356 addModuleFiles(CI, Deps.ClangModuleDeps);
357
359 // Apply -Wsystem-headers-in-module for the current module.
360 if (llvm::is_contained(CI.getDiagnosticOpts().SystemHeaderWarningsModules,
361 Deps.ID.ModuleName))
362 CI.getMutDiagnosticOpts().Warnings.push_back("system-headers");
363 // Remove the now unused option(s).
365 }
366
367 Optimize(CI);
368
369 return CI;
370}
371
372llvm::DenseSet<const FileEntry *> ModuleDepCollector::collectModuleMapFiles(
373 ArrayRef<ModuleID> ClangModuleDeps) const {
374 llvm::DenseSet<const FileEntry *> ModuleMapFiles;
375 for (const ModuleID &MID : ClangModuleDeps) {
376 ModuleDeps *MD = ModuleDepsByID.lookup(MID);
377 assert(MD && "Inconsistent dependency info");
378 // TODO: Track ClangModuleMapFile as `FileEntryRef`.
379 auto FE = ScanInstance.getFileManager().getOptionalFileRef(
381 assert(FE && "Missing module map file that was previously found");
382 ModuleMapFiles.insert(*FE);
383 }
384 return ModuleMapFiles;
385}
386
387void ModuleDepCollector::addModuleMapFiles(
388 CompilerInvocation &CI, ArrayRef<ModuleID> ClangModuleDeps) const {
389 if (Service.getOpts().EagerLoadModules)
390 return; // Only pcm is needed for eager load.
391
392 for (const ModuleID &MID : ClangModuleDeps) {
393 ModuleDeps *MD = ModuleDepsByID.lookup(MID);
394 assert(MD && "Inconsistent dependency info");
396 }
397}
398
399void ModuleDepCollector::addModuleFiles(
400 CompilerInvocation &CI, ArrayRef<ModuleID> ClangModuleDeps) const {
401 for (const ModuleID &MID : ClangModuleDeps) {
402 ModuleDeps *MD = ModuleDepsByID.lookup(MID);
403 std::string PCMPath =
404 Controller.lookupModuleOutput(*MD, ModuleOutputKind::ModuleFile);
405
406 if (Service.getOpts().EagerLoadModules)
407 CI.getFrontendOpts().ModuleFiles.push_back(std::move(PCMPath));
408 else
410 {MID.ModuleName, std::move(PCMPath)});
411 }
412}
413
414void ModuleDepCollector::addModuleFiles(
415 CowCompilerInvocation &CI, ArrayRef<ModuleID> ClangModuleDeps) const {
416 for (const ModuleID &MID : ClangModuleDeps) {
417 ModuleDeps *MD = ModuleDepsByID.lookup(MID);
418 std::string PCMPath =
419 Controller.lookupModuleOutput(*MD, ModuleOutputKind::ModuleFile);
420
421 if (Service.getOpts().EagerLoadModules)
422 CI.getMutFrontendOpts().ModuleFiles.push_back(std::move(PCMPath));
423 else
425 {MID.ModuleName, std::move(PCMPath)});
426 }
427}
428
430 switch (FIF.getKind().getLanguage()) {
432 case Language::Asm:
434 return false;
435 default:
436 return true;
437 }
438}
439
443 CI.getLangOpts(), CI.getCodeGenOpts());
445
446 if (llvm::any_of(CI.getFrontendOpts().Inputs, needsModules)) {
447 Preprocessor &PP = ScanInstance.getPreprocessor();
448 if (Module *CurrentModule = PP.getCurrentModuleImplementation())
449 if (OptionalFileEntryRef CurrentModuleMap =
451 .getModuleMap()
452 .getModuleMapFileForUniquing(CurrentModule))
453 CI.getFrontendOpts().ModuleMapFiles.emplace_back(
454 CurrentModuleMap->getNameAsRequested());
455
456 SmallVector<ModuleID> DirectDeps;
457 for (const auto &KV : ModularDeps)
458 if (DirectModularDeps.contains(KV.first))
459 DirectDeps.push_back(KV.second->ID);
460
461 // TODO: Report module maps the same way it's done for modular dependencies.
462 addModuleMapFiles(CI, DirectDeps);
463
464 addModuleFiles(CI, DirectDeps);
465
466 for (const auto &KV : DirectPrebuiltModularDeps)
467 CI.getFrontendOpts().ModuleFiles.push_back(KV.second.PCMFile);
468 }
469}
470
472 // Check if the command line input uses relative paths.
473 // It is not safe to ignore the current working directory if any of the
474 // command line inputs use relative paths.
475 bool AnyRelative = false;
476 CI.visitPaths([&](StringRef Path) {
477 assert(!AnyRelative && "Continuing path visitation despite returning true");
478 AnyRelative |= !Path.empty() && !llvm::sys::path::is_absolute(Path);
479 return AnyRelative;
480 });
481 return !AnyRelative;
482}
483
484static std::string getModuleContextHash(const ModuleDeps &MD,
485 const CowCompilerInvocation &CI,
486 bool EagerLoadModules,
487 llvm::vfs::FileSystem &VFS) {
488 llvm::HashBuilder<llvm::TruncatedBLAKE3<16>, llvm::endianness::native>
489 HashBuilder;
490
491 // Hash the compiler version and serialization version to ensure the module
492 // will be readable.
493 HashBuilder.add(getClangFullRepositoryVersion());
495 llvm::ErrorOr<std::string> CWD = VFS.getCurrentWorkingDirectory();
496 if (CWD && !MD.IgnoreCWD)
497 HashBuilder.add(*CWD);
498
499 // Hash the BuildInvocation without any input files.
500 SmallString<0> ArgVec;
501 ArgVec.reserve(4096);
502 CI.generateCC1CommandLine([&](const Twine &Arg) {
503 Arg.toVector(ArgVec);
504 ArgVec.push_back('\0');
505 });
506 HashBuilder.add(ArgVec);
507
508 // Hash the module dependencies. These paths may differ even if the invocation
509 // is identical if they depend on the contents of the files in the TU -- for
510 // example, case-insensitive paths to modulemap files. Usually such a case
511 // would indicate a missed optimization to canonicalize, but it may be
512 // difficult to canonicalize all cases when there is a VFS.
513 for (const auto &ID : MD.ClangModuleDeps) {
514 HashBuilder.add(ID.ModuleName);
515 HashBuilder.add(ID.ContextHash);
516 }
517
518 HashBuilder.add(EagerLoadModules);
519
520 llvm::BLAKE3Result<16> Hash = HashBuilder.final();
521 std::array<uint64_t, 2> Words;
522 static_assert(sizeof(Hash) == sizeof(Words), "Hash must match Words");
523 std::memcpy(Words.data(), Hash.data(), sizeof(Hash));
524 return toString(llvm::APInt(sizeof(Words) * 8, Words), 36, /*Signed=*/false);
525}
526
527void ModuleDepCollector::associateWithContextHash(
528 const CowCompilerInvocation &CI, ModuleDeps &Deps) {
529 Deps.ID.ContextHash =
530 getModuleContextHash(Deps, CI, Service.getOpts().EagerLoadModules,
531 ScanInstance.getVirtualFileSystem());
532 bool Inserted = ModuleDepsByID.insert({Deps.ID, &Deps}).second;
533 (void)Inserted;
534 assert(Inserted && "duplicate module mapping");
535}
536
540 FileID PrevFID,
541 SourceLocation Loc) {
543 return;
544
545 SourceManager &SM = MDC.ScanInstance.getSourceManager();
546
547 // Dependency generation really does want to go all the way to the
548 // file entry for a source location to find out what is depended on.
549 // We do not want #line markers to affect dependency generation!
550 if (std::optional<StringRef> Filename = SM.getNonBuiltinFilenameForID(FID))
551 MDC.addFileDep(llvm::sys::path::remove_leading_dotslash(*Filename));
552}
553
555 SourceLocation HashLoc, const Token &IncludeTok, StringRef FileName,
556 bool IsAngled, CharSourceRange FilenameRange, OptionalFileEntryRef File,
557 StringRef SearchPath, StringRef RelativePath, const Module *SuggestedModule,
558 bool ModuleImported, SrcMgr::CharacteristicKind FileType) {
559 if (!File && !ModuleImported) {
560 // This is a non-modular include that HeaderSearch failed to find. Add it
561 // here as `FileChanged` will never see it.
562 MDC.addFileDep(FileName);
563 }
564 handleImport(SuggestedModule);
565}
566
568 ModuleIdPath Path,
569 const Module *Imported) {
570 auto &PP = MDC.ScanInstance.getPreprocessor();
571 if (PP.getLangOpts().CPlusPlusModules && PP.isImportingCXXNamedModules()) {
572 P1689ModuleInfo RequiredModule;
573 RequiredModule.ModuleName = Path[0].getIdentifierInfo()->getName().str();
575 MDC.RequiredStdCXXModules.push_back(std::move(RequiredModule));
576 return;
577 }
578
579 handleImport(Imported);
580}
581
582void ModuleDepCollectorPP::handleImport(const Module *Imported) {
583 if (!Imported)
584 return;
585
586 const Module *TopLevelModule = Imported->getTopLevelModule();
587
588 if (MDC.isPrebuiltModule(TopLevelModule))
589 MDC.DirectPrebuiltModularDeps.insert(
590 {TopLevelModule, PrebuiltModuleDep{TopLevelModule}});
591 else {
592 MDC.DirectModularDeps.insert(TopLevelModule);
593 MDC.DirectImports.insert(Imported);
594 }
595}
596
598 FileID MainFileID = MDC.ScanInstance.getSourceManager().getMainFileID();
599 MDC.MainFile = std::string(MDC.ScanInstance.getSourceManager()
600 .getFileEntryRefForID(MainFileID)
601 ->getName());
602
603 auto &PP = MDC.ScanInstance.getPreprocessor();
604 if (PP.isInNamedModule()) {
605 P1689ModuleInfo ProvidedModule;
606 ProvidedModule.ModuleName = PP.getNamedModuleName();
608 ProvidedModule.IsStdCXXModuleInterface = PP.isInNamedInterfaceUnit();
609 // Don't put implementation (non partition) unit as Provide.
610 // Put the module as required instead. Since the implementation
611 // unit will import the primary module implicitly.
612 if (PP.isInImplementationUnit())
613 MDC.RequiredStdCXXModules.push_back(ProvidedModule);
614 else
615 MDC.ProvidedStdCXXModule = ProvidedModule;
616 }
617
618 if (!MDC.ScanInstance.getPreprocessorOpts().ImplicitPCHInclude.empty())
619 MDC.addFileDep(MDC.ScanInstance.getPreprocessorOpts().ImplicitPCHInclude);
620
621 for (StringRef VFS : MDC.ScanInstance.getHeaderSearchOpts().VFSOverlayFiles)
622 MDC.addFileDep(VFS);
623
624 if (Module *CurrentModule = PP.getCurrentModuleImplementation()) {
625 if (OptionalFileEntryRef CurrentModuleMap =
626 PP.getHeaderSearchInfo().getModuleMap().getModuleMapFileForUniquing(
627 CurrentModule))
628 MDC.addFileDep(CurrentModuleMap->getName());
629 }
630
631 for (const Module *M :
632 MDC.ScanInstance.getPreprocessor().getAffectingClangModules())
633 if (!MDC.isPrebuiltModule(M))
634 MDC.DirectModularDeps.insert(M);
635
636 MDC.addVisibleModules();
637
638 for (const Module *M : MDC.DirectModularDeps)
639 handleTopLevelModule(M);
640
641 MDC.Consumer.handleContextHash(
642 MDC.ScanInstance.getInvocation().computeContextHash());
643
644 MDC.Consumer.handleDependencyOutputOpts(*MDC.Opts);
645
646 MDC.Consumer.handleProvidedAndRequiredStdCXXModules(
647 MDC.ProvidedStdCXXModule, MDC.RequiredStdCXXModules);
648
649 for (auto &&I : MDC.ModularDeps)
650 MDC.Consumer.handleModuleDependency(*I.second);
651
652 for (const Module *M : MDC.DirectModularDeps) {
653 auto It = MDC.ModularDeps.find(M);
654 // Only report direct dependencies that were successfully handled.
655 if (It != MDC.ModularDeps.end())
656 MDC.Consumer.handleDirectModuleDependency(It->second->ID);
657 }
658
659 for (auto &&I : MDC.VisibleModules)
660 MDC.Consumer.handleVisibleModule(std::string(I.getKey()));
661
662 for (auto &&I : MDC.FileDeps)
663 MDC.Consumer.handleFileDependency(I);
664
665 for (auto &&I : MDC.DirectPrebuiltModularDeps)
666 MDC.Consumer.handlePrebuiltModuleDependency(I.second);
667}
668
670 StringRef Path,
671 SmallVectorImpl<char> &Storage) {
672 // FIXME: Consider skipping if path is already absolute & canonicalized.
673
674 Storage.assign(Path.begin(), Path.end());
675 CI.getFileManager().makeAbsolutePath(Storage, /*Canonicalize=*/true);
676 return StringRef(Storage.data(), Storage.size());
677}
678
679std::optional<ModuleID>
680ModuleDepCollectorPP::handleTopLevelModule(const Module *M) {
681 assert(M == M->getTopLevelModule() && "Expected top level module!");
682
683 // A top-level module might not be actually imported as a module when
684 // -fmodule-name is used to compile a translation unit that imports this
685 // module. In that case it can be skipped. The appropriate header
686 // dependencies will still be reported as expected.
687 if (!M->getASTFileKey())
688 return {};
689
690 // If this module has been handled already, just return its ID.
691 if (auto ModI = MDC.ModularDeps.find(M); ModI != MDC.ModularDeps.end())
692 return ModI->second->ID;
693
694 auto OwnedMD = std::make_unique<ModuleDeps>();
695 ModuleDeps &MD = *OwnedMD;
696
698 MD.IsSystem = M->IsSystem;
699
700 // Start off with the assumption that this module is shareable when there
701 // are stable directories. As more dependencies are discovered, check if those
702 // come from the provided directories.
703 MD.IsInStableDirectories = !MDC.StableDirs.empty();
704
705 // For modules which use export_as link name, the linked product that of the
706 // corresponding export_as-named module.
709
710 ModuleMap &ModMapInfo =
711 MDC.ScanInstance.getPreprocessor().getHeaderSearchInfo().getModuleMap();
712
713 if (auto ModuleMap = ModMapInfo.getModuleMapFileForUniquing(M)) {
714 SmallString<128> Path = ModuleMap->getNameAsRequested();
715 ModMapInfo.canonicalizeModuleMapPath(Path);
716 MD.ClangModuleMapFile = std::string(Path);
717 }
718
719 serialization::ModuleFile *MF =
720 MDC.ScanInstance.getASTReader()->getModuleManager().lookup(
721 *M->getASTFileKey());
722
723 llvm::SmallString<256> Storage;
724 MD.FileDepsBaseDir =
725 makeAbsoluteAndCanonicalize(MDC.ScanInstance, MF->BaseDirectory, Storage);
726 MDC.ScanInstance.getASTReader()->visitInputFileInfos(
727 *MF, /*IncludeSystem=*/true,
728 [&](const serialization::InputFileInfo &IFI, bool IsSystem) {
729 // The __inferred_module.map file is an insignificant implementation
730 // detail of implicitly-built modules. The PCM will also report the
731 // actual on-disk module map file that allowed inferring the module,
732 // which is what we need for building the module explicitly
733 // Let's ignore this file.
734 if (IFI.UnresolvedImportedFilename.ends_with("__inferred_module.map"))
735 return;
736 MDC.addFileDep(MD, IFI.UnresolvedImportedFilename);
737 });
738
739 llvm::DenseSet<const Module *> SeenDeps;
740 addAllSubmodulePrebuiltDeps(M, MD, SeenDeps);
741 addAllSubmoduleDeps(M, MD, SeenDeps);
742 addAllAffectingClangModules(M, MD, SeenDeps);
743
744 SmallString<0> PathBuf;
745 PathBuf.reserve(256);
746 MDC.ScanInstance.getASTReader()->visitInputFileInfos(
747 *MF, /*IncludeSystem=*/true,
748 [&](const serialization::InputFileInfo &IFI, bool IsSystem) {
749 if (MD.IsInStableDirectories) {
750 auto FullFilePath = ASTReader::ResolveImportedPath(
751 PathBuf, IFI.UnresolvedImportedFilename, MF->BaseDirectory);
753 isPathInStableDir(MDC.StableDirs, *FullFilePath);
754 }
755 if (!(IFI.TopLevel && IFI.ModuleMap))
756 return;
758 "__inferred_module.map"))
759 return;
760 auto ResolvedFilenameAsRequested = ASTReader::ResolveImportedPath(
762 MF->BaseDirectory);
763 MD.ModuleMapFileDeps.emplace_back(*ResolvedFilenameAsRequested);
764 });
765
766 bool IgnoreCWD = false;
767 CowCompilerInvocation CI =
768 MDC.getInvocationAdjustedForModuleBuildWithoutOutputs(
769 MD, [&](CowCompilerInvocation &BuildInvocation) {
770 if (any(MDC.Service.getOpts().OptimizeArgs &
774 *MDC.ScanInstance.getASTReader(), *MF,
775 MDC.PrebuiltModulesASTMap,
776 MDC.Service.getOpts().OptimizeArgs);
777
778 if (any(MDC.Service.getOpts().OptimizeArgs &
781 BuildInvocation.getMutDiagnosticOpts(),
782 BuildInvocation.getFrontendOpts().IsSystemModule);
783
784 IgnoreCWD = any(MDC.Service.getOpts().OptimizeArgs &
786 isSafeToIgnoreCWD(BuildInvocation);
787 if (IgnoreCWD) {
788 llvm::ErrorOr<std::string> CWD =
789 MDC.ScanInstance.getVirtualFileSystem()
790 .getCurrentWorkingDirectory();
791 if (CWD)
792 optimizeCWD(BuildInvocation, *CWD);
793 }
794 });
795
796 // FIXME: Propagate errors up.
797 (void)MDC.Controller.finalizeModuleInvocation(MDC.ScanInstance, CI, MD);
798
799 // Check provided input paths from the invocation for determining
800 // IsInStableDirectories.
803 areOptionsInStableDir(MDC.StableDirs, CI.getHeaderSearchOpts());
804
805 MD.IgnoreCWD = IgnoreCWD;
806 MDC.associateWithContextHash(CI, MD);
807
808 // Finish the compiler invocation. Requires dependencies and the context hash.
809 MDC.addOutputPaths(CI, MD);
810
811 MD.BuildInfo = std::move(CI);
812
813 MDC.ModularDeps.insert({M, std::move(OwnedMD)});
814
815 return MD.ID;
816}
817
818static void forEachSubmoduleSorted(const Module *M,
819 llvm::function_ref<void(const Module *)> F) {
820 // Submodule order depends on order of header includes for inferred submodules
821 // we don't care about the exact order, so sort so that it's consistent across
822 // TUs to improve sharing.
824 llvm::stable_sort(Submodules, [](const Module *A, const Module *B) {
825 return A->Name < B->Name;
826 });
827 for (const Module *SubM : Submodules)
828 F(SubM);
829}
830
831void ModuleDepCollectorPP::addAllSubmodulePrebuiltDeps(
832 const Module *M, ModuleDeps &MD,
833 llvm::DenseSet<const Module *> &SeenSubmodules) {
834 addModulePrebuiltDeps(M, MD, SeenSubmodules);
835
836 forEachSubmoduleSorted(M, [&](const Module *SubM) {
837 addAllSubmodulePrebuiltDeps(SubM, MD, SeenSubmodules);
838 });
839}
840
841void ModuleDepCollectorPP::addModulePrebuiltDeps(
842 const Module *M, ModuleDeps &MD,
843 llvm::DenseSet<const Module *> &SeenSubmodules) {
844 for (const Module *Import : M->Imports)
845 if (Import->getTopLevelModule() != M->getTopLevelModule())
846 if (MDC.isPrebuiltModule(Import->getTopLevelModule()))
847 if (SeenSubmodules.insert(Import->getTopLevelModule()).second) {
848 MD.PrebuiltModuleDeps.emplace_back(Import->getTopLevelModule());
849 if (MD.IsInStableDirectories) {
850 auto PrebuiltModulePropIt = MDC.PrebuiltModulesASTMap.find(
851 MD.PrebuiltModuleDeps.back().PCMFile);
853 (PrebuiltModulePropIt != MDC.PrebuiltModulesASTMap.end()) &&
854 PrebuiltModulePropIt->second.isInStableDir();
855 }
856 }
857}
858
859void ModuleDepCollectorPP::addAllSubmoduleDeps(
860 const Module *M, ModuleDeps &MD,
861 llvm::DenseSet<const Module *> &AddedModules) {
862 addModuleDep(M, MD, AddedModules);
863
864 forEachSubmoduleSorted(M, [&](const Module *SubM) {
865 addAllSubmoduleDeps(SubM, MD, AddedModules);
866 });
867}
868
869void ModuleDepCollectorPP::addOneModuleDep(const Module *M, const ModuleID ID,
870 ModuleDeps &MD) {
871 MD.ClangModuleDeps.push_back(std::move(ID));
873 MD.IsInStableDirectories = MDC.ModularDeps[M]->IsInStableDirectories;
874}
875
876void ModuleDepCollectorPP::addModuleDep(
877 const Module *M, ModuleDeps &MD,
878 llvm::DenseSet<const Module *> &AddedModules) {
879 for (const Module *Import : M->Imports) {
880 if (Import->getTopLevelModule() != M->getTopLevelModule() &&
881 !MDC.isPrebuiltModule(Import)) {
882 if (auto ImportID = handleTopLevelModule(Import->getTopLevelModule()))
883 if (AddedModules.insert(Import->getTopLevelModule()).second)
884 addOneModuleDep(Import->getTopLevelModule(), *ImportID, MD);
885 }
886 }
887}
888
889void ModuleDepCollectorPP::addAllAffectingClangModules(
890 const Module *M, ModuleDeps &MD,
891 llvm::DenseSet<const Module *> &AddedModules) {
892 addAffectingClangModule(M, MD, AddedModules);
893
894 for (const Module *SubM : M->submodules())
895 addAllAffectingClangModules(SubM, MD, AddedModules);
896}
897
898void ModuleDepCollectorPP::addAffectingClangModule(
899 const Module *M, ModuleDeps &MD,
900 llvm::DenseSet<const Module *> &AddedModules) {
901 for (const Module *Affecting : M->AffectingClangModules) {
902 assert(Affecting == Affecting->getTopLevelModule() &&
903 "Not quite import not top-level module");
904 if (Affecting != M->getTopLevelModule() &&
905 !MDC.isPrebuiltModule(Affecting)) {
906 if (auto ImportID = handleTopLevelModule(Affecting))
907 if (AddedModules.insert(Affecting).second)
908 addOneModuleDep(Affecting, *ImportID, MD);
909 }
910 }
911}
912
915 std::unique_ptr<DependencyOutputOptions> Opts,
916 CompilerInstance &ScanInstance, DependencyConsumer &C,
917 DependencyActionController &Controller, CompilerInvocation OriginalCI,
918 const PrebuiltModulesAttrsMap PrebuiltModulesASTMap,
919 const ArrayRef<StringRef> StableDirs)
920 : Service(Service), ScanInstance(ScanInstance), Consumer(C),
921 Controller(Controller),
922 PrebuiltModulesASTMap(std::move(PrebuiltModulesASTMap)),
923 StableDirs(StableDirs), Opts(std::move(Opts)),
924 CommonInvocation(
925 makeCommonInvocationForModuleBuild(std::move(OriginalCI))) {}
926
928 auto CollectorPP = std::make_unique<ModuleDepCollectorPP>(*this);
929 CollectorPPPtr = CollectorPP.get();
930 PP.addPPCallbacks(std::move(CollectorPP));
931}
932
934
935bool ModuleDepCollector::isPrebuiltModule(const Module *M) {
936 std::string Name(M->getTopLevelModuleName());
937 const auto &PrebuiltModuleFiles =
939 auto PrebuiltModuleFileIt = PrebuiltModuleFiles.find(Name);
940 if (PrebuiltModuleFileIt == PrebuiltModuleFiles.end())
941 return false;
942 assert("Prebuilt module came from the expected AST file" &&
943 PrebuiltModuleFileIt->second == M->getASTFileName()->str());
944 return true;
945}
946
947void ModuleDepCollector::addVisibleModules() {
948 llvm::DenseSet<const Module *> ImportedModules;
949 auto InsertVisibleModules = [&](const Module *M) {
950 if (ImportedModules.contains(M))
951 return;
952
953 VisibleModules.insert(M->getTopLevelModuleName());
955 M->getExportedModules(Stack);
956 while (!Stack.empty()) {
957 const Module *CurrModule = Stack.pop_back_val();
958 if (ImportedModules.contains(CurrModule))
959 continue;
960 ImportedModules.insert(CurrModule);
961 VisibleModules.insert(CurrModule->getTopLevelModuleName());
962 CurrModule->getExportedModules(Stack);
963 }
964 };
965
966 for (const Module *Import : DirectImports)
967 InsertVisibleModules(Import);
968}
969
970void ModuleDepCollector::addFileDep(StringRef Path) {
971 if (!Service.getOpts().ReportAbsolutePaths) {
972 FileDeps.emplace_back(Path);
973 return;
974 }
975
976 llvm::SmallString<256> Storage;
977 Path = makeAbsoluteAndCanonicalize(ScanInstance, Path, Storage);
978 FileDeps.emplace_back(Path);
979}
980
981void ModuleDepCollector::addFileDep(ModuleDeps &MD, StringRef Path) {
982 MD.FileDeps.emplace_back(Path);
983}
static std::vector< std::string > splitString(std::string S, char Separator)
static std::string getModuleContextHash(const ModuleDeps &MD, const CowCompilerInvocation &CI, bool EagerLoadModules, llvm::vfs::FileSystem &VFS)
static void optimizeHeaderSearchOpts(HeaderSearchOptions &Opts, ASTReader &Reader, const serialization::ModuleFile &MF, const PrebuiltModulesAttrsMap &PrebuiltModulesASTMap, ScanningOptimizations OptimizeArgs)
static void optimizeDiagnosticOpts(DiagnosticOptions &Opts, bool IsSystemModule)
static CowCompilerInvocation makeCommonInvocationForModuleBuild(CompilerInvocation CI)
static void forEachSubmoduleSorted(const Module *M, llvm::function_ref< void(const Module *)> F)
static bool needsModules(FrontendInputFile FIF)
static bool isSafeToIgnoreCWD(const CowCompilerInvocation &CI)
static void optimizeCWD(CowCompilerInvocation &BuildInvocation, StringRef CWD)
static StringRef makeAbsoluteAndCanonicalize(CompilerInstance &CI, StringRef Path, SmallVectorImpl< char > &Storage)
#define SM(sm)
Defines the clang::Preprocessor interface.
static std::string toString(const clang::SanitizerSet &Sanitizers)
Produce a string containing comma-separated names of sanitizers in Sanitizers set.
Reads an AST files chain containing the contents of a translation unit.
Definition ASTReader.h:428
static TemporarilyOwnedStringRef ResolveImportedPath(SmallString< 0 > &Buf, StringRef Path, ModuleFile &ModF)
Resolve Path in the context of module file M.
Represents a byte-granular source range.
CodeGenOptions - Track various options which control how the code is optimized and passed to the back...
std::string CoverageNotesFile
The filename with path we use for coverage notes files.
std::string ProfileInstrumentUsePath
Name of the profile file to use as input for -fprofile-instr-use.
std::string SampleProfileFile
Name of the profile file to use with -fprofile-sample-use.
std::string CoverageDataFile
The filename with path we use for coverage data files.
std::string DebugCompilationDir
The string to embed in debug information as the current working directory.
std::string MainFileName
The user provided name for the "main file", if non-empty.
std::string CoverageCompilationDir
The string to embed in coverage mapping as the current working directory.
std::string ProfileRemappingFile
Name of the profile remapping file to apply to the profile data supplied by -fprofile-sample-use or -...
std::string DwarfDebugFlags
The string to embed in the debug information for the compile unit, if non-empty.
CompilerInstance - Helper class for managing a single instance of the Clang compiler.
FileManager & getFileManager() const
Return the current file manager to the caller.
HeaderSearchOptions & getHeaderSearchOpts()
const FrontendOptions & getFrontendOpts() const
void visitPaths(llvm::function_ref< bool(StringRef)> Callback) const
Visitation.
void generateCC1CommandLine(llvm::SmallVectorImpl< const char * > &Args, StringAllocator SA) const
Generate cc1-compatible command line arguments from this instance.
const DependencyOutputOptions & getDependencyOutputOpts() const
const HeaderSearchOptions & getHeaderSearchOpts() const
const DiagnosticOptions & getDiagnosticOpts() const
Helper class for holding the data necessary to invoke the compiler.
PreprocessorOptions & getPreprocessorOpts()
void clearImplicitModuleBuildOptions()
Disable implicit modules and canonicalize options that are only used by implicit modules.
LangOptions & getLangOpts()
Mutable getters.
DependencyOutputOptions & getDependencyOutputOpts()
void resetNonModularOptions()
Reset all of the options that are not considered when building a module.
FrontendOptions & getFrontendOpts()
CodeGenOptions & getCodeGenOpts()
HeaderSearchOptions & getHeaderSearchOpts()
DiagnosticOptions & getDiagnosticOpts()
Same as CompilerInvocation, but with copy-on-write optimization.
LangOptions & getMutLangOpts()
Mutable getters.
HeaderSearchOptions & getMutHeaderSearchOpts()
FileSystemOptions & getMutFileSystemOpts()
DiagnosticOptions & getMutDiagnosticOpts()
DependencyOutputOptions & getMutDependencyOutputOpts()
std::string OutputFile
The file to write dependency output to.
std::vector< std::string > Targets
A list of names to use as the targets in the dependency file; this list must contain at least one ent...
unsigned IncludeModuleFiles
Include module file dependencies.
Options for controlling the compiler diagnostics engine.
std::vector< std::string > Remarks
The list of -R... options used to alter the diagnostic mappings, with the prefixes removed.
std::vector< std::string > Warnings
The list of -W... options used to alter the diagnostic mappings, with the prefixes removed.
std::vector< std::string > UndefPrefixes
The list of prefixes from -Wundef-prefix=... used to generate warnings for undefined macros.
std::vector< std::string > SystemHeaderWarningsModules
The list of -Wsystem-headers-in-module=... options used to override whether -Wsystem-headers is enabl...
std::string DiagnosticSerializationFile
The file to serialize diagnostics to (non-appending).
An opaque identifier used by SourceManager which refers to a source file (MemoryBuffer) along with it...
bool makeAbsolutePath(SmallVectorImpl< char > &Path, bool Canonicalize=false) const
Makes Path absolute taking into account FileSystemOptions and the working directory option,...
std::string WorkingDir
If set, paths are resolved as if the working directory was set to the value of WorkingDir.
An input file for the front end.
InputKind getKind() const
InputKind DashX
The input kind, either specified via -x argument or deduced from the input file name.
std::vector< std::string > ModuleFiles
The list of additional prebuilt module files to load before processing the input.
unsigned IsSystemModule
When using -emit-module, treat the modulemap as a system module.
std::vector< std::string > LLVMArgs
A list of arguments to forward to LLVM's option processing; this should only be used for debugging an...
std::string OutputFile
The output file, if any.
unsigned GenReducedBMI
Whether to generate reduced BMI for C++20 named modules.
std::string ModuleOutputPath
Output Path for module output file.
SmallVector< FrontendInputFile, 0 > Inputs
The input files and their types.
frontend::ActionKind ProgramAction
The frontend action to perform.
std::vector< std::string > ModuleMapFiles
The list of module map files to load before processing the input.
HeaderSearchOptions - Helper class for storing options related to the initialization of the HeaderSea...
unsigned ModulesPruneNonAffectingModuleMaps
Whether to prune non-affecting module map files from PCM files.
std::map< std::string, std::string, std::less<> > PrebuiltModuleFiles
The mapping of module names to prebuilt module files.
unsigned ModulesSkipHeaderSearchPaths
Whether to entirely skip writing header search paths.
std::vector< SystemHeaderPrefix > SystemHeaderPrefixes
User-specified system header prefixes.
std::string Sysroot
If non-empty, the directory to use as a "virtual system root" for include paths.
unsigned ModulesSkipDiagnosticOptions
Whether to entirely skip writing diagnostic options.
llvm::SmallSetVector< llvm::CachedHashString, 16 > ModulesIgnoreMacros
The set of macro names that should be ignored for the purposes of computing the module hash.
std::vector< std::string > VFSOverlayFiles
The set of user-provided virtual filesystem overlay files.
std::vector< Entry > UserEntries
User specified include entries.
std::string ResourceDir
The directory which holds the compiler resource files (builtin includes, etc.).
ModuleMap & getModuleMap()
Retrieve the module map.
Language getLanguage() const
Keeps track of the various options that can be enabled, which controls the dialect of C or C++ that i...
std::string ModuleName
The module currently being compiled as specified by -fmodule-name.
StringRef str() const
Returns the plain module file name.
Definition Module.h:144
OptionalFileEntryRef getModuleMapFileForUniquing(const Module *M) const
std::error_code canonicalizeModuleMapPath(SmallVectorImpl< char > &Path)
Canonicalize Path in a manner suitable for a module map file.
Describes a module or submodule.
Definition Module.h:246
StringRef getTopLevelModuleName() const
Retrieve the name of the top-level module.
Definition Module.h:835
const ModuleFileKey * getASTFileKey() const
The serialized AST file key for this module, if one was created.
Definition Module.h:846
llvm::SmallSetVector< Module *, 2 > Imports
The set of modules imported by this module, and on which this module depends.
Definition Module.h:561
unsigned IsSystem
Whether this is a "system" module (which assumes that all headers in it are system headers).
Definition Module.h:492
std::string Name
The name of this module.
Definition Module.h:249
const ModuleFileName * getASTFileName() const
The serialized AST file name for this module, if one was created.
Definition Module.h:840
llvm::iterator_range< submodule_iterator > submodules()
Definition Module.h:952
llvm::SmallVector< LinkLibrary, 2 > LinkLibraries
The set of libraries or frameworks to link against when an entity from this module is used.
Definition Module.h:623
llvm::SmallSetVector< Module *, 2 > AffectingClangModules
The set of top-level modules that affected the compilation of this module, but were not imported.
Definition Module.h:565
void getExportedModules(SmallVectorImpl< Module * > &Exported) const
Appends this module's list of exported modules to Exported.
Definition Module.cpp:403
std::string getFullModuleName(bool AllowStringLiterals=false) const
Retrieve the full name of this module, including the path from its top-level module.
Definition Module.cpp:259
Module * getTopLevelModule()
Retrieve the top-level module for this (sub)module, which may be this module.
Definition Module.h:825
bool UseExportAsModuleLinkName
Autolinking uses the framework name for linking purposes when this is false and the export_as name ot...
Definition Module.h:627
std::vector< std::pair< std::string, bool > > Macros
Engages in a tight little dance with the lexer to efficiently preprocess tokens.
void addPPCallbacks(std::unique_ptr< PPCallbacks > C)
Module * getCurrentModuleImplementation()
Retrieves the module whose implementation we're current compiling, if any.
HeaderSearch & getHeaderSearchInfo() const
Encodes a location in the source.
This class handles loading and caching of source files into memory.
Token - This structure provides full information about a lexed token.
Definition Token.h:36
Dependency scanner callbacks that are used during scanning to influence the behaviour of the scan - f...
The dependency scanning service contains shared configuration and state that is used by the individua...
void EndOfMainFile() override
Callback invoked when the end of the main file is reached.
void InclusionDirective(SourceLocation HashLoc, const Token &IncludeTok, StringRef FileName, bool IsAngled, CharSourceRange FilenameRange, OptionalFileEntryRef File, StringRef SearchPath, StringRef RelativePath, const Module *SuggestedModule, bool ModuleImported, SrcMgr::CharacteristicKind FileType) override
Callback invoked whenever an inclusion directive of any kind (#include, #import, etc....
void LexedFileChanged(FileID FID, LexedFileChangeReason Reason, SrcMgr::CharacteristicKind FileType, FileID PrevFID, SourceLocation Loc) override
Callback invoked whenever the Lexer moves to a different file for lexing.
void moduleImport(SourceLocation ImportLoc, ModuleIdPath Path, const Module *Imported) override
Callback invoked whenever there was an explicit module-import syntax.
ModuleDepCollector(DependencyScanningService &Service, std::unique_ptr< DependencyOutputOptions > Opts, CompilerInstance &ScanInstance, DependencyConsumer &C, DependencyActionController &Controller, CompilerInvocation OriginalCI, const PrebuiltModulesAttrsMap PrebuiltModulesASTMap, const ArrayRef< StringRef > StableDirs)
void applyDiscoveredDependencies(CompilerInvocation &CI)
Apply any changes implied by the discovered dependencies to the given invocation, (e....
void attachToPreprocessor(Preprocessor &PP) override
void attachToASTReader(ASTReader &R) override
void updateDependentsNotInStableDirs(PrebuiltModulesAttrsMap &PrebuiltModulesMap)
When a module is discovered to not be in stable directories, traverse & update all modules that depen...
bool isInStableDir() const
Read-only access to whether the module is made up of dependencies in stable directories.
void setInStableDir(bool V=false)
Update whether the prebuilt module resolves entirely in a stable directories.
Information about a module that has been loaded by the ASTReader.
Definition ModuleFile.h:158
llvm::SetVector< ModuleFile * > Imports
List of modules which this module directly imported.
Definition ModuleFile.h:539
llvm::BitVector SearchPathUsage
The bit vector denoting usage of each header search entry (true = used).
Definition ModuleFile.h:234
ModuleFileName FileName
The file name of the module file.
Definition ModuleFile.h:177
llvm::BitVector VFSUsage
The bit vector denoting usage of each VFS entry (true = used).
Definition ModuleFile.h:237
ModuleKind Kind
The type of this module.
Definition ModuleFile.h:174
std::string BaseDirectory
The base directory of the module.
Definition ModuleFile.h:186
CharacteristicKind
Indicates whether a file or directory holds normal user code, system code, or system code which is im...
bool areOptionsInStableDir(const ArrayRef< StringRef > Directories, const HeaderSearchOptions &HSOpts)
Determine if options collected from a module's compilation can safely be considered as stable.
@ VFS
Remove unused -ivfsoverlay arguments.
@ IgnoreCWD
Ignore the compiler's working directory if it is safe.
@ SystemWarnings
Remove warnings from system modules.
@ HeaderSearch
Remove unused header search paths including header maps.
@ DiagnosticSerializationFile
The path of the serialized diagnostic file (.dia), if any.
@ DependencyFile
The path of the dependency file (.d), if any.
@ DependencyTargets
The null-separated list of names to use as the targets in the dependency file, if any.
@ ModuleFile
The module file (.pcm). Required.
llvm::StringMap< PrebuiltModuleASTAttrs > PrebuiltModulesAttrsMap
Attributes loaded from AST files of prebuilt modules collected prior to ModuleDepCollector creation.
bool isPathInStableDir(const ArrayRef< StringRef > Directories, const StringRef Input)
Determine if Input can be resolved within a stable directory.
void resetBenignCodeGenOptions(frontend::ActionKind ProgramAction, const LangOptions &LangOpts, CodeGenOptions &CGOpts)
Resets codegen options that don't affect modules/PCH.
@ GeneratePCH
Generate pre-compiled header.
@ GenerateModule
Generate pre-compiled module from a module map.
const unsigned VERSION_MINOR
AST file minor version number supported by this version of Clang.
Definition ASTBitCodes.h:57
const unsigned VERSION_MAJOR
AST file major version number supported by this version of Clang.
Definition ASTBitCodes.h:47
@ MK_ImplicitModule
File is an implicitly-loaded module.
Definition ModuleFile.h:46
The JSON file list parser is used to communicate input to InstallAPI.
CustomizableOptional< FileEntryRef > OptionalFileEntryRef
Definition FileEntry.h:208
void quoteMakeTarget(StringRef Target, SmallVectorImpl< char > &Res)
Quote target names for inclusion in GNU Make dependency files.
ArrayRef< IdentifierLoc > ModuleIdPath
A sequence of identifier/location pairs used to describe a particular module or submodule,...
@ Module
Module linkage, which indicates that the entity can be referred to from other translation units withi...
Definition Linkage.h:54
@ Asm
Assembly: we accept this only so that we can preprocess it.
@ MFDK_Direct
Include only directly imported module file dependencies.
std::string getClangFullRepositoryVersion()
Retrieves the full repository version that is an amalgamation of the information in getClangRepositor...
Definition Version.cpp:68
int const char * function
Definition c++config.h:31
int __ovld __cnfn any(char)
Returns 1 if the most significant bit in any component of x is set; otherwise returns 0.
std::vector< std::string > ModuleMapFileDeps
A collection of absolute paths to module map files that this module needs to know about.
bool IsInStableDirectories
Whether this module is fully composed of file & module inputs from locations likely to stay the same ...
ModuleID ID
The identifier of the module.
bool IgnoreCWD
Whether current working directory is ignored.
void forEachFileDep(llvm::function_ref< void(StringRef)> Cb) const
Invokes Cb for all file dependencies of this module.
std::vector< PrebuiltModuleDep > PrebuiltModuleDeps
A collection of prebuilt modular dependencies this module directly depends on, not including transiti...
llvm::SmallVector< Module::LinkLibrary, 2 > LinkLibraries
The set of libraries or frameworks to link against when an entity from this module is used.
std::vector< ModuleID > ClangModuleDeps
A list of module identifiers this module directly depends on, not including transitive dependencies.
const std::vector< std::string > & getBuildArguments() const
Get (or compute) the compiler invocation that can be used to build this module.
std::string ClangModuleMapFile
The path to the modulemap file which defines this module.
bool IsSystem
Whether this is a "system" module.
This is used to identify a specific module.
std::string ModuleName
The name of the module.
std::string ContextHash
The context hash of a module represents the compiler options that affect the resulting command-line i...
P1689ModuleInfo - Represents the needed information of standard C++20 modules for P1689 format.
bool IsStdCXXModuleInterface
If this module is a standard c++ interface unit.
std::string ModuleName
The name of the module. This may include : for partitions.
Modular dependency that has already been built prior to the dependency scan.