xref: /llvm-project/llvm/tools/llvm-config/llvm-config.cpp (revision adcd02683856c30ba6f349279509acecd90063df)
1 //===-- llvm-config.cpp - LLVM project configuration utility --------------===//
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 // This tool encapsulates information about an LLVM project configuration for
10 // use by other project's build environments (to determine installed path,
11 // available features, required libraries, etc.).
12 //
13 // Note that although this tool *may* be used by some parts of LLVM's build
14 // itself (i.e., the Makefiles use it to compute required libraries when linking
15 // tools), this tool is primarily designed to support external projects.
16 //
17 //===----------------------------------------------------------------------===//
18 
19 #include "llvm/Config/llvm-config.h"
20 #include "llvm/ADT/STLExtras.h"
21 #include "llvm/ADT/StringMap.h"
22 #include "llvm/ADT/StringRef.h"
23 #include "llvm/ADT/Triple.h"
24 #include "llvm/ADT/Twine.h"
25 #include "llvm/Config/config.h"
26 #include "llvm/Support/FileSystem.h"
27 #include "llvm/Support/Path.h"
28 #include "llvm/Support/WithColor.h"
29 #include "llvm/Support/raw_ostream.h"
30 #include <cstdlib>
31 #include <set>
32 #include <unordered_set>
33 #include <vector>
34 
35 using namespace llvm;
36 
37 // Include the build time variables we can report to the user. This is generated
38 // at build time from the BuildVariables.inc.in file by the build system.
39 #include "BuildVariables.inc"
40 
41 // Include the component table. This creates an array of struct
42 // AvailableComponent entries, which record the component name, library name,
43 // and required components for all of the available libraries.
44 //
45 // Not all components define a library, we also use "library groups" as a way to
46 // create entries for pseudo groups like x86 or all-targets.
47 #include "LibraryDependencies.inc"
48 
49 // LinkMode determines what libraries and flags are returned by llvm-config.
50 enum LinkMode {
51   // LinkModeAuto will link with the default link mode for the installation,
52   // which is dependent on the value of LLVM_LINK_LLVM_DYLIB, and fall back
53   // to the alternative if the required libraries are not available.
54   LinkModeAuto = 0,
55 
56   // LinkModeShared will link with the dynamic component libraries if they
57   // exist, and return an error otherwise.
58   LinkModeShared = 1,
59 
60   // LinkModeStatic will link with the static component libraries if they
61   // exist, and return an error otherwise.
62   LinkModeStatic = 2,
63 };
64 
65 /// Traverse a single component adding to the topological ordering in
66 /// \arg RequiredLibs.
67 ///
68 /// \param Name - The component to traverse.
69 /// \param ComponentMap - A prebuilt map of component names to descriptors.
70 /// \param VisitedComponents [in] [out] - The set of already visited components.
71 /// \param RequiredLibs [out] - The ordered list of required
72 /// libraries.
73 /// \param GetComponentNames - Get the component names instead of the
74 /// library name.
75 static void VisitComponent(const std::string &Name,
76                            const StringMap<AvailableComponent *> &ComponentMap,
77                            std::set<AvailableComponent *> &VisitedComponents,
78                            std::vector<std::string> &RequiredLibs,
79                            bool IncludeNonInstalled, bool GetComponentNames,
80                            const std::function<std::string(const StringRef &)>
81                                *GetComponentLibraryPath,
82                            std::vector<std::string> *Missing,
83                            const std::string &DirSep) {
84   // Lookup the component.
85   AvailableComponent *AC = ComponentMap.lookup(Name);
86   if (!AC) {
87     errs() << "Can't find component: '" << Name << "' in the map. Available components are: ";
88     for (const auto &Component : ComponentMap) {
89       errs() << "'" << Component.first() << "' ";
90     }
91     errs() << "\n";
92     report_fatal_error("abort");
93   }
94   assert(AC && "Invalid component name!");
95 
96   // Add to the visited table.
97   if (!VisitedComponents.insert(AC).second) {
98     // We are done if the component has already been visited.
99     return;
100   }
101 
102   // Only include non-installed components if requested.
103   if (!AC->IsInstalled && !IncludeNonInstalled)
104     return;
105 
106   // Otherwise, visit all the dependencies.
107   for (unsigned i = 0; AC->RequiredLibraries[i]; ++i) {
108     VisitComponent(AC->RequiredLibraries[i], ComponentMap, VisitedComponents,
109                    RequiredLibs, IncludeNonInstalled, GetComponentNames,
110                    GetComponentLibraryPath, Missing, DirSep);
111   }
112 
113   if (GetComponentNames) {
114     RequiredLibs.push_back(Name);
115     return;
116   }
117 
118   // Add to the required library list.
119   if (AC->Library) {
120     if (Missing && GetComponentLibraryPath) {
121       std::string path = (*GetComponentLibraryPath)(AC->Library);
122       if (DirSep == "\\") {
123         std::replace(path.begin(), path.end(), '/', '\\');
124       }
125       if (!sys::fs::exists(path))
126         Missing->push_back(path);
127     }
128     RequiredLibs.push_back(AC->Library);
129   }
130 }
131 
132 /// Compute the list of required libraries for a given list of
133 /// components, in an order suitable for passing to a linker (that is, libraries
134 /// appear prior to their dependencies).
135 ///
136 /// \param Components - The names of the components to find libraries for.
137 /// \param IncludeNonInstalled - Whether non-installed components should be
138 /// reported.
139 /// \param GetComponentNames - True if one would prefer the component names.
140 static std::vector<std::string> ComputeLibsForComponents(
141     const std::vector<StringRef> &Components, bool IncludeNonInstalled,
142     bool GetComponentNames, const std::function<std::string(const StringRef &)>
143                                 *GetComponentLibraryPath,
144     std::vector<std::string> *Missing, const std::string &DirSep) {
145   std::vector<std::string> RequiredLibs;
146   std::set<AvailableComponent *> VisitedComponents;
147 
148   // Build a map of component names to information.
149   StringMap<AvailableComponent *> ComponentMap;
150   for (unsigned i = 0; i != array_lengthof(AvailableComponents); ++i) {
151     AvailableComponent *AC = &AvailableComponents[i];
152     ComponentMap[AC->Name] = AC;
153   }
154 
155   // Visit the components.
156   for (unsigned i = 0, e = Components.size(); i != e; ++i) {
157     // Users are allowed to provide mixed case component names.
158     std::string ComponentLower = Components[i].lower();
159 
160     // Validate that the user supplied a valid component name.
161     if (!ComponentMap.count(ComponentLower)) {
162       llvm::errs() << "llvm-config: unknown component name: " << Components[i]
163                    << "\n";
164       exit(1);
165     }
166 
167     VisitComponent(ComponentLower, ComponentMap, VisitedComponents,
168                    RequiredLibs, IncludeNonInstalled, GetComponentNames,
169                    GetComponentLibraryPath, Missing, DirSep);
170   }
171 
172   // The list is now ordered with leafs first, we want the libraries to printed
173   // in the reverse order of dependency.
174   std::reverse(RequiredLibs.begin(), RequiredLibs.end());
175 
176   return RequiredLibs;
177 }
178 
179 /* *** */
180 
181 static void usage() {
182   errs() << "\
183 usage: llvm-config <OPTION>... [<COMPONENT>...]\n\
184 \n\
185 Get various configuration information needed to compile programs which use\n\
186 LLVM.  Typically called from 'configure' scripts.  Examples:\n\
187   llvm-config --cxxflags\n\
188   llvm-config --ldflags\n\
189   llvm-config --libs engine bcreader scalaropts\n\
190 \n\
191 Options:\n\
192   --version         Print LLVM version.\n\
193   --prefix          Print the installation prefix.\n\
194   --src-root        Print the source root LLVM was built from.\n\
195   --obj-root        Print the object root used to build LLVM.\n\
196   --bindir          Directory containing LLVM executables.\n\
197   --includedir      Directory containing LLVM headers.\n\
198   --libdir          Directory containing LLVM libraries.\n\
199   --cmakedir        Directory containing LLVM cmake modules.\n\
200   --cppflags        C preprocessor flags for files that include LLVM headers.\n\
201   --cflags          C compiler flags for files that include LLVM headers.\n\
202   --cxxflags        C++ compiler flags for files that include LLVM headers.\n\
203   --ldflags         Print Linker flags.\n\
204   --system-libs     System Libraries needed to link against LLVM components.\n\
205   --libs            Libraries needed to link against LLVM components.\n\
206   --libnames        Bare library names for in-tree builds.\n\
207   --libfiles        Fully qualified library filenames for makefile depends.\n\
208   --components      List of all possible components.\n\
209   --targets-built   List of all targets currently built.\n\
210   --host-target     Target triple used to configure LLVM.\n\
211   --build-mode      Print build mode of LLVM tree (e.g. Debug or Release).\n\
212   --assertion-mode  Print assertion mode of LLVM tree (ON or OFF).\n\
213   --build-system    Print the build system used to build LLVM (always cmake).\n\
214   --has-rtti        Print whether or not LLVM was built with rtti (YES or NO).\n\
215   --has-global-isel Print whether or not LLVM was built with global-isel support (ON or OFF).\n\
216   --shared-mode     Print how the provided components can be collectively linked (`shared` or `static`).\n\
217   --link-shared     Link the components as shared libraries.\n\
218   --link-static     Link the component libraries statically.\n\
219   --ignore-libllvm  Ignore libLLVM and link component libraries instead.\n\
220 Typical components:\n\
221   all               All LLVM libraries (default).\n\
222   engine            Either a native JIT or a bitcode interpreter.\n";
223   exit(1);
224 }
225 
226 /// Compute the path to the main executable.
227 std::string GetExecutablePath(const char *Argv0) {
228   // This just needs to be some symbol in the binary; C++ doesn't
229   // allow taking the address of ::main however.
230   void *P = (void *)(intptr_t)GetExecutablePath;
231   return llvm::sys::fs::getMainExecutable(Argv0, P);
232 }
233 
234 /// Expand the semi-colon delimited LLVM_DYLIB_COMPONENTS into
235 /// the full list of components.
236 std::vector<std::string> GetAllDyLibComponents(const bool IsInDevelopmentTree,
237                                                const bool GetComponentNames,
238                                                const std::string &DirSep) {
239   std::vector<StringRef> DyLibComponents;
240 
241   StringRef DyLibComponentsStr(LLVM_DYLIB_COMPONENTS);
242   size_t Offset = 0;
243   while (true) {
244     const size_t NextOffset = DyLibComponentsStr.find(';', Offset);
245     DyLibComponents.push_back(DyLibComponentsStr.substr(Offset, NextOffset-Offset));
246     if (NextOffset == std::string::npos) {
247       break;
248     }
249     Offset = NextOffset + 1;
250   }
251 
252   assert(!DyLibComponents.empty());
253 
254   return ComputeLibsForComponents(DyLibComponents,
255                                   /*IncludeNonInstalled=*/IsInDevelopmentTree,
256                                   GetComponentNames, nullptr, nullptr, DirSep);
257 }
258 
259 int main(int argc, char **argv) {
260   std::vector<StringRef> Components;
261   bool PrintLibs = false, PrintLibNames = false, PrintLibFiles = false;
262   bool PrintSystemLibs = false, PrintSharedMode = false;
263   bool HasAnyOption = false;
264 
265   // llvm-config is designed to support being run both from a development tree
266   // and from an installed path. We try and auto-detect which case we are in so
267   // that we can report the correct information when run from a development
268   // tree.
269   bool IsInDevelopmentTree;
270   enum { CMakeStyle, CMakeBuildModeStyle } DevelopmentTreeLayout;
271   llvm::SmallString<256> CurrentPath(GetExecutablePath(argv[0]));
272   std::string CurrentExecPrefix;
273   std::string ActiveObjRoot;
274 
275   // If CMAKE_CFG_INTDIR is given, honor it as build mode.
276   char const *build_mode = LLVM_BUILDMODE;
277 #if defined(CMAKE_CFG_INTDIR)
278   if (!(CMAKE_CFG_INTDIR[0] == '.' && CMAKE_CFG_INTDIR[1] == '\0'))
279     build_mode = CMAKE_CFG_INTDIR;
280 #endif
281 
282   // Create an absolute path, and pop up one directory (we expect to be inside a
283   // bin dir).
284   sys::fs::make_absolute(CurrentPath);
285   CurrentExecPrefix =
286       sys::path::parent_path(sys::path::parent_path(CurrentPath)).str();
287 
288   // Check to see if we are inside a development tree by comparing to possible
289   // locations (prefix style or CMake style).
290   if (sys::fs::equivalent(CurrentExecPrefix, LLVM_OBJ_ROOT)) {
291     IsInDevelopmentTree = true;
292     DevelopmentTreeLayout = CMakeStyle;
293     ActiveObjRoot = LLVM_OBJ_ROOT;
294   } else if (sys::fs::equivalent(sys::path::parent_path(CurrentExecPrefix),
295                                  LLVM_OBJ_ROOT)) {
296     IsInDevelopmentTree = true;
297     DevelopmentTreeLayout = CMakeBuildModeStyle;
298     ActiveObjRoot = LLVM_OBJ_ROOT;
299   } else {
300     IsInDevelopmentTree = false;
301     DevelopmentTreeLayout = CMakeStyle; // Initialized to avoid warnings.
302   }
303 
304   // Compute various directory locations based on the derived location
305   // information.
306   std::string ActivePrefix, ActiveBinDir, ActiveIncludeDir, ActiveLibDir,
307               ActiveCMakeDir;
308   std::string ActiveIncludeOption;
309   if (IsInDevelopmentTree) {
310     ActiveIncludeDir = std::string(LLVM_SRC_ROOT) + "/include";
311     ActivePrefix = CurrentExecPrefix;
312 
313     // CMake organizes the products differently than a normal prefix style
314     // layout.
315     switch (DevelopmentTreeLayout) {
316     case CMakeStyle:
317       ActiveBinDir = ActiveObjRoot + "/bin";
318       ActiveLibDir = ActiveObjRoot + "/lib" + LLVM_LIBDIR_SUFFIX;
319       ActiveCMakeDir = ActiveLibDir + "/cmake/llvm";
320       break;
321     case CMakeBuildModeStyle:
322       // FIXME: Should we consider the build-mode-specific path as the prefix?
323       ActivePrefix = ActiveObjRoot;
324       ActiveBinDir = ActiveObjRoot + "/" + build_mode + "/bin";
325       ActiveLibDir =
326           ActiveObjRoot + "/" + build_mode + "/lib" + LLVM_LIBDIR_SUFFIX;
327       // The CMake directory isn't separated by build mode.
328       ActiveCMakeDir =
329           ActivePrefix + "/lib" + LLVM_LIBDIR_SUFFIX + "/cmake/llvm";
330       break;
331     }
332 
333     // We need to include files from both the source and object trees.
334     ActiveIncludeOption =
335         ("-I" + ActiveIncludeDir + " " + "-I" + ActiveObjRoot + "/include");
336   } else {
337     ActivePrefix = CurrentExecPrefix;
338     ActiveIncludeDir = ActivePrefix + "/include";
339     SmallString<256> path(StringRef(LLVM_TOOLS_INSTALL_DIR));
340     sys::fs::make_absolute(ActivePrefix, path);
341     ActiveBinDir = std::string(path.str());
342     ActiveLibDir = ActivePrefix + "/lib" + LLVM_LIBDIR_SUFFIX;
343     ActiveCMakeDir = ActiveLibDir + "/cmake/llvm";
344     ActiveIncludeOption = "-I" + ActiveIncludeDir;
345   }
346 
347   /// We only use `shared library` mode in cases where the static library form
348   /// of the components provided are not available; note however that this is
349   /// skipped if we're run from within the build dir. However, once installed,
350   /// we still need to provide correct output when the static archives are
351   /// removed or, as in the case of CMake's `BUILD_SHARED_LIBS`, never present
352   /// in the first place. This can't be done at configure/build time.
353 
354   StringRef SharedExt, SharedVersionedExt, SharedDir, SharedPrefix, StaticExt,
355       StaticPrefix, StaticDir = "lib";
356   std::string DirSep = "/";
357   const Triple HostTriple(Triple::normalize(LLVM_HOST_TRIPLE));
358   if (HostTriple.isOSWindows()) {
359     SharedExt = "dll";
360     SharedVersionedExt = LLVM_DYLIB_VERSION ".dll";
361     if (HostTriple.isOSCygMing()) {
362       StaticExt = "a";
363       StaticPrefix = "lib";
364     } else {
365       StaticExt = "lib";
366       DirSep = "\\";
367       std::replace(ActiveObjRoot.begin(), ActiveObjRoot.end(), '/', '\\');
368       std::replace(ActivePrefix.begin(), ActivePrefix.end(), '/', '\\');
369       std::replace(ActiveBinDir.begin(), ActiveBinDir.end(), '/', '\\');
370       std::replace(ActiveLibDir.begin(), ActiveLibDir.end(), '/', '\\');
371       std::replace(ActiveCMakeDir.begin(), ActiveCMakeDir.end(), '/', '\\');
372       std::replace(ActiveIncludeOption.begin(), ActiveIncludeOption.end(), '/',
373                    '\\');
374     }
375     SharedDir = ActiveBinDir;
376     StaticDir = ActiveLibDir;
377   } else if (HostTriple.isOSDarwin()) {
378     SharedExt = "dylib";
379     SharedVersionedExt = LLVM_DYLIB_VERSION ".dylib";
380     StaticExt = "a";
381     StaticDir = SharedDir = ActiveLibDir;
382     StaticPrefix = SharedPrefix = "lib";
383   } else {
384     // default to the unix values:
385     SharedExt = "so";
386     SharedVersionedExt = LLVM_DYLIB_VERSION ".so";
387     StaticExt = "a";
388     StaticDir = SharedDir = ActiveLibDir;
389     StaticPrefix = SharedPrefix = "lib";
390   }
391 
392   const bool BuiltDyLib = !!LLVM_ENABLE_DYLIB;
393 
394   /// CMake style shared libs, ie each component is in a shared library.
395   const bool BuiltSharedLibs = !!LLVM_ENABLE_SHARED;
396 
397   bool DyLibExists = false;
398   const std::string DyLibName =
399       (SharedPrefix + "LLVM-" + SharedVersionedExt).str();
400 
401   // If LLVM_LINK_DYLIB is ON, the single shared library will be returned
402   // for "--libs", etc, if they exist. This behaviour can be overridden with
403   // --link-static or --link-shared.
404   bool LinkDyLib = !!LLVM_LINK_DYLIB;
405 
406   if (BuiltDyLib) {
407     std::string path((SharedDir + DirSep + DyLibName).str());
408     if (DirSep == "\\") {
409       std::replace(path.begin(), path.end(), '/', '\\');
410     }
411     DyLibExists = sys::fs::exists(path);
412     if (!DyLibExists) {
413       // The shared library does not exist: don't error unless the user
414       // explicitly passes --link-shared.
415       LinkDyLib = false;
416     }
417   }
418   LinkMode LinkMode =
419       (LinkDyLib || BuiltSharedLibs) ? LinkModeShared : LinkModeAuto;
420 
421   /// Get the component's library name without the lib prefix and the
422   /// extension. Returns true if Lib is in a recognized format.
423   auto GetComponentLibraryNameSlice = [&](const StringRef &Lib,
424                                           StringRef &Out) {
425     if (Lib.startswith("lib")) {
426       unsigned FromEnd;
427       if (Lib.endswith(StaticExt)) {
428         FromEnd = StaticExt.size() + 1;
429       } else if (Lib.endswith(SharedExt)) {
430         FromEnd = SharedExt.size() + 1;
431       } else {
432         FromEnd = 0;
433       }
434 
435       if (FromEnd != 0) {
436         Out = Lib.slice(3, Lib.size() - FromEnd);
437         return true;
438       }
439     }
440 
441     return false;
442   };
443   /// Maps Unixizms to the host platform.
444   auto GetComponentLibraryFileName = [&](const StringRef &Lib,
445                                          const bool Shared) {
446     std::string LibFileName;
447     if (Shared) {
448       if (Lib == DyLibName) {
449         // Treat the DyLibName specially. It is not a component library and
450         // already has the necessary prefix and suffix (e.g. `.so`) added so
451         // just return it unmodified.
452         assert(Lib.endswith(SharedExt) && "DyLib is missing suffix");
453         LibFileName = std::string(Lib);
454       } else {
455         LibFileName = (SharedPrefix + Lib + "." + SharedExt).str();
456       }
457     } else {
458       // default to static
459       LibFileName = (StaticPrefix + Lib + "." + StaticExt).str();
460     }
461 
462     return LibFileName;
463   };
464   /// Get the full path for a possibly shared component library.
465   auto GetComponentLibraryPath = [&](const StringRef &Name, const bool Shared) {
466     auto LibFileName = GetComponentLibraryFileName(Name, Shared);
467     if (Shared) {
468       return (SharedDir + DirSep + LibFileName).str();
469     } else {
470       return (StaticDir + DirSep + LibFileName).str();
471     }
472   };
473 
474   raw_ostream &OS = outs();
475   for (int i = 1; i != argc; ++i) {
476     StringRef Arg = argv[i];
477 
478     if (Arg.startswith("-")) {
479       HasAnyOption = true;
480       if (Arg == "--version") {
481         OS << PACKAGE_VERSION << '\n';
482       } else if (Arg == "--prefix") {
483         OS << ActivePrefix << '\n';
484       } else if (Arg == "--bindir") {
485         OS << ActiveBinDir << '\n';
486       } else if (Arg == "--includedir") {
487         OS << ActiveIncludeDir << '\n';
488       } else if (Arg == "--libdir") {
489         OS << ActiveLibDir << '\n';
490       } else if (Arg == "--cmakedir") {
491         OS << ActiveCMakeDir << '\n';
492       } else if (Arg == "--cppflags") {
493         OS << ActiveIncludeOption << ' ' << LLVM_CPPFLAGS << '\n';
494       } else if (Arg == "--cflags") {
495         OS << ActiveIncludeOption << ' ' << LLVM_CFLAGS << '\n';
496       } else if (Arg == "--cxxflags") {
497         OS << ActiveIncludeOption << ' ' << LLVM_CXXFLAGS << '\n';
498       } else if (Arg == "--ldflags") {
499         OS << ((HostTriple.isWindowsMSVCEnvironment()) ? "-LIBPATH:" : "-L")
500            << ActiveLibDir << ' ' << LLVM_LDFLAGS << '\n';
501       } else if (Arg == "--system-libs") {
502         PrintSystemLibs = true;
503       } else if (Arg == "--libs") {
504         PrintLibs = true;
505       } else if (Arg == "--libnames") {
506         PrintLibNames = true;
507       } else if (Arg == "--libfiles") {
508         PrintLibFiles = true;
509       } else if (Arg == "--components") {
510         /// If there are missing static archives and a dylib was
511         /// built, print LLVM_DYLIB_COMPONENTS instead of everything
512         /// in the manifest.
513         std::vector<std::string> Components;
514         for (unsigned j = 0; j != array_lengthof(AvailableComponents); ++j) {
515           // Only include non-installed components when in a development tree.
516           if (!AvailableComponents[j].IsInstalled && !IsInDevelopmentTree)
517             continue;
518 
519           Components.push_back(AvailableComponents[j].Name);
520           if (AvailableComponents[j].Library && !IsInDevelopmentTree) {
521             std::string path(
522                 GetComponentLibraryPath(AvailableComponents[j].Library, false));
523             if (DirSep == "\\") {
524               std::replace(path.begin(), path.end(), '/', '\\');
525             }
526             if (DyLibExists && !sys::fs::exists(path)) {
527               Components =
528                   GetAllDyLibComponents(IsInDevelopmentTree, true, DirSep);
529               llvm::sort(Components);
530               break;
531             }
532           }
533         }
534 
535         for (unsigned I = 0; I < Components.size(); ++I) {
536           if (I) {
537             OS << ' ';
538           }
539 
540           OS << Components[I];
541         }
542         OS << '\n';
543       } else if (Arg == "--targets-built") {
544         OS << LLVM_TARGETS_BUILT << '\n';
545       } else if (Arg == "--host-target") {
546         OS << Triple::normalize(LLVM_DEFAULT_TARGET_TRIPLE) << '\n';
547       } else if (Arg == "--build-mode") {
548         OS << build_mode << '\n';
549       } else if (Arg == "--assertion-mode") {
550 #if defined(NDEBUG)
551         OS << "OFF\n";
552 #else
553         OS << "ON\n";
554 #endif
555       } else if (Arg == "--build-system") {
556         OS << LLVM_BUILD_SYSTEM << '\n';
557       } else if (Arg == "--has-rtti") {
558         OS << (LLVM_HAS_RTTI ? "YES" : "NO") << '\n';
559       } else if (Arg == "--has-global-isel") {
560         OS << (LLVM_HAS_GLOBAL_ISEL ? "ON" : "OFF") << '\n';
561       } else if (Arg == "--shared-mode") {
562         PrintSharedMode = true;
563       } else if (Arg == "--obj-root") {
564         OS << ActivePrefix << '\n';
565       } else if (Arg == "--src-root") {
566         OS << LLVM_SRC_ROOT << '\n';
567       } else if (Arg == "--ignore-libllvm") {
568         LinkDyLib = false;
569         LinkMode = BuiltSharedLibs ? LinkModeShared : LinkModeAuto;
570       } else if (Arg == "--link-shared") {
571         LinkMode = LinkModeShared;
572       } else if (Arg == "--link-static") {
573         LinkMode = LinkModeStatic;
574       } else {
575         usage();
576       }
577     } else {
578       Components.push_back(Arg);
579     }
580   }
581 
582   if (!HasAnyOption)
583     usage();
584 
585   if (LinkMode == LinkModeShared && !DyLibExists && !BuiltSharedLibs) {
586     WithColor::error(errs(), "llvm-config") << DyLibName << " is missing\n";
587     return 1;
588   }
589 
590   if (PrintLibs || PrintLibNames || PrintLibFiles || PrintSystemLibs ||
591       PrintSharedMode) {
592 
593     if (PrintSharedMode && BuiltSharedLibs) {
594       OS << "shared\n";
595       return 0;
596     }
597 
598     // If no components were specified, default to "all".
599     if (Components.empty())
600       Components.push_back("all");
601 
602     // Construct the list of all the required libraries.
603     std::function<std::string(const StringRef &)>
604         GetComponentLibraryPathFunction = [&](const StringRef &Name) {
605           return GetComponentLibraryPath(Name, LinkMode == LinkModeShared);
606         };
607     std::vector<std::string> MissingLibs;
608     std::vector<std::string> RequiredLibs = ComputeLibsForComponents(
609         Components,
610         /*IncludeNonInstalled=*/IsInDevelopmentTree, false,
611         &GetComponentLibraryPathFunction, &MissingLibs, DirSep);
612     if (!MissingLibs.empty()) {
613       switch (LinkMode) {
614       case LinkModeShared:
615         if (LinkDyLib && !BuiltSharedLibs)
616           break;
617         // Using component shared libraries.
618         for (auto &Lib : MissingLibs)
619           WithColor::error(errs(), "llvm-config") << "missing: " << Lib << "\n";
620         return 1;
621       case LinkModeAuto:
622         if (DyLibExists) {
623           LinkMode = LinkModeShared;
624           break;
625         }
626         WithColor::error(errs(), "llvm-config")
627             << "component libraries and shared library\n\n";
628         LLVM_FALLTHROUGH;
629       case LinkModeStatic:
630         for (auto &Lib : MissingLibs)
631           WithColor::error(errs(), "llvm-config") << "missing: " << Lib << "\n";
632         return 1;
633       }
634     } else if (LinkMode == LinkModeAuto) {
635       LinkMode = LinkModeStatic;
636     }
637 
638     if (PrintSharedMode) {
639       std::unordered_set<std::string> FullDyLibComponents;
640       std::vector<std::string> DyLibComponents =
641           GetAllDyLibComponents(IsInDevelopmentTree, false, DirSep);
642 
643       for (auto &Component : DyLibComponents) {
644         FullDyLibComponents.insert(Component);
645       }
646       DyLibComponents.clear();
647 
648       for (auto &Lib : RequiredLibs) {
649         if (!FullDyLibComponents.count(Lib)) {
650           OS << "static\n";
651           return 0;
652         }
653       }
654       FullDyLibComponents.clear();
655 
656       if (LinkMode == LinkModeShared) {
657         OS << "shared\n";
658         return 0;
659       } else {
660         OS << "static\n";
661         return 0;
662       }
663     }
664 
665     if (PrintLibs || PrintLibNames || PrintLibFiles) {
666 
667       auto PrintForLib = [&](const StringRef &Lib) {
668         const bool Shared = LinkMode == LinkModeShared;
669         if (PrintLibNames) {
670           OS << GetComponentLibraryFileName(Lib, Shared);
671         } else if (PrintLibFiles) {
672           OS << GetComponentLibraryPath(Lib, Shared);
673         } else if (PrintLibs) {
674           // On Windows, output full path to library without parameters.
675           // Elsewhere, if this is a typical library name, include it using -l.
676           if (HostTriple.isWindowsMSVCEnvironment()) {
677             OS << GetComponentLibraryPath(Lib, Shared);
678           } else {
679             StringRef LibName;
680             if (GetComponentLibraryNameSlice(Lib, LibName)) {
681               // Extract library name (remove prefix and suffix).
682               OS << "-l" << LibName;
683             } else {
684               // Lib is already a library name without prefix and suffix.
685               OS << "-l" << Lib;
686             }
687           }
688         }
689       };
690 
691       if (LinkMode == LinkModeShared && LinkDyLib) {
692         PrintForLib(DyLibName);
693       } else {
694         for (unsigned i = 0, e = RequiredLibs.size(); i != e; ++i) {
695           auto Lib = RequiredLibs[i];
696           if (i)
697             OS << ' ';
698 
699           PrintForLib(Lib);
700         }
701       }
702       OS << '\n';
703     }
704 
705     // Print SYSTEM_LIBS after --libs.
706     // FIXME: Each LLVM component may have its dependent system libs.
707     if (PrintSystemLibs) {
708       // Output system libraries only if linking against a static
709       // library (since the shared library links to all system libs
710       // already)
711       OS << (LinkMode == LinkModeStatic ? LLVM_SYSTEM_LIBS : "") << '\n';
712     }
713   } else if (!Components.empty()) {
714     WithColor::error(errs(), "llvm-config")
715         << "components given, but unused\n\n";
716     usage();
717   }
718 
719   return 0;
720 }
721