• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 //===- InterpolatingCompilationDatabase.cpp ---------------------*- 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 // InterpolatingCompilationDatabase wraps another CompilationDatabase and
10 // attempts to heuristically determine appropriate compile commands for files
11 // that are not included, such as headers or newly created files.
12 //
13 // Motivating cases include:
14 //   Header files that live next to their implementation files. These typically
15 // share a base filename. (libclang/CXString.h, libclang/CXString.cpp).
16 //   Some projects separate headers from includes. Filenames still typically
17 // match, maybe other path segments too. (include/llvm/IR/Use.h, lib/IR/Use.cc).
18 //   Matches are sometimes only approximate (Sema.h, SemaDecl.cpp). This goes
19 // for directories too (Support/Unix/Process.inc, lib/Support/Process.cpp).
20 //   Even if we can't find a "right" compile command, even a random one from
21 // the project will tend to get important flags like -I and -x right.
22 //
23 // We "borrow" the compile command for the closest available file:
24 //   - points are awarded if the filename matches (ignoring extension)
25 //   - points are awarded if the directory structure matches
26 //   - ties are broken by length of path prefix match
27 //
28 // The compile command is adjusted, replacing the filename and removing output
29 // file arguments. The -x and -std flags may be affected too.
30 //
31 // Source language is a tricky issue: is it OK to use a .c file's command
32 // for building a .cc file? What language is a .h file in?
33 //   - We only consider compile commands for c-family languages as candidates.
34 //   - For files whose language is implied by the filename (e.g. .m, .hpp)
35 //     we prefer candidates from the same language.
36 //     If we must cross languages, we drop any -x and -std flags.
37 //   - For .h files, candidates from any c-family language are acceptable.
38 //     We use the candidate's language, inserting  e.g. -x c++-header.
39 //
40 // This class is only useful when wrapping databases that can enumerate all
41 // their compile commands. If getAllFilenames() is empty, no inference occurs.
42 //
43 //===----------------------------------------------------------------------===//
44 
45 #include "clang/Basic/LangStandard.h"
46 #include "clang/Driver/Options.h"
47 #include "clang/Driver/Types.h"
48 #include "clang/Tooling/CompilationDatabase.h"
49 #include "llvm/ADT/DenseMap.h"
50 #include "llvm/ADT/Optional.h"
51 #include "llvm/ADT/StringExtras.h"
52 #include "llvm/ADT/StringSwitch.h"
53 #include "llvm/Option/ArgList.h"
54 #include "llvm/Option/OptTable.h"
55 #include "llvm/Support/Debug.h"
56 #include "llvm/Support/Path.h"
57 #include "llvm/Support/StringSaver.h"
58 #include "llvm/Support/raw_ostream.h"
59 #include <memory>
60 
61 namespace clang {
62 namespace tooling {
63 namespace {
64 using namespace llvm;
65 namespace types = clang::driver::types;
66 namespace path = llvm::sys::path;
67 
68 // The length of the prefix these two strings have in common.
matchingPrefix(StringRef L,StringRef R)69 size_t matchingPrefix(StringRef L, StringRef R) {
70   size_t Limit = std::min(L.size(), R.size());
71   for (size_t I = 0; I < Limit; ++I)
72     if (L[I] != R[I])
73       return I;
74   return Limit;
75 }
76 
77 // A comparator for searching SubstringWithIndexes with std::equal_range etc.
78 // Optionaly prefix semantics: compares equal if the key is a prefix.
79 template <bool Prefix> struct Less {
operator ()clang::tooling::__anond7485b900111::Less80   bool operator()(StringRef Key, std::pair<StringRef, size_t> Value) const {
81     StringRef V = Prefix ? Value.first.substr(0, Key.size()) : Value.first;
82     return Key < V;
83   }
operator ()clang::tooling::__anond7485b900111::Less84   bool operator()(std::pair<StringRef, size_t> Value, StringRef Key) const {
85     StringRef V = Prefix ? Value.first.substr(0, Key.size()) : Value.first;
86     return V < Key;
87   }
88 };
89 
90 // Infer type from filename. If we might have gotten it wrong, set *Certain.
91 // *.h will be inferred as a C header, but not certain.
guessType(StringRef Filename,bool * Certain=nullptr)92 types::ID guessType(StringRef Filename, bool *Certain = nullptr) {
93   // path::extension is ".cpp", lookupTypeForExtension wants "cpp".
94   auto Lang =
95       types::lookupTypeForExtension(path::extension(Filename).substr(1));
96   if (Certain)
97     *Certain = Lang != types::TY_CHeader && Lang != types::TY_INVALID;
98   return Lang;
99 }
100 
101 // Return Lang as one of the canonical supported types.
102 // e.g. c-header --> c; fortran --> TY_INVALID
foldType(types::ID Lang)103 static types::ID foldType(types::ID Lang) {
104   switch (Lang) {
105   case types::TY_C:
106   case types::TY_CHeader:
107     return types::TY_C;
108   case types::TY_ObjC:
109   case types::TY_ObjCHeader:
110     return types::TY_ObjC;
111   case types::TY_CXX:
112   case types::TY_CXXHeader:
113     return types::TY_CXX;
114   case types::TY_ObjCXX:
115   case types::TY_ObjCXXHeader:
116     return types::TY_ObjCXX;
117   case types::TY_CUDA:
118   case types::TY_CUDA_DEVICE:
119     return types::TY_CUDA;
120   default:
121     return types::TY_INVALID;
122   }
123 }
124 
125 // A CompileCommand that can be applied to another file.
126 struct TransferableCommand {
127   // Flags that should not apply to all files are stripped from CommandLine.
128   CompileCommand Cmd;
129   // Language detected from -x or the filename. Never TY_INVALID.
130   Optional<types::ID> Type;
131   // Standard specified by -std.
132   LangStandard::Kind Std = LangStandard::lang_unspecified;
133   // Whether the command line is for the cl-compatible driver.
134   bool ClangCLMode;
135 
TransferableCommandclang::tooling::__anond7485b900111::TransferableCommand136   TransferableCommand(CompileCommand C)
137       : Cmd(std::move(C)), Type(guessType(Cmd.Filename)),
138         ClangCLMode(checkIsCLMode(Cmd.CommandLine)) {
139     std::vector<std::string> OldArgs = std::move(Cmd.CommandLine);
140     Cmd.CommandLine.clear();
141 
142     // Wrap the old arguments in an InputArgList.
143     llvm::opt::InputArgList ArgList;
144     {
145       SmallVector<const char *, 16> TmpArgv;
146       for (const std::string &S : OldArgs)
147         TmpArgv.push_back(S.c_str());
148       ArgList = {TmpArgv.begin(), TmpArgv.end()};
149     }
150 
151     // Parse the old args in order to strip out and record unwanted flags.
152     // We parse each argument individually so that we can retain the exact
153     // spelling of each argument; re-rendering is lossy for aliased flags.
154     // E.g. in CL mode, /W4 maps to -Wall.
155     auto &OptTable = clang::driver::getDriverOptTable();
156     if (!OldArgs.empty())
157       Cmd.CommandLine.emplace_back(OldArgs.front());
158     for (unsigned Pos = 1; Pos < OldArgs.size();) {
159       using namespace driver::options;
160 
161       const unsigned OldPos = Pos;
162       std::unique_ptr<llvm::opt::Arg> Arg(OptTable.ParseOneArg(
163           ArgList, Pos,
164           /* Include */ ClangCLMode ? CoreOption | CLOption : 0,
165           /* Exclude */ ClangCLMode ? 0 : CLOption));
166 
167       if (!Arg)
168         continue;
169 
170       const llvm::opt::Option &Opt = Arg->getOption();
171 
172       // Strip input and output files.
173       if (Opt.matches(OPT_INPUT) || Opt.matches(OPT_o) ||
174           (ClangCLMode && (Opt.matches(OPT__SLASH_Fa) ||
175                            Opt.matches(OPT__SLASH_Fe) ||
176                            Opt.matches(OPT__SLASH_Fi) ||
177                            Opt.matches(OPT__SLASH_Fo))))
178         continue;
179 
180       // Strip -x, but record the overridden language.
181       if (const auto GivenType = tryParseTypeArg(*Arg)) {
182         Type = *GivenType;
183         continue;
184       }
185 
186       // Strip -std, but record the value.
187       if (const auto GivenStd = tryParseStdArg(*Arg)) {
188         if (*GivenStd != LangStandard::lang_unspecified)
189           Std = *GivenStd;
190         continue;
191       }
192 
193       Cmd.CommandLine.insert(Cmd.CommandLine.end(),
194                              OldArgs.data() + OldPos, OldArgs.data() + Pos);
195     }
196 
197     // Make use of -std iff -x was missing.
198     if (Type == types::TY_INVALID && Std != LangStandard::lang_unspecified)
199       Type = toType(LangStandard::getLangStandardForKind(Std).getLanguage());
200     Type = foldType(*Type);
201     // The contract is to store None instead of TY_INVALID.
202     if (Type == types::TY_INVALID)
203       Type = llvm::None;
204   }
205 
206   // Produce a CompileCommand for \p filename, based on this one.
transferToclang::tooling::__anond7485b900111::TransferableCommand207   CompileCommand transferTo(StringRef Filename) const {
208     CompileCommand Result = Cmd;
209     Result.Filename = std::string(Filename);
210     bool TypeCertain;
211     auto TargetType = guessType(Filename, &TypeCertain);
212     // If the filename doesn't determine the language (.h), transfer with -x.
213     if ((!TargetType || !TypeCertain) && Type) {
214       // Use *Type, or its header variant if the file is a header.
215       // Treat no/invalid extension as header (e.g. C++ standard library).
216       TargetType =
217           (!TargetType || types::onlyPrecompileType(TargetType)) // header?
218               ? types::lookupHeaderTypeForSourceType(*Type)
219               : *Type;
220       if (ClangCLMode) {
221         const StringRef Flag = toCLFlag(TargetType);
222         if (!Flag.empty())
223           Result.CommandLine.push_back(std::string(Flag));
224       } else {
225         Result.CommandLine.push_back("-x");
226         Result.CommandLine.push_back(types::getTypeName(TargetType));
227       }
228     }
229     // --std flag may only be transferred if the language is the same.
230     // We may consider "translating" these, e.g. c++11 -> c11.
231     if (Std != LangStandard::lang_unspecified && foldType(TargetType) == Type) {
232       Result.CommandLine.emplace_back((
233           llvm::Twine(ClangCLMode ? "/std:" : "-std=") +
234           LangStandard::getLangStandardForKind(Std).getName()).str());
235     }
236     Result.CommandLine.push_back(std::string(Filename));
237     Result.Heuristic = "inferred from " + Cmd.Filename;
238     return Result;
239   }
240 
241 private:
242   // Determine whether the given command line is intended for the CL driver.
checkIsCLModeclang::tooling::__anond7485b900111::TransferableCommand243   static bool checkIsCLMode(ArrayRef<std::string> CmdLine) {
244     // First look for --driver-mode.
245     for (StringRef S : llvm::reverse(CmdLine)) {
246       if (S.consume_front("--driver-mode="))
247         return S == "cl";
248     }
249 
250     // Otherwise just check the clang executable file name.
251     return !CmdLine.empty() &&
252            llvm::sys::path::stem(CmdLine.front()).endswith_lower("cl");
253   }
254 
255   // Map the language from the --std flag to that of the -x flag.
toTypeclang::tooling::__anond7485b900111::TransferableCommand256   static types::ID toType(Language Lang) {
257     switch (Lang) {
258     case Language::C:
259       return types::TY_C;
260     case Language::CXX:
261       return types::TY_CXX;
262     case Language::ObjC:
263       return types::TY_ObjC;
264     case Language::ObjCXX:
265       return types::TY_ObjCXX;
266     default:
267       return types::TY_INVALID;
268     }
269   }
270 
271   // Convert a file type to the matching CL-style type flag.
toCLFlagclang::tooling::__anond7485b900111::TransferableCommand272   static StringRef toCLFlag(types::ID Type) {
273     switch (Type) {
274     case types::TY_C:
275     case types::TY_CHeader:
276       return "/TC";
277     case types::TY_CXX:
278     case types::TY_CXXHeader:
279       return "/TP";
280     default:
281       return StringRef();
282     }
283   }
284 
285   // Try to interpret the argument as a type specifier, e.g. '-x'.
tryParseTypeArgclang::tooling::__anond7485b900111::TransferableCommand286   Optional<types::ID> tryParseTypeArg(const llvm::opt::Arg &Arg) {
287     const llvm::opt::Option &Opt = Arg.getOption();
288     using namespace driver::options;
289     if (ClangCLMode) {
290       if (Opt.matches(OPT__SLASH_TC) || Opt.matches(OPT__SLASH_Tc))
291         return types::TY_C;
292       if (Opt.matches(OPT__SLASH_TP) || Opt.matches(OPT__SLASH_Tp))
293         return types::TY_CXX;
294     } else {
295       if (Opt.matches(driver::options::OPT_x))
296         return types::lookupTypeForTypeSpecifier(Arg.getValue());
297     }
298     return None;
299   }
300 
301   // Try to interpret the argument as '-std='.
tryParseStdArgclang::tooling::__anond7485b900111::TransferableCommand302   Optional<LangStandard::Kind> tryParseStdArg(const llvm::opt::Arg &Arg) {
303     using namespace driver::options;
304     if (Arg.getOption().matches(ClangCLMode ? OPT__SLASH_std : OPT_std_EQ))
305       return LangStandard::getLangKind(Arg.getValue());
306     return None;
307   }
308 };
309 
310 // Given a filename, FileIndex picks the best matching file from the underlying
311 // DB. This is the proxy file whose CompileCommand will be reused. The
312 // heuristics incorporate file name, extension, and directory structure.
313 // Strategy:
314 // - Build indexes of each of the substrings we want to look up by.
315 //   These indexes are just sorted lists of the substrings.
316 // - Each criterion corresponds to a range lookup into the index, so we only
317 //   need O(log N) string comparisons to determine scores.
318 //
319 // Apart from path proximity signals, also takes file extensions into account
320 // when scoring the candidates.
321 class FileIndex {
322 public:
FileIndex(std::vector<std::string> Files)323   FileIndex(std::vector<std::string> Files)
324       : OriginalPaths(std::move(Files)), Strings(Arena) {
325     // Sort commands by filename for determinism (index is a tiebreaker later).
326     llvm::sort(OriginalPaths);
327     Paths.reserve(OriginalPaths.size());
328     Types.reserve(OriginalPaths.size());
329     Stems.reserve(OriginalPaths.size());
330     for (size_t I = 0; I < OriginalPaths.size(); ++I) {
331       StringRef Path = Strings.save(StringRef(OriginalPaths[I]).lower());
332 
333       Paths.emplace_back(Path, I);
334       Types.push_back(foldType(guessType(Path)));
335       Stems.emplace_back(sys::path::stem(Path), I);
336       auto Dir = ++sys::path::rbegin(Path), DirEnd = sys::path::rend(Path);
337       for (int J = 0; J < DirectorySegmentsIndexed && Dir != DirEnd; ++J, ++Dir)
338         if (Dir->size() > ShortDirectorySegment) // not trivial ones
339           Components.emplace_back(*Dir, I);
340     }
341     llvm::sort(Paths);
342     llvm::sort(Stems);
343     llvm::sort(Components);
344   }
345 
empty() const346   bool empty() const { return Paths.empty(); }
347 
348   // Returns the path for the file that best fits OriginalFilename.
349   // Candidates with extensions matching PreferLanguage will be chosen over
350   // others (unless it's TY_INVALID, or all candidates are bad).
chooseProxy(StringRef OriginalFilename,types::ID PreferLanguage) const351   StringRef chooseProxy(StringRef OriginalFilename,
352                         types::ID PreferLanguage) const {
353     assert(!empty() && "need at least one candidate!");
354     std::string Filename = OriginalFilename.lower();
355     auto Candidates = scoreCandidates(Filename);
356     std::pair<size_t, int> Best =
357         pickWinner(Candidates, Filename, PreferLanguage);
358 
359     DEBUG_WITH_TYPE(
360         "interpolate",
361         llvm::dbgs() << "interpolate: chose " << OriginalPaths[Best.first]
362                      << " as proxy for " << OriginalFilename << " preferring "
363                      << (PreferLanguage == types::TY_INVALID
364                              ? "none"
365                              : types::getTypeName(PreferLanguage))
366                      << " score=" << Best.second << "\n");
367     return OriginalPaths[Best.first];
368   }
369 
370 private:
371   using SubstringAndIndex = std::pair<StringRef, size_t>;
372   // Directory matching parameters: we look at the last two segments of the
373   // parent directory (usually the semantically significant ones in practice).
374   // We search only the last four of each candidate (for efficiency).
375   constexpr static int DirectorySegmentsIndexed = 4;
376   constexpr static int DirectorySegmentsQueried = 2;
377   constexpr static int ShortDirectorySegment = 1; // Only look at longer names.
378 
379   // Award points to candidate entries that should be considered for the file.
380   // Returned keys are indexes into paths, and the values are (nonzero) scores.
scoreCandidates(StringRef Filename) const381   DenseMap<size_t, int> scoreCandidates(StringRef Filename) const {
382     // Decompose Filename into the parts we care about.
383     // /some/path/complicated/project/Interesting.h
384     // [-prefix--][---dir---] [-dir-] [--stem---]
385     StringRef Stem = sys::path::stem(Filename);
386     llvm::SmallVector<StringRef, DirectorySegmentsQueried> Dirs;
387     llvm::StringRef Prefix;
388     auto Dir = ++sys::path::rbegin(Filename),
389          DirEnd = sys::path::rend(Filename);
390     for (int I = 0; I < DirectorySegmentsQueried && Dir != DirEnd; ++I, ++Dir) {
391       if (Dir->size() > ShortDirectorySegment)
392         Dirs.push_back(*Dir);
393       Prefix = Filename.substr(0, Dir - DirEnd);
394     }
395 
396     // Now award points based on lookups into our various indexes.
397     DenseMap<size_t, int> Candidates; // Index -> score.
398     auto Award = [&](int Points, ArrayRef<SubstringAndIndex> Range) {
399       for (const auto &Entry : Range)
400         Candidates[Entry.second] += Points;
401     };
402     // Award one point if the file's basename is a prefix of the candidate,
403     // and another if it's an exact match (so exact matches get two points).
404     Award(1, indexLookup</*Prefix=*/true>(Stem, Stems));
405     Award(1, indexLookup</*Prefix=*/false>(Stem, Stems));
406     // For each of the last few directories in the Filename, award a point
407     // if it's present in the candidate.
408     for (StringRef Dir : Dirs)
409       Award(1, indexLookup</*Prefix=*/false>(Dir, Components));
410     // Award one more point if the whole rest of the path matches.
411     if (sys::path::root_directory(Prefix) != Prefix)
412       Award(1, indexLookup</*Prefix=*/true>(Prefix, Paths));
413     return Candidates;
414   }
415 
416   // Pick a single winner from the set of scored candidates.
417   // Returns (index, score).
pickWinner(const DenseMap<size_t,int> & Candidates,StringRef Filename,types::ID PreferredLanguage) const418   std::pair<size_t, int> pickWinner(const DenseMap<size_t, int> &Candidates,
419                                     StringRef Filename,
420                                     types::ID PreferredLanguage) const {
421     struct ScoredCandidate {
422       size_t Index;
423       bool Preferred;
424       int Points;
425       size_t PrefixLength;
426     };
427     // Choose the best candidate by (preferred, points, prefix length, alpha).
428     ScoredCandidate Best = {size_t(-1), false, 0, 0};
429     for (const auto &Candidate : Candidates) {
430       ScoredCandidate S;
431       S.Index = Candidate.first;
432       S.Preferred = PreferredLanguage == types::TY_INVALID ||
433                     PreferredLanguage == Types[S.Index];
434       S.Points = Candidate.second;
435       if (!S.Preferred && Best.Preferred)
436         continue;
437       if (S.Preferred == Best.Preferred) {
438         if (S.Points < Best.Points)
439           continue;
440         if (S.Points == Best.Points) {
441           S.PrefixLength = matchingPrefix(Filename, Paths[S.Index].first);
442           if (S.PrefixLength < Best.PrefixLength)
443             continue;
444           // hidden heuristics should at least be deterministic!
445           if (S.PrefixLength == Best.PrefixLength)
446             if (S.Index > Best.Index)
447               continue;
448         }
449       }
450       // PrefixLength was only set above if actually needed for a tiebreak.
451       // But it definitely needs to be set to break ties in the future.
452       S.PrefixLength = matchingPrefix(Filename, Paths[S.Index].first);
453       Best = S;
454     }
455     // Edge case: no candidate got any points.
456     // We ignore PreferredLanguage at this point (not ideal).
457     if (Best.Index == size_t(-1))
458       return {longestMatch(Filename, Paths).second, 0};
459     return {Best.Index, Best.Points};
460   }
461 
462   // Returns the range within a sorted index that compares equal to Key.
463   // If Prefix is true, it's instead the range starting with Key.
464   template <bool Prefix>
465   ArrayRef<SubstringAndIndex>
indexLookup(StringRef Key,ArrayRef<SubstringAndIndex> Idx) const466   indexLookup(StringRef Key, ArrayRef<SubstringAndIndex> Idx) const {
467     // Use pointers as iteratiors to ease conversion of result to ArrayRef.
468     auto Range = std::equal_range(Idx.data(), Idx.data() + Idx.size(), Key,
469                                   Less<Prefix>());
470     return {Range.first, Range.second};
471   }
472 
473   // Performs a point lookup into a nonempty index, returning a longest match.
longestMatch(StringRef Key,ArrayRef<SubstringAndIndex> Idx) const474   SubstringAndIndex longestMatch(StringRef Key,
475                                  ArrayRef<SubstringAndIndex> Idx) const {
476     assert(!Idx.empty());
477     // Longest substring match will be adjacent to a direct lookup.
478     auto It = llvm::lower_bound(Idx, SubstringAndIndex{Key, 0});
479     if (It == Idx.begin())
480       return *It;
481     if (It == Idx.end())
482       return *--It;
483     // Have to choose between It and It-1
484     size_t Prefix = matchingPrefix(Key, It->first);
485     size_t PrevPrefix = matchingPrefix(Key, (It - 1)->first);
486     return Prefix > PrevPrefix ? *It : *--It;
487   }
488 
489   // Original paths, everything else is in lowercase.
490   std::vector<std::string> OriginalPaths;
491   BumpPtrAllocator Arena;
492   StringSaver Strings;
493   // Indexes of candidates by certain substrings.
494   // String is lowercase and sorted, index points into OriginalPaths.
495   std::vector<SubstringAndIndex> Paths;      // Full path.
496   // Lang types obtained by guessing on the corresponding path. I-th element is
497   // a type for the I-th path.
498   std::vector<types::ID> Types;
499   std::vector<SubstringAndIndex> Stems;      // Basename, without extension.
500   std::vector<SubstringAndIndex> Components; // Last path components.
501 };
502 
503 // The actual CompilationDatabase wrapper delegates to its inner database.
504 // If no match, looks up a proxy file in FileIndex and transfers its
505 // command to the requested file.
506 class InterpolatingCompilationDatabase : public CompilationDatabase {
507 public:
InterpolatingCompilationDatabase(std::unique_ptr<CompilationDatabase> Inner)508   InterpolatingCompilationDatabase(std::unique_ptr<CompilationDatabase> Inner)
509       : Inner(std::move(Inner)), Index(this->Inner->getAllFiles()) {}
510 
511   std::vector<CompileCommand>
getCompileCommands(StringRef Filename) const512   getCompileCommands(StringRef Filename) const override {
513     auto Known = Inner->getCompileCommands(Filename);
514     if (Index.empty() || !Known.empty())
515       return Known;
516     bool TypeCertain;
517     auto Lang = guessType(Filename, &TypeCertain);
518     if (!TypeCertain)
519       Lang = types::TY_INVALID;
520     auto ProxyCommands =
521         Inner->getCompileCommands(Index.chooseProxy(Filename, foldType(Lang)));
522     if (ProxyCommands.empty())
523       return {};
524     return {TransferableCommand(ProxyCommands[0]).transferTo(Filename)};
525   }
526 
getAllFiles() const527   std::vector<std::string> getAllFiles() const override {
528     return Inner->getAllFiles();
529   }
530 
getAllCompileCommands() const531   std::vector<CompileCommand> getAllCompileCommands() const override {
532     return Inner->getAllCompileCommands();
533   }
534 
535 private:
536   std::unique_ptr<CompilationDatabase> Inner;
537   FileIndex Index;
538 };
539 
540 } // namespace
541 
542 std::unique_ptr<CompilationDatabase>
inferMissingCompileCommands(std::unique_ptr<CompilationDatabase> Inner)543 inferMissingCompileCommands(std::unique_ptr<CompilationDatabase> Inner) {
544   return std::make_unique<InterpolatingCompilationDatabase>(std::move(Inner));
545 }
546 
547 } // namespace tooling
548 } // namespace clang
549