1 //===- DriverUtils.cpp ----------------------------------------------------===//
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 "Config.h"
10 #include "Driver.h"
11 #include "InputFiles.h"
12 #include "ObjC.h"
13 #include "Target.h"
14 
15 #include "lld/Common/Args.h"
16 #include "lld/Common/ErrorHandler.h"
17 #include "lld/Common/Memory.h"
18 #include "lld/Common/Reproduce.h"
19 #include "llvm/ADT/CachedHashString.h"
20 #include "llvm/ADT/DenseMap.h"
21 #include "llvm/Bitcode/BitcodeReader.h"
22 #include "llvm/LTO/LTO.h"
23 #include "llvm/Option/Arg.h"
24 #include "llvm/Option/ArgList.h"
25 #include "llvm/Option/Option.h"
26 #include "llvm/Support/CommandLine.h"
27 #include "llvm/Support/FileSystem.h"
28 #include "llvm/Support/Path.h"
29 #include "llvm/TextAPI/InterfaceFile.h"
30 #include "llvm/TextAPI/TextAPIReader.h"
31 
32 using namespace llvm;
33 using namespace llvm::MachO;
34 using namespace llvm::opt;
35 using namespace llvm::sys;
36 using namespace lld;
37 using namespace lld::macho;
38 
39 // Create prefix string literals used in Options.td
40 #define PREFIX(NAME, VALUE) const char *NAME[] = VALUE;
41 #include "Options.inc"
42 #undef PREFIX
43 
44 // Create table mapping all options defined in Options.td
45 static const OptTable::Info optInfo[] = {
46 #define OPTION(X1, X2, ID, KIND, GROUP, ALIAS, X7, X8, X9, X10, X11, X12)      \
47   {X1, X2, X10,         X11,         OPT_##ID, Option::KIND##Class,            \
48    X9, X8, OPT_##GROUP, OPT_##ALIAS, X7,       X12},
49 #include "Options.inc"
50 #undef OPTION
51 };
52 
53 MachOOptTable::MachOOptTable() : OptTable(optInfo) {}
54 
55 // Set color diagnostics according to --color-diagnostics={auto,always,never}
56 // or --no-color-diagnostics flags.
57 static void handleColorDiagnostics(InputArgList &args) {
58   const Arg *arg =
59       args.getLastArg(OPT_color_diagnostics, OPT_color_diagnostics_eq,
60                       OPT_no_color_diagnostics);
61   if (!arg)
62     return;
63   if (arg->getOption().getID() == OPT_color_diagnostics) {
64     lld::errs().enable_colors(true);
65   } else if (arg->getOption().getID() == OPT_no_color_diagnostics) {
66     lld::errs().enable_colors(false);
67   } else {
68     StringRef s = arg->getValue();
69     if (s == "always")
70       lld::errs().enable_colors(true);
71     else if (s == "never")
72       lld::errs().enable_colors(false);
73     else if (s != "auto")
74       error("unknown option: --color-diagnostics=" + s);
75   }
76 }
77 
78 InputArgList MachOOptTable::parse(ArrayRef<const char *> argv) {
79   // Make InputArgList from string vectors.
80   unsigned missingIndex;
81   unsigned missingCount;
82   SmallVector<const char *, 256> vec(argv.data(), argv.data() + argv.size());
83 
84   // Expand response files (arguments in the form of @<filename>)
85   // and then parse the argument again.
86   cl::ExpandResponseFiles(saver, cl::TokenizeGNUCommandLine, vec);
87   InputArgList args = ParseArgs(vec, missingIndex, missingCount);
88 
89   // Handle -fatal_warnings early since it converts missing argument warnings
90   // to errors.
91   errorHandler().fatalWarnings = args.hasArg(OPT_fatal_warnings);
92 
93   if (missingCount)
94     error(Twine(args.getArgString(missingIndex)) + ": missing argument");
95 
96   handleColorDiagnostics(args);
97 
98   for (const Arg *arg : args.filtered(OPT_UNKNOWN)) {
99     std::string nearest;
100     if (findNearest(arg->getAsString(args), nearest) > 1)
101       error("unknown argument '" + arg->getAsString(args) + "'");
102     else
103       error("unknown argument '" + arg->getAsString(args) +
104             "', did you mean '" + nearest + "'");
105   }
106   return args;
107 }
108 
109 void MachOOptTable::printHelp(const char *argv0, bool showHidden) const {
110   PrintHelp(lld::outs(), (std::string(argv0) + " [options] file...").c_str(),
111             "LLVM Linker", showHidden);
112   lld::outs() << "\n";
113 }
114 
115 static std::string rewritePath(StringRef s) {
116   if (fs::exists(s))
117     return relativeToRoot(s);
118   return std::string(s);
119 }
120 
121 // Reconstructs command line arguments so that so that you can re-run
122 // the same command with the same inputs. This is for --reproduce.
123 std::string macho::createResponseFile(const InputArgList &args) {
124   SmallString<0> data;
125   raw_svector_ostream os(data);
126 
127   // Copy the command line to the output while rewriting paths.
128   for (const Arg *arg : args) {
129     switch (arg->getOption().getID()) {
130     case OPT_reproduce:
131       break;
132     case OPT_INPUT:
133       os << quote(rewritePath(arg->getValue())) << "\n";
134       break;
135     case OPT_o:
136       os << "-o " << quote(path::filename(arg->getValue())) << "\n";
137       break;
138     case OPT_filelist:
139       if (Optional<MemoryBufferRef> buffer = readFile(arg->getValue()))
140         for (StringRef path : args::getLines(*buffer))
141           os << quote(rewritePath(path)) << "\n";
142       break;
143     case OPT_force_load:
144     case OPT_rpath:
145     case OPT_syslibroot:
146     case OPT_F:
147     case OPT_L:
148     case OPT_order_file:
149       os << arg->getSpelling() << " " << quote(rewritePath(arg->getValue()))
150          << "\n";
151       break;
152     case OPT_sectcreate:
153       os << arg->getSpelling() << " " << quote(arg->getValue(0)) << " "
154          << quote(arg->getValue(1)) << " "
155          << quote(rewritePath(arg->getValue(2))) << "\n";
156       break;
157     default:
158       os << toString(*arg) << "\n";
159     }
160   }
161   return std::string(data.str());
162 }
163 
164 Optional<std::string> macho::resolveDylibPath(StringRef path) {
165   // TODO: if a tbd and dylib are both present, we should check to make sure
166   // they are consistent.
167   if (fs::exists(path))
168     return std::string(path);
169   else
170     depTracker->logFileNotFound(path);
171 
172   SmallString<261> location = path;
173   path::replace_extension(location, ".tbd");
174   if (fs::exists(location))
175     return std::string(location);
176   else
177     depTracker->logFileNotFound(location);
178   return {};
179 }
180 
181 // It's not uncommon to have multiple attempts to load a single dylib,
182 // especially if it's a commonly re-exported core library.
183 static DenseMap<CachedHashStringRef, DylibFile *> loadedDylibs;
184 
185 Optional<DylibFile *> macho::loadDylib(MemoryBufferRef mbref,
186                                        DylibFile *umbrella,
187                                        bool isBundleLoader) {
188   StringRef path = mbref.getBufferIdentifier();
189   DylibFile *&file = loadedDylibs[CachedHashStringRef(path)];
190   if (file)
191     return file;
192 
193   file_magic magic = identify_magic(mbref.getBuffer());
194   if (magic == file_magic::tapi_file) {
195     Expected<std::unique_ptr<InterfaceFile>> result = TextAPIReader::get(mbref);
196     if (!result) {
197       error("could not load TAPI file at " + mbref.getBufferIdentifier() +
198             ": " + toString(result.takeError()));
199       return {};
200     }
201     file = make<DylibFile>(**result, umbrella, isBundleLoader);
202   } else {
203     assert(magic == file_magic::macho_dynamically_linked_shared_lib ||
204            magic == file_magic::macho_dynamically_linked_shared_lib_stub ||
205            magic == file_magic::macho_executable ||
206            magic == file_magic::macho_bundle);
207     file = make<DylibFile>(mbref, umbrella, isBundleLoader);
208   }
209   return file;
210 }
211 
212 Optional<InputFile *> macho::loadArchiveMember(MemoryBufferRef mb,
213                                                uint32_t modTime,
214                                                StringRef archiveName,
215                                                bool objCOnly) {
216   switch (identify_magic(mb.getBuffer())) {
217   case file_magic::macho_object:
218     if (!objCOnly || hasObjCSection(mb))
219       return make<ObjFile>(mb, modTime, archiveName);
220     return None;
221   case file_magic::bitcode:
222     if (!objCOnly || check(isBitcodeContainingObjCCategory(mb)))
223       return make<BitcodeFile>(mb);
224     return None;
225   default:
226     error(archiveName + ": archive member " + mb.getBufferIdentifier() +
227           " has unhandled file type");
228     return None;
229   }
230 }
231 
232 uint32_t macho::getModTime(StringRef path) {
233   fs::file_status stat;
234   if (!fs::status(path, stat))
235     if (fs::exists(stat))
236       return toTimeT(stat.getLastModificationTime());
237 
238   warn("failed to get modification time of " + path);
239   return 0;
240 }
241 
242 void macho::printArchiveMemberLoad(StringRef reason, const InputFile *f) {
243   if (config->printEachFile)
244     message(toString(f));
245   if (config->printWhyLoad)
246     message(reason + " forced load of " + toString(f));
247 }
248 
249 macho::DependencyTracker::DependencyTracker(StringRef path)
250     : path(path), active(!path.empty()) {
251   if (active && fs::exists(path) && !fs::can_write(path)) {
252     warn("Ignoring dependency_info option since specified path is not "
253          "writeable.");
254     active = false;
255   }
256 }
257 
258 void macho::DependencyTracker::write(llvm::StringRef version,
259                                      const llvm::SetVector<InputFile *> &inputs,
260                                      llvm::StringRef output) {
261   if (!active)
262     return;
263 
264   std::error_code ec;
265   llvm::raw_fd_ostream os(path, ec, llvm::sys::fs::OF_None);
266   if (ec) {
267     warn("Error writing dependency info to file");
268     return;
269   }
270 
271   auto addDep = [&os](DepOpCode opcode, const StringRef &path) {
272     // XXX: Even though DepOpCode's underlying type is uint8_t,
273     // this cast is still needed because Clang older than 10.x has a bug,
274     // where it doesn't know to cast the enum to its underlying type.
275     // Hence `<< DepOpCode` is ambiguous to it.
276     os << static_cast<uint8_t>(opcode);
277     os << path;
278     os << '\0';
279   };
280 
281   addDep(DepOpCode::Version, version);
282 
283   // Sort the input by its names.
284   std::vector<StringRef> inputNames;
285   inputNames.reserve(inputs.size());
286   for (InputFile *f : inputs)
287     inputNames.push_back(f->getName());
288   llvm::sort(inputNames);
289 
290   for (const StringRef &in : inputNames)
291     addDep(DepOpCode::Input, in);
292 
293   for (const std::string &f : notFounds)
294     addDep(DepOpCode::NotFound, f);
295 
296   addDep(DepOpCode::Output, output);
297 }
298