1 //===- DependencyScanningFilesystem.cpp - clang-scan-deps fs --------------===//
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 #include "clang/Tooling/DependencyScanning/DependencyScanningFilesystem.h"
10 #include "clang/Lex/DependencyDirectivesSourceMinimizer.h"
11 #include "llvm/Support/MemoryBuffer.h"
12 #include "llvm/Support/Threading.h"
13
14 using namespace clang;
15 using namespace tooling;
16 using namespace dependencies;
17
createFileEntry(StringRef Filename,llvm::vfs::FileSystem & FS,bool Minimize)18 CachedFileSystemEntry CachedFileSystemEntry::createFileEntry(
19 StringRef Filename, llvm::vfs::FileSystem &FS, bool Minimize) {
20 // Load the file and its content from the file system.
21 llvm::ErrorOr<std::unique_ptr<llvm::vfs::File>> MaybeFile =
22 FS.openFileForRead(Filename);
23 if (!MaybeFile)
24 return MaybeFile.getError();
25 llvm::ErrorOr<llvm::vfs::Status> Stat = (*MaybeFile)->status();
26 if (!Stat)
27 return Stat.getError();
28
29 llvm::vfs::File &F = **MaybeFile;
30 llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>> MaybeBuffer =
31 F.getBuffer(Stat->getName());
32 if (!MaybeBuffer)
33 return MaybeBuffer.getError();
34
35 llvm::SmallString<1024> MinimizedFileContents;
36 // Minimize the file down to directives that might affect the dependencies.
37 const auto &Buffer = *MaybeBuffer;
38 SmallVector<minimize_source_to_dependency_directives::Token, 64> Tokens;
39 if (!Minimize || minimizeSourceToDependencyDirectives(
40 Buffer->getBuffer(), MinimizedFileContents, Tokens)) {
41 // Use the original file unless requested otherwise, or
42 // if the minimization failed.
43 // FIXME: Propage the diagnostic if desired by the client.
44 CachedFileSystemEntry Result;
45 Result.MaybeStat = std::move(*Stat);
46 Result.Contents.reserve(Buffer->getBufferSize() + 1);
47 Result.Contents.append(Buffer->getBufferStart(), Buffer->getBufferEnd());
48 // Implicitly null terminate the contents for Clang's lexer.
49 Result.Contents.push_back('\0');
50 Result.Contents.pop_back();
51 return Result;
52 }
53
54 CachedFileSystemEntry Result;
55 size_t Size = MinimizedFileContents.size();
56 Result.MaybeStat = llvm::vfs::Status(Stat->getName(), Stat->getUniqueID(),
57 Stat->getLastModificationTime(),
58 Stat->getUser(), Stat->getGroup(), Size,
59 Stat->getType(), Stat->getPermissions());
60 // The contents produced by the minimizer must be null terminated.
61 assert(MinimizedFileContents.data()[MinimizedFileContents.size()] == '\0' &&
62 "not null terminated contents");
63 // Even though there's an implicit null terminator in the minimized contents,
64 // we want to temporarily make it explicit. This will ensure that the
65 // std::move will preserve it even if it needs to do a copy if the
66 // SmallString still has the small capacity.
67 MinimizedFileContents.push_back('\0');
68 Result.Contents = std::move(MinimizedFileContents);
69 // Now make the null terminator implicit again, so that Clang's lexer can find
70 // it right where the buffer ends.
71 Result.Contents.pop_back();
72
73 // Compute the skipped PP ranges that speedup skipping over inactive
74 // preprocessor blocks.
75 llvm::SmallVector<minimize_source_to_dependency_directives::SkippedRange, 32>
76 SkippedRanges;
77 minimize_source_to_dependency_directives::computeSkippedRanges(Tokens,
78 SkippedRanges);
79 PreprocessorSkippedRangeMapping Mapping;
80 for (const auto &Range : SkippedRanges) {
81 if (Range.Length < 16) {
82 // Ignore small ranges as non-profitable.
83 // FIXME: This is a heuristic, its worth investigating the tradeoffs
84 // when it should be applied.
85 continue;
86 }
87 Mapping[Range.Offset] = Range.Length;
88 }
89 Result.PPSkippedRangeMapping = std::move(Mapping);
90
91 return Result;
92 }
93
94 CachedFileSystemEntry
createDirectoryEntry(llvm::vfs::Status && Stat)95 CachedFileSystemEntry::createDirectoryEntry(llvm::vfs::Status &&Stat) {
96 assert(Stat.isDirectory() && "not a directory!");
97 auto Result = CachedFileSystemEntry();
98 Result.MaybeStat = std::move(Stat);
99 return Result;
100 }
101
SingleCache()102 DependencyScanningFilesystemSharedCache::SingleCache::SingleCache() {
103 // This heuristic was chosen using a empirical testing on a
104 // reasonably high core machine (iMacPro 18 cores / 36 threads). The cache
105 // sharding gives a performance edge by reducing the lock contention.
106 // FIXME: A better heuristic might also consider the OS to account for
107 // the different cost of lock contention on different OSes.
108 NumShards =
109 std::max(2u, llvm::hardware_concurrency().compute_thread_count() / 4);
110 CacheShards = std::make_unique<CacheShard[]>(NumShards);
111 }
112
113 DependencyScanningFilesystemSharedCache::SharedFileSystemEntry &
get(StringRef Key)114 DependencyScanningFilesystemSharedCache::SingleCache::get(StringRef Key) {
115 CacheShard &Shard = CacheShards[llvm::hash_value(Key) % NumShards];
116 std::unique_lock<std::mutex> LockGuard(Shard.CacheLock);
117 auto It = Shard.Cache.try_emplace(Key);
118 return It.first->getValue();
119 }
120
121 DependencyScanningFilesystemSharedCache::SharedFileSystemEntry &
get(StringRef Key,bool Minimized)122 DependencyScanningFilesystemSharedCache::get(StringRef Key, bool Minimized) {
123 SingleCache &Cache = Minimized ? CacheMinimized : CacheOriginal;
124 return Cache.get(Key);
125 }
126
127 /// Whitelist file extensions that should be minimized, treating no extension as
128 /// a source file that should be minimized.
129 ///
130 /// This is kinda hacky, it would be better if we knew what kind of file Clang
131 /// was expecting instead.
shouldMinimize(StringRef Filename)132 static bool shouldMinimize(StringRef Filename) {
133 StringRef Ext = llvm::sys::path::extension(Filename);
134 if (Ext.empty())
135 return true; // C++ standard library
136 return llvm::StringSwitch<bool>(Ext)
137 .CasesLower(".c", ".cc", ".cpp", ".c++", ".cxx", true)
138 .CasesLower(".h", ".hh", ".hpp", ".h++", ".hxx", true)
139 .CasesLower(".m", ".mm", true)
140 .CasesLower(".i", ".ii", ".mi", ".mmi", true)
141 .CasesLower(".def", ".inc", true)
142 .Default(false);
143 }
144
145
shouldCacheStatFailures(StringRef Filename)146 static bool shouldCacheStatFailures(StringRef Filename) {
147 StringRef Ext = llvm::sys::path::extension(Filename);
148 if (Ext.empty())
149 return false; // This may be the module cache directory.
150 return shouldMinimize(Filename); // Only cache stat failures on source files.
151 }
152
ignoreFile(StringRef RawFilename)153 void DependencyScanningWorkerFilesystem::ignoreFile(StringRef RawFilename) {
154 llvm::SmallString<256> Filename;
155 llvm::sys::path::native(RawFilename, Filename);
156 IgnoredFiles.insert(Filename);
157 }
158
shouldIgnoreFile(StringRef RawFilename)159 bool DependencyScanningWorkerFilesystem::shouldIgnoreFile(
160 StringRef RawFilename) {
161 llvm::SmallString<256> Filename;
162 llvm::sys::path::native(RawFilename, Filename);
163 return IgnoredFiles.contains(Filename);
164 }
165
166 llvm::ErrorOr<const CachedFileSystemEntry *>
getOrCreateFileSystemEntry(const StringRef Filename)167 DependencyScanningWorkerFilesystem::getOrCreateFileSystemEntry(
168 const StringRef Filename) {
169 bool ShouldMinimize = !shouldIgnoreFile(Filename) && shouldMinimize(Filename);
170
171 if (const auto *Entry = Cache.getCachedEntry(Filename, ShouldMinimize))
172 return Entry;
173
174 // FIXME: Handle PCM/PCH files.
175 // FIXME: Handle module map files.
176
177 DependencyScanningFilesystemSharedCache::SharedFileSystemEntry
178 &SharedCacheEntry = SharedCache.get(Filename, ShouldMinimize);
179 const CachedFileSystemEntry *Result;
180 {
181 std::unique_lock<std::mutex> LockGuard(SharedCacheEntry.ValueLock);
182 CachedFileSystemEntry &CacheEntry = SharedCacheEntry.Value;
183
184 if (!CacheEntry.isValid()) {
185 llvm::vfs::FileSystem &FS = getUnderlyingFS();
186 auto MaybeStatus = FS.status(Filename);
187 if (!MaybeStatus) {
188 if (!shouldCacheStatFailures(Filename))
189 // HACK: We need to always restat non source files if the stat fails.
190 // This is because Clang first looks up the module cache and module
191 // files before building them, and then looks for them again. If we
192 // cache the stat failure, it won't see them the second time.
193 return MaybeStatus.getError();
194 else
195 CacheEntry = CachedFileSystemEntry(MaybeStatus.getError());
196 } else if (MaybeStatus->isDirectory())
197 CacheEntry = CachedFileSystemEntry::createDirectoryEntry(
198 std::move(*MaybeStatus));
199 else
200 CacheEntry = CachedFileSystemEntry::createFileEntry(Filename, FS,
201 ShouldMinimize);
202 }
203
204 Result = &CacheEntry;
205 }
206
207 // Store the result in the local cache.
208 Cache.setCachedEntry(Filename, ShouldMinimize, Result);
209 return Result;
210 }
211
212 llvm::ErrorOr<llvm::vfs::Status>
status(const Twine & Path)213 DependencyScanningWorkerFilesystem::status(const Twine &Path) {
214 SmallString<256> OwnedFilename;
215 StringRef Filename = Path.toStringRef(OwnedFilename);
216 const llvm::ErrorOr<const CachedFileSystemEntry *> Result =
217 getOrCreateFileSystemEntry(Filename);
218 if (!Result)
219 return Result.getError();
220 return (*Result)->getStatus();
221 }
222
223 namespace {
224
225 /// The VFS that is used by clang consumes the \c CachedFileSystemEntry using
226 /// this subclass.
227 class MinimizedVFSFile final : public llvm::vfs::File {
228 public:
MinimizedVFSFile(std::unique_ptr<llvm::MemoryBuffer> Buffer,llvm::vfs::Status Stat)229 MinimizedVFSFile(std::unique_ptr<llvm::MemoryBuffer> Buffer,
230 llvm::vfs::Status Stat)
231 : Buffer(std::move(Buffer)), Stat(std::move(Stat)) {}
232
233 static llvm::ErrorOr<std::unique_ptr<llvm::vfs::File>>
234 create(const CachedFileSystemEntry *Entry,
235 ExcludedPreprocessorDirectiveSkipMapping *PPSkipMappings);
236
status()237 llvm::ErrorOr<llvm::vfs::Status> status() override { return Stat; }
238
239 llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>>
getBuffer(const Twine & Name,int64_t FileSize,bool RequiresNullTerminator,bool IsVolatile)240 getBuffer(const Twine &Name, int64_t FileSize, bool RequiresNullTerminator,
241 bool IsVolatile) override {
242 return std::move(Buffer);
243 }
244
close()245 std::error_code close() override { return {}; }
246
247 private:
248 std::unique_ptr<llvm::MemoryBuffer> Buffer;
249 llvm::vfs::Status Stat;
250 };
251
252 } // end anonymous namespace
253
create(const CachedFileSystemEntry * Entry,ExcludedPreprocessorDirectiveSkipMapping * PPSkipMappings)254 llvm::ErrorOr<std::unique_ptr<llvm::vfs::File>> MinimizedVFSFile::create(
255 const CachedFileSystemEntry *Entry,
256 ExcludedPreprocessorDirectiveSkipMapping *PPSkipMappings) {
257 if (Entry->isDirectory())
258 return llvm::ErrorOr<std::unique_ptr<llvm::vfs::File>>(
259 std::make_error_code(std::errc::is_a_directory));
260 llvm::ErrorOr<StringRef> Contents = Entry->getContents();
261 if (!Contents)
262 return Contents.getError();
263 auto Result = std::make_unique<MinimizedVFSFile>(
264 llvm::MemoryBuffer::getMemBuffer(*Contents, Entry->getName(),
265 /*RequiresNullTerminator=*/false),
266 *Entry->getStatus());
267 if (!Entry->getPPSkippedRangeMapping().empty() && PPSkipMappings)
268 (*PPSkipMappings)[Result->Buffer->getBufferStart()] =
269 &Entry->getPPSkippedRangeMapping();
270 return llvm::ErrorOr<std::unique_ptr<llvm::vfs::File>>(
271 std::unique_ptr<llvm::vfs::File>(std::move(Result)));
272 }
273
274 llvm::ErrorOr<std::unique_ptr<llvm::vfs::File>>
openFileForRead(const Twine & Path)275 DependencyScanningWorkerFilesystem::openFileForRead(const Twine &Path) {
276 SmallString<256> OwnedFilename;
277 StringRef Filename = Path.toStringRef(OwnedFilename);
278
279 const llvm::ErrorOr<const CachedFileSystemEntry *> Result =
280 getOrCreateFileSystemEntry(Filename);
281 if (!Result)
282 return Result.getError();
283 return MinimizedVFSFile::create(Result.get(), PPSkipMappings);
284 }
285