xref: /llvm-project/llvm/lib/Support/CommandLine.cpp (revision fdab9f1203eea48a7b8e4c55c7ceafc54653797c)
1 //===-- CommandLine.cpp - Command line parser implementation --------------===//
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 class implements a command line argument processor that is useful when
10 // creating a tool.  It provides a simple, minimalistic interface that is easily
11 // extensible and supports nonlocal (library) command line options.
12 //
13 // Note that rather than trying to figure out what this code does, you could try
14 // reading the library documentation located in docs/CommandLine.html
15 //
16 //===----------------------------------------------------------------------===//
17 
18 #include "llvm/Support/CommandLine.h"
19 
20 #include "DebugOptions.h"
21 
22 #include "llvm-c/Support.h"
23 #include "llvm/ADT/ArrayRef.h"
24 #include "llvm/ADT/Optional.h"
25 #include "llvm/ADT/STLFunctionalExtras.h"
26 #include "llvm/ADT/SmallPtrSet.h"
27 #include "llvm/ADT/SmallString.h"
28 #include "llvm/ADT/StringExtras.h"
29 #include "llvm/ADT/StringMap.h"
30 #include "llvm/ADT/StringRef.h"
31 #include "llvm/ADT/Triple.h"
32 #include "llvm/ADT/Twine.h"
33 #include "llvm/Config/config.h"
34 #include "llvm/Support/ConvertUTF.h"
35 #include "llvm/Support/Debug.h"
36 #include "llvm/Support/Error.h"
37 #include "llvm/Support/ErrorHandling.h"
38 #include "llvm/Support/FileSystem.h"
39 #include "llvm/Support/Host.h"
40 #include "llvm/Support/ManagedStatic.h"
41 #include "llvm/Support/MemoryBuffer.h"
42 #include "llvm/Support/Path.h"
43 #include "llvm/Support/Process.h"
44 #include "llvm/Support/StringSaver.h"
45 #include "llvm/Support/VirtualFileSystem.h"
46 #include "llvm/Support/raw_ostream.h"
47 #include <cstdlib>
48 #include <string>
49 using namespace llvm;
50 using namespace cl;
51 
52 #define DEBUG_TYPE "commandline"
53 
54 //===----------------------------------------------------------------------===//
55 // Template instantiations and anchors.
56 //
57 namespace llvm {
58 namespace cl {
59 template class basic_parser<bool>;
60 template class basic_parser<boolOrDefault>;
61 template class basic_parser<int>;
62 template class basic_parser<long>;
63 template class basic_parser<long long>;
64 template class basic_parser<unsigned>;
65 template class basic_parser<unsigned long>;
66 template class basic_parser<unsigned long long>;
67 template class basic_parser<double>;
68 template class basic_parser<float>;
69 template class basic_parser<std::string>;
70 template class basic_parser<char>;
71 
72 template class opt<unsigned>;
73 template class opt<int>;
74 template class opt<std::string>;
75 template class opt<char>;
76 template class opt<bool>;
77 } // namespace cl
78 } // namespace llvm
79 
80 // Pin the vtables to this file.
81 void GenericOptionValue::anchor() {}
82 void OptionValue<boolOrDefault>::anchor() {}
83 void OptionValue<std::string>::anchor() {}
84 void Option::anchor() {}
85 void basic_parser_impl::anchor() {}
86 void parser<bool>::anchor() {}
87 void parser<boolOrDefault>::anchor() {}
88 void parser<int>::anchor() {}
89 void parser<long>::anchor() {}
90 void parser<long long>::anchor() {}
91 void parser<unsigned>::anchor() {}
92 void parser<unsigned long>::anchor() {}
93 void parser<unsigned long long>::anchor() {}
94 void parser<double>::anchor() {}
95 void parser<float>::anchor() {}
96 void parser<std::string>::anchor() {}
97 void parser<char>::anchor() {}
98 
99 //===----------------------------------------------------------------------===//
100 
101 const static size_t DefaultPad = 2;
102 
103 static StringRef ArgPrefix = "-";
104 static StringRef ArgPrefixLong = "--";
105 static StringRef ArgHelpPrefix = " - ";
106 
107 static size_t argPlusPrefixesSize(StringRef ArgName, size_t Pad = DefaultPad) {
108   size_t Len = ArgName.size();
109   if (Len == 1)
110     return Len + Pad + ArgPrefix.size() + ArgHelpPrefix.size();
111   return Len + Pad + ArgPrefixLong.size() + ArgHelpPrefix.size();
112 }
113 
114 static SmallString<8> argPrefix(StringRef ArgName, size_t Pad = DefaultPad) {
115   SmallString<8> Prefix;
116   for (size_t I = 0; I < Pad; ++I) {
117     Prefix.push_back(' ');
118   }
119   Prefix.append(ArgName.size() > 1 ? ArgPrefixLong : ArgPrefix);
120   return Prefix;
121 }
122 
123 // Option predicates...
124 static inline bool isGrouping(const Option *O) {
125   return O->getMiscFlags() & cl::Grouping;
126 }
127 static inline bool isPrefixedOrGrouping(const Option *O) {
128   return isGrouping(O) || O->getFormattingFlag() == cl::Prefix ||
129          O->getFormattingFlag() == cl::AlwaysPrefix;
130 }
131 
132 
133 namespace {
134 
135 class PrintArg {
136   StringRef ArgName;
137   size_t Pad;
138 public:
139   PrintArg(StringRef ArgName, size_t Pad = DefaultPad) : ArgName(ArgName), Pad(Pad) {}
140   friend raw_ostream &operator<<(raw_ostream &OS, const PrintArg &);
141 };
142 
143 raw_ostream &operator<<(raw_ostream &OS, const PrintArg& Arg) {
144   OS << argPrefix(Arg.ArgName, Arg.Pad) << Arg.ArgName;
145   return OS;
146 }
147 
148 class CommandLineParser {
149 public:
150   // Globals for name and overview of program.  Program name is not a string to
151   // avoid static ctor/dtor issues.
152   std::string ProgramName;
153   StringRef ProgramOverview;
154 
155   // This collects additional help to be printed.
156   std::vector<StringRef> MoreHelp;
157 
158   // This collects Options added with the cl::DefaultOption flag. Since they can
159   // be overridden, they are not added to the appropriate SubCommands until
160   // ParseCommandLineOptions actually runs.
161   SmallVector<Option*, 4> DefaultOptions;
162 
163   // This collects the different option categories that have been registered.
164   SmallPtrSet<OptionCategory *, 16> RegisteredOptionCategories;
165 
166   // This collects the different subcommands that have been registered.
167   SmallPtrSet<SubCommand *, 4> RegisteredSubCommands;
168 
169   CommandLineParser() {
170     registerSubCommand(&SubCommand::getTopLevel());
171     registerSubCommand(&SubCommand::getAll());
172   }
173 
174   void ResetAllOptionOccurrences();
175 
176   bool ParseCommandLineOptions(int argc, const char *const *argv,
177                                StringRef Overview, raw_ostream *Errs = nullptr,
178                                bool LongOptionsUseDoubleDash = false);
179 
180   void addLiteralOption(Option &Opt, SubCommand *SC, StringRef Name) {
181     if (Opt.hasArgStr())
182       return;
183     if (!SC->OptionsMap.insert(std::make_pair(Name, &Opt)).second) {
184       errs() << ProgramName << ": CommandLine Error: Option '" << Name
185              << "' registered more than once!\n";
186       report_fatal_error("inconsistency in registered CommandLine options");
187     }
188 
189     // If we're adding this to all sub-commands, add it to the ones that have
190     // already been registered.
191     if (SC == &SubCommand::getAll()) {
192       for (auto *Sub : RegisteredSubCommands) {
193         if (SC == Sub)
194           continue;
195         addLiteralOption(Opt, Sub, Name);
196       }
197     }
198   }
199 
200   void addLiteralOption(Option &Opt, StringRef Name) {
201     if (Opt.Subs.empty())
202       addLiteralOption(Opt, &SubCommand::getTopLevel(), Name);
203     else {
204       for (auto *SC : Opt.Subs)
205         addLiteralOption(Opt, SC, Name);
206     }
207   }
208 
209   void addOption(Option *O, SubCommand *SC) {
210     bool HadErrors = false;
211     if (O->hasArgStr()) {
212       // If it's a DefaultOption, check to make sure it isn't already there.
213       if (O->isDefaultOption() &&
214           SC->OptionsMap.find(O->ArgStr) != SC->OptionsMap.end())
215         return;
216 
217       // Add argument to the argument map!
218       if (!SC->OptionsMap.insert(std::make_pair(O->ArgStr, O)).second) {
219         errs() << ProgramName << ": CommandLine Error: Option '" << O->ArgStr
220                << "' registered more than once!\n";
221         HadErrors = true;
222       }
223     }
224 
225     // Remember information about positional options.
226     if (O->getFormattingFlag() == cl::Positional)
227       SC->PositionalOpts.push_back(O);
228     else if (O->getMiscFlags() & cl::Sink) // Remember sink options
229       SC->SinkOpts.push_back(O);
230     else if (O->getNumOccurrencesFlag() == cl::ConsumeAfter) {
231       if (SC->ConsumeAfterOpt) {
232         O->error("Cannot specify more than one option with cl::ConsumeAfter!");
233         HadErrors = true;
234       }
235       SC->ConsumeAfterOpt = O;
236     }
237 
238     // Fail hard if there were errors. These are strictly unrecoverable and
239     // indicate serious issues such as conflicting option names or an
240     // incorrectly
241     // linked LLVM distribution.
242     if (HadErrors)
243       report_fatal_error("inconsistency in registered CommandLine options");
244 
245     // If we're adding this to all sub-commands, add it to the ones that have
246     // already been registered.
247     if (SC == &SubCommand::getAll()) {
248       for (auto *Sub : RegisteredSubCommands) {
249         if (SC == Sub)
250           continue;
251         addOption(O, Sub);
252       }
253     }
254   }
255 
256   void addOption(Option *O, bool ProcessDefaultOption = false) {
257     if (!ProcessDefaultOption && O->isDefaultOption()) {
258       DefaultOptions.push_back(O);
259       return;
260     }
261 
262     if (O->Subs.empty()) {
263       addOption(O, &SubCommand::getTopLevel());
264     } else {
265       for (auto *SC : O->Subs)
266         addOption(O, SC);
267     }
268   }
269 
270   void removeOption(Option *O, SubCommand *SC) {
271     SmallVector<StringRef, 16> OptionNames;
272     O->getExtraOptionNames(OptionNames);
273     if (O->hasArgStr())
274       OptionNames.push_back(O->ArgStr);
275 
276     SubCommand &Sub = *SC;
277     auto End = Sub.OptionsMap.end();
278     for (auto Name : OptionNames) {
279       auto I = Sub.OptionsMap.find(Name);
280       if (I != End && I->getValue() == O)
281         Sub.OptionsMap.erase(I);
282     }
283 
284     if (O->getFormattingFlag() == cl::Positional)
285       for (auto *Opt = Sub.PositionalOpts.begin();
286            Opt != Sub.PositionalOpts.end(); ++Opt) {
287         if (*Opt == O) {
288           Sub.PositionalOpts.erase(Opt);
289           break;
290         }
291       }
292     else if (O->getMiscFlags() & cl::Sink)
293       for (auto *Opt = Sub.SinkOpts.begin(); Opt != Sub.SinkOpts.end(); ++Opt) {
294         if (*Opt == O) {
295           Sub.SinkOpts.erase(Opt);
296           break;
297         }
298       }
299     else if (O == Sub.ConsumeAfterOpt)
300       Sub.ConsumeAfterOpt = nullptr;
301   }
302 
303   void removeOption(Option *O) {
304     if (O->Subs.empty())
305       removeOption(O, &SubCommand::getTopLevel());
306     else {
307       if (O->isInAllSubCommands()) {
308         for (auto *SC : RegisteredSubCommands)
309           removeOption(O, SC);
310       } else {
311         for (auto *SC : O->Subs)
312           removeOption(O, SC);
313       }
314     }
315   }
316 
317   bool hasOptions(const SubCommand &Sub) const {
318     return (!Sub.OptionsMap.empty() || !Sub.PositionalOpts.empty() ||
319             nullptr != Sub.ConsumeAfterOpt);
320   }
321 
322   bool hasOptions() const {
323     for (const auto *S : RegisteredSubCommands) {
324       if (hasOptions(*S))
325         return true;
326     }
327     return false;
328   }
329 
330   SubCommand *getActiveSubCommand() { return ActiveSubCommand; }
331 
332   void updateArgStr(Option *O, StringRef NewName, SubCommand *SC) {
333     SubCommand &Sub = *SC;
334     if (!Sub.OptionsMap.insert(std::make_pair(NewName, O)).second) {
335       errs() << ProgramName << ": CommandLine Error: Option '" << O->ArgStr
336              << "' registered more than once!\n";
337       report_fatal_error("inconsistency in registered CommandLine options");
338     }
339     Sub.OptionsMap.erase(O->ArgStr);
340   }
341 
342   void updateArgStr(Option *O, StringRef NewName) {
343     if (O->Subs.empty())
344       updateArgStr(O, NewName, &SubCommand::getTopLevel());
345     else {
346       if (O->isInAllSubCommands()) {
347         for (auto *SC : RegisteredSubCommands)
348           updateArgStr(O, NewName, SC);
349       } else {
350         for (auto *SC : O->Subs)
351           updateArgStr(O, NewName, SC);
352       }
353     }
354   }
355 
356   void printOptionValues();
357 
358   void registerCategory(OptionCategory *cat) {
359     assert(count_if(RegisteredOptionCategories,
360                     [cat](const OptionCategory *Category) {
361              return cat->getName() == Category->getName();
362            }) == 0 &&
363            "Duplicate option categories");
364 
365     RegisteredOptionCategories.insert(cat);
366   }
367 
368   void registerSubCommand(SubCommand *sub) {
369     assert(count_if(RegisteredSubCommands,
370                     [sub](const SubCommand *Sub) {
371                       return (!sub->getName().empty()) &&
372                              (Sub->getName() == sub->getName());
373                     }) == 0 &&
374            "Duplicate subcommands");
375     RegisteredSubCommands.insert(sub);
376 
377     // For all options that have been registered for all subcommands, add the
378     // option to this subcommand now.
379     if (sub != &SubCommand::getAll()) {
380       for (auto &E : SubCommand::getAll().OptionsMap) {
381         Option *O = E.second;
382         if ((O->isPositional() || O->isSink() || O->isConsumeAfter()) ||
383             O->hasArgStr())
384           addOption(O, sub);
385         else
386           addLiteralOption(*O, sub, E.first());
387       }
388     }
389   }
390 
391   void unregisterSubCommand(SubCommand *sub) {
392     RegisteredSubCommands.erase(sub);
393   }
394 
395   iterator_range<typename SmallPtrSet<SubCommand *, 4>::iterator>
396   getRegisteredSubcommands() {
397     return make_range(RegisteredSubCommands.begin(),
398                       RegisteredSubCommands.end());
399   }
400 
401   void reset() {
402     ActiveSubCommand = nullptr;
403     ProgramName.clear();
404     ProgramOverview = StringRef();
405 
406     MoreHelp.clear();
407     RegisteredOptionCategories.clear();
408 
409     ResetAllOptionOccurrences();
410     RegisteredSubCommands.clear();
411 
412     SubCommand::getTopLevel().reset();
413     SubCommand::getAll().reset();
414     registerSubCommand(&SubCommand::getTopLevel());
415     registerSubCommand(&SubCommand::getAll());
416 
417     DefaultOptions.clear();
418   }
419 
420 private:
421   SubCommand *ActiveSubCommand = nullptr;
422 
423   Option *LookupOption(SubCommand &Sub, StringRef &Arg, StringRef &Value);
424   Option *LookupLongOption(SubCommand &Sub, StringRef &Arg, StringRef &Value,
425                            bool LongOptionsUseDoubleDash, bool HaveDoubleDash) {
426     Option *Opt = LookupOption(Sub, Arg, Value);
427     if (Opt && LongOptionsUseDoubleDash && !HaveDoubleDash && !isGrouping(Opt))
428       return nullptr;
429     return Opt;
430   }
431   SubCommand *LookupSubCommand(StringRef Name);
432 };
433 
434 } // namespace
435 
436 static ManagedStatic<CommandLineParser> GlobalParser;
437 
438 void cl::AddLiteralOption(Option &O, StringRef Name) {
439   GlobalParser->addLiteralOption(O, Name);
440 }
441 
442 extrahelp::extrahelp(StringRef Help) : morehelp(Help) {
443   GlobalParser->MoreHelp.push_back(Help);
444 }
445 
446 void Option::addArgument() {
447   GlobalParser->addOption(this);
448   FullyInitialized = true;
449 }
450 
451 void Option::removeArgument() { GlobalParser->removeOption(this); }
452 
453 void Option::setArgStr(StringRef S) {
454   if (FullyInitialized)
455     GlobalParser->updateArgStr(this, S);
456   assert((S.empty() || S[0] != '-') && "Option can't start with '-");
457   ArgStr = S;
458   if (ArgStr.size() == 1)
459     setMiscFlag(Grouping);
460 }
461 
462 void Option::addCategory(OptionCategory &C) {
463   assert(!Categories.empty() && "Categories cannot be empty.");
464   // Maintain backward compatibility by replacing the default GeneralCategory
465   // if it's still set.  Otherwise, just add the new one.  The GeneralCategory
466   // must be explicitly added if you want multiple categories that include it.
467   if (&C != &getGeneralCategory() && Categories[0] == &getGeneralCategory())
468     Categories[0] = &C;
469   else if (!is_contained(Categories, &C))
470     Categories.push_back(&C);
471 }
472 
473 void Option::reset() {
474   NumOccurrences = 0;
475   setDefault();
476   if (isDefaultOption())
477     removeArgument();
478 }
479 
480 void OptionCategory::registerCategory() {
481   GlobalParser->registerCategory(this);
482 }
483 
484 // A special subcommand representing no subcommand. It is particularly important
485 // that this ManagedStatic uses constant initailization and not dynamic
486 // initialization because it is referenced from cl::opt constructors, which run
487 // dynamically in an arbitrary order.
488 LLVM_REQUIRE_CONSTANT_INITIALIZATION
489 ManagedStatic<SubCommand> llvm::cl::TopLevelSubCommand;
490 
491 // A special subcommand that can be used to put an option into all subcommands.
492 ManagedStatic<SubCommand> llvm::cl::AllSubCommands;
493 
494 SubCommand &SubCommand::getTopLevel() { return *TopLevelSubCommand; }
495 
496 SubCommand &SubCommand::getAll() { return *AllSubCommands; }
497 
498 void SubCommand::registerSubCommand() {
499   GlobalParser->registerSubCommand(this);
500 }
501 
502 void SubCommand::unregisterSubCommand() {
503   GlobalParser->unregisterSubCommand(this);
504 }
505 
506 void SubCommand::reset() {
507   PositionalOpts.clear();
508   SinkOpts.clear();
509   OptionsMap.clear();
510 
511   ConsumeAfterOpt = nullptr;
512 }
513 
514 SubCommand::operator bool() const {
515   return (GlobalParser->getActiveSubCommand() == this);
516 }
517 
518 //===----------------------------------------------------------------------===//
519 // Basic, shared command line option processing machinery.
520 //
521 
522 /// LookupOption - Lookup the option specified by the specified option on the
523 /// command line.  If there is a value specified (after an equal sign) return
524 /// that as well.  This assumes that leading dashes have already been stripped.
525 Option *CommandLineParser::LookupOption(SubCommand &Sub, StringRef &Arg,
526                                         StringRef &Value) {
527   // Reject all dashes.
528   if (Arg.empty())
529     return nullptr;
530   assert(&Sub != &SubCommand::getAll());
531 
532   size_t EqualPos = Arg.find('=');
533 
534   // If we have an equals sign, remember the value.
535   if (EqualPos == StringRef::npos) {
536     // Look up the option.
537     return Sub.OptionsMap.lookup(Arg);
538   }
539 
540   // If the argument before the = is a valid option name and the option allows
541   // non-prefix form (ie is not AlwaysPrefix), we match.  If not, signal match
542   // failure by returning nullptr.
543   auto I = Sub.OptionsMap.find(Arg.substr(0, EqualPos));
544   if (I == Sub.OptionsMap.end())
545     return nullptr;
546 
547   auto *O = I->second;
548   if (O->getFormattingFlag() == cl::AlwaysPrefix)
549     return nullptr;
550 
551   Value = Arg.substr(EqualPos + 1);
552   Arg = Arg.substr(0, EqualPos);
553   return I->second;
554 }
555 
556 SubCommand *CommandLineParser::LookupSubCommand(StringRef Name) {
557   if (Name.empty())
558     return &SubCommand::getTopLevel();
559   for (auto *S : RegisteredSubCommands) {
560     if (S == &SubCommand::getAll())
561       continue;
562     if (S->getName().empty())
563       continue;
564 
565     if (StringRef(S->getName()) == StringRef(Name))
566       return S;
567   }
568   return &SubCommand::getTopLevel();
569 }
570 
571 /// LookupNearestOption - Lookup the closest match to the option specified by
572 /// the specified option on the command line.  If there is a value specified
573 /// (after an equal sign) return that as well.  This assumes that leading dashes
574 /// have already been stripped.
575 static Option *LookupNearestOption(StringRef Arg,
576                                    const StringMap<Option *> &OptionsMap,
577                                    std::string &NearestString) {
578   // Reject all dashes.
579   if (Arg.empty())
580     return nullptr;
581 
582   // Split on any equal sign.
583   std::pair<StringRef, StringRef> SplitArg = Arg.split('=');
584   StringRef &LHS = SplitArg.first; // LHS == Arg when no '=' is present.
585   StringRef &RHS = SplitArg.second;
586 
587   // Find the closest match.
588   Option *Best = nullptr;
589   unsigned BestDistance = 0;
590   for (StringMap<Option *>::const_iterator it = OptionsMap.begin(),
591                                            ie = OptionsMap.end();
592        it != ie; ++it) {
593     Option *O = it->second;
594     // Do not suggest really hidden options (not shown in any help).
595     if (O->getOptionHiddenFlag() == ReallyHidden)
596       continue;
597 
598     SmallVector<StringRef, 16> OptionNames;
599     O->getExtraOptionNames(OptionNames);
600     if (O->hasArgStr())
601       OptionNames.push_back(O->ArgStr);
602 
603     bool PermitValue = O->getValueExpectedFlag() != cl::ValueDisallowed;
604     StringRef Flag = PermitValue ? LHS : Arg;
605     for (const auto &Name : OptionNames) {
606       unsigned Distance = StringRef(Name).edit_distance(
607           Flag, /*AllowReplacements=*/true, /*MaxEditDistance=*/BestDistance);
608       if (!Best || Distance < BestDistance) {
609         Best = O;
610         BestDistance = Distance;
611         if (RHS.empty() || !PermitValue)
612           NearestString = std::string(Name);
613         else
614           NearestString = (Twine(Name) + "=" + RHS).str();
615       }
616     }
617   }
618 
619   return Best;
620 }
621 
622 /// CommaSeparateAndAddOccurrence - A wrapper around Handler->addOccurrence()
623 /// that does special handling of cl::CommaSeparated options.
624 static bool CommaSeparateAndAddOccurrence(Option *Handler, unsigned pos,
625                                           StringRef ArgName, StringRef Value,
626                                           bool MultiArg = false) {
627   // Check to see if this option accepts a comma separated list of values.  If
628   // it does, we have to split up the value into multiple values.
629   if (Handler->getMiscFlags() & CommaSeparated) {
630     StringRef Val(Value);
631     StringRef::size_type Pos = Val.find(',');
632 
633     while (Pos != StringRef::npos) {
634       // Process the portion before the comma.
635       if (Handler->addOccurrence(pos, ArgName, Val.substr(0, Pos), MultiArg))
636         return true;
637       // Erase the portion before the comma, AND the comma.
638       Val = Val.substr(Pos + 1);
639       // Check for another comma.
640       Pos = Val.find(',');
641     }
642 
643     Value = Val;
644   }
645 
646   return Handler->addOccurrence(pos, ArgName, Value, MultiArg);
647 }
648 
649 /// ProvideOption - For Value, this differentiates between an empty value ("")
650 /// and a null value (StringRef()).  The later is accepted for arguments that
651 /// don't allow a value (-foo) the former is rejected (-foo=).
652 static inline bool ProvideOption(Option *Handler, StringRef ArgName,
653                                  StringRef Value, int argc,
654                                  const char *const *argv, int &i) {
655   // Is this a multi-argument option?
656   unsigned NumAdditionalVals = Handler->getNumAdditionalVals();
657 
658   // Enforce value requirements
659   switch (Handler->getValueExpectedFlag()) {
660   case ValueRequired:
661     if (!Value.data()) { // No value specified?
662       // If no other argument or the option only supports prefix form, we
663       // cannot look at the next argument.
664       if (i + 1 >= argc || Handler->getFormattingFlag() == cl::AlwaysPrefix)
665         return Handler->error("requires a value!");
666       // Steal the next argument, like for '-o filename'
667       assert(argv && "null check");
668       Value = StringRef(argv[++i]);
669     }
670     break;
671   case ValueDisallowed:
672     if (NumAdditionalVals > 0)
673       return Handler->error("multi-valued option specified"
674                             " with ValueDisallowed modifier!");
675 
676     if (Value.data())
677       return Handler->error("does not allow a value! '" + Twine(Value) +
678                             "' specified.");
679     break;
680   case ValueOptional:
681     break;
682   }
683 
684   // If this isn't a multi-arg option, just run the handler.
685   if (NumAdditionalVals == 0)
686     return CommaSeparateAndAddOccurrence(Handler, i, ArgName, Value);
687 
688   // If it is, run the handle several times.
689   bool MultiArg = false;
690 
691   if (Value.data()) {
692     if (CommaSeparateAndAddOccurrence(Handler, i, ArgName, Value, MultiArg))
693       return true;
694     --NumAdditionalVals;
695     MultiArg = true;
696   }
697 
698   while (NumAdditionalVals > 0) {
699     if (i + 1 >= argc)
700       return Handler->error("not enough values!");
701     assert(argv && "null check");
702     Value = StringRef(argv[++i]);
703 
704     if (CommaSeparateAndAddOccurrence(Handler, i, ArgName, Value, MultiArg))
705       return true;
706     MultiArg = true;
707     --NumAdditionalVals;
708   }
709   return false;
710 }
711 
712 bool llvm::cl::ProvidePositionalOption(Option *Handler, StringRef Arg, int i) {
713   int Dummy = i;
714   return ProvideOption(Handler, Handler->ArgStr, Arg, 0, nullptr, Dummy);
715 }
716 
717 // getOptionPred - Check to see if there are any options that satisfy the
718 // specified predicate with names that are the prefixes in Name.  This is
719 // checked by progressively stripping characters off of the name, checking to
720 // see if there options that satisfy the predicate.  If we find one, return it,
721 // otherwise return null.
722 //
723 static Option *getOptionPred(StringRef Name, size_t &Length,
724                              bool (*Pred)(const Option *),
725                              const StringMap<Option *> &OptionsMap) {
726   StringMap<Option *>::const_iterator OMI = OptionsMap.find(Name);
727   if (OMI != OptionsMap.end() && !Pred(OMI->getValue()))
728     OMI = OptionsMap.end();
729 
730   // Loop while we haven't found an option and Name still has at least two
731   // characters in it (so that the next iteration will not be the empty
732   // string.
733   while (OMI == OptionsMap.end() && Name.size() > 1) {
734     Name = Name.substr(0, Name.size() - 1); // Chop off the last character.
735     OMI = OptionsMap.find(Name);
736     if (OMI != OptionsMap.end() && !Pred(OMI->getValue()))
737       OMI = OptionsMap.end();
738   }
739 
740   if (OMI != OptionsMap.end() && Pred(OMI->second)) {
741     Length = Name.size();
742     return OMI->second; // Found one!
743   }
744   return nullptr; // No option found!
745 }
746 
747 /// HandlePrefixedOrGroupedOption - The specified argument string (which started
748 /// with at least one '-') does not fully match an available option.  Check to
749 /// see if this is a prefix or grouped option.  If so, split arg into output an
750 /// Arg/Value pair and return the Option to parse it with.
751 static Option *
752 HandlePrefixedOrGroupedOption(StringRef &Arg, StringRef &Value,
753                               bool &ErrorParsing,
754                               const StringMap<Option *> &OptionsMap) {
755   if (Arg.size() == 1)
756     return nullptr;
757 
758   // Do the lookup!
759   size_t Length = 0;
760   Option *PGOpt = getOptionPred(Arg, Length, isPrefixedOrGrouping, OptionsMap);
761   if (!PGOpt)
762     return nullptr;
763 
764   do {
765     StringRef MaybeValue =
766         (Length < Arg.size()) ? Arg.substr(Length) : StringRef();
767     Arg = Arg.substr(0, Length);
768     assert(OptionsMap.count(Arg) && OptionsMap.find(Arg)->second == PGOpt);
769 
770     // cl::Prefix options do not preserve '=' when used separately.
771     // The behavior for them with grouped options should be the same.
772     if (MaybeValue.empty() || PGOpt->getFormattingFlag() == cl::AlwaysPrefix ||
773         (PGOpt->getFormattingFlag() == cl::Prefix && MaybeValue[0] != '=')) {
774       Value = MaybeValue;
775       return PGOpt;
776     }
777 
778     if (MaybeValue[0] == '=') {
779       Value = MaybeValue.substr(1);
780       return PGOpt;
781     }
782 
783     // This must be a grouped option.
784     assert(isGrouping(PGOpt) && "Broken getOptionPred!");
785 
786     // Grouping options inside a group can't have values.
787     if (PGOpt->getValueExpectedFlag() == cl::ValueRequired) {
788       ErrorParsing |= PGOpt->error("may not occur within a group!");
789       return nullptr;
790     }
791 
792     // Because the value for the option is not required, we don't need to pass
793     // argc/argv in.
794     int Dummy = 0;
795     ErrorParsing |= ProvideOption(PGOpt, Arg, StringRef(), 0, nullptr, Dummy);
796 
797     // Get the next grouping option.
798     Arg = MaybeValue;
799     PGOpt = getOptionPred(Arg, Length, isGrouping, OptionsMap);
800   } while (PGOpt);
801 
802   // We could not find a grouping option in the remainder of Arg.
803   return nullptr;
804 }
805 
806 static bool RequiresValue(const Option *O) {
807   return O->getNumOccurrencesFlag() == cl::Required ||
808          O->getNumOccurrencesFlag() == cl::OneOrMore;
809 }
810 
811 static bool EatsUnboundedNumberOfValues(const Option *O) {
812   return O->getNumOccurrencesFlag() == cl::ZeroOrMore ||
813          O->getNumOccurrencesFlag() == cl::OneOrMore;
814 }
815 
816 static bool isWhitespace(char C) {
817   return C == ' ' || C == '\t' || C == '\r' || C == '\n';
818 }
819 
820 static bool isWhitespaceOrNull(char C) {
821   return isWhitespace(C) || C == '\0';
822 }
823 
824 static bool isQuote(char C) { return C == '\"' || C == '\''; }
825 
826 void cl::TokenizeGNUCommandLine(StringRef Src, StringSaver &Saver,
827                                 SmallVectorImpl<const char *> &NewArgv,
828                                 bool MarkEOLs) {
829   SmallString<128> Token;
830   for (size_t I = 0, E = Src.size(); I != E; ++I) {
831     // Consume runs of whitespace.
832     if (Token.empty()) {
833       while (I != E && isWhitespace(Src[I])) {
834         // Mark the end of lines in response files.
835         if (MarkEOLs && Src[I] == '\n')
836           NewArgv.push_back(nullptr);
837         ++I;
838       }
839       if (I == E)
840         break;
841     }
842 
843     char C = Src[I];
844 
845     // Backslash escapes the next character.
846     if (I + 1 < E && C == '\\') {
847       ++I; // Skip the escape.
848       Token.push_back(Src[I]);
849       continue;
850     }
851 
852     // Consume a quoted string.
853     if (isQuote(C)) {
854       ++I;
855       while (I != E && Src[I] != C) {
856         // Backslash escapes the next character.
857         if (Src[I] == '\\' && I + 1 != E)
858           ++I;
859         Token.push_back(Src[I]);
860         ++I;
861       }
862       if (I == E)
863         break;
864       continue;
865     }
866 
867     // End the token if this is whitespace.
868     if (isWhitespace(C)) {
869       if (!Token.empty())
870         NewArgv.push_back(Saver.save(Token.str()).data());
871       // Mark the end of lines in response files.
872       if (MarkEOLs && C == '\n')
873         NewArgv.push_back(nullptr);
874       Token.clear();
875       continue;
876     }
877 
878     // This is a normal character.  Append it.
879     Token.push_back(C);
880   }
881 
882   // Append the last token after hitting EOF with no whitespace.
883   if (!Token.empty())
884     NewArgv.push_back(Saver.save(Token.str()).data());
885 }
886 
887 /// Backslashes are interpreted in a rather complicated way in the Windows-style
888 /// command line, because backslashes are used both to separate path and to
889 /// escape double quote. This method consumes runs of backslashes as well as the
890 /// following double quote if it's escaped.
891 ///
892 ///  * If an even number of backslashes is followed by a double quote, one
893 ///    backslash is output for every pair of backslashes, and the last double
894 ///    quote remains unconsumed. The double quote will later be interpreted as
895 ///    the start or end of a quoted string in the main loop outside of this
896 ///    function.
897 ///
898 ///  * If an odd number of backslashes is followed by a double quote, one
899 ///    backslash is output for every pair of backslashes, and a double quote is
900 ///    output for the last pair of backslash-double quote. The double quote is
901 ///    consumed in this case.
902 ///
903 ///  * Otherwise, backslashes are interpreted literally.
904 static size_t parseBackslash(StringRef Src, size_t I, SmallString<128> &Token) {
905   size_t E = Src.size();
906   int BackslashCount = 0;
907   // Skip the backslashes.
908   do {
909     ++I;
910     ++BackslashCount;
911   } while (I != E && Src[I] == '\\');
912 
913   bool FollowedByDoubleQuote = (I != E && Src[I] == '"');
914   if (FollowedByDoubleQuote) {
915     Token.append(BackslashCount / 2, '\\');
916     if (BackslashCount % 2 == 0)
917       return I - 1;
918     Token.push_back('"');
919     return I;
920   }
921   Token.append(BackslashCount, '\\');
922   return I - 1;
923 }
924 
925 // Windows treats whitespace, double quotes, and backslashes specially, except
926 // when parsing the first token of a full command line, in which case
927 // backslashes are not special.
928 static bool isWindowsSpecialChar(char C) {
929   return isWhitespaceOrNull(C) || C == '\\' || C == '\"';
930 }
931 static bool isWindowsSpecialCharInCommandName(char C) {
932   return isWhitespaceOrNull(C) || C == '\"';
933 }
934 
935 // Windows tokenization implementation. The implementation is designed to be
936 // inlined and specialized for the two user entry points.
937 static inline void tokenizeWindowsCommandLineImpl(
938     StringRef Src, StringSaver &Saver, function_ref<void(StringRef)> AddToken,
939     bool AlwaysCopy, function_ref<void()> MarkEOL, bool InitialCommandName) {
940   SmallString<128> Token;
941 
942   // Sometimes, this function will be handling a full command line including an
943   // executable pathname at the start. In that situation, the initial pathname
944   // needs different handling from the following arguments, because when
945   // CreateProcess or cmd.exe scans the pathname, it doesn't treat \ as
946   // escaping the quote character, whereas when libc scans the rest of the
947   // command line, it does.
948   bool CommandName = InitialCommandName;
949 
950   // Try to do as much work inside the state machine as possible.
951   enum { INIT, UNQUOTED, QUOTED } State = INIT;
952 
953   for (size_t I = 0, E = Src.size(); I < E; ++I) {
954     switch (State) {
955     case INIT: {
956       assert(Token.empty() && "token should be empty in initial state");
957       // Eat whitespace before a token.
958       while (I < E && isWhitespaceOrNull(Src[I])) {
959         if (Src[I] == '\n')
960           MarkEOL();
961         ++I;
962       }
963       // Stop if this was trailing whitespace.
964       if (I >= E)
965         break;
966       size_t Start = I;
967       if (CommandName) {
968         while (I < E && !isWindowsSpecialCharInCommandName(Src[I]))
969           ++I;
970       } else {
971         while (I < E && !isWindowsSpecialChar(Src[I]))
972           ++I;
973       }
974       StringRef NormalChars = Src.slice(Start, I);
975       if (I >= E || isWhitespaceOrNull(Src[I])) {
976         // No special characters: slice out the substring and start the next
977         // token. Copy the string if the caller asks us to.
978         AddToken(AlwaysCopy ? Saver.save(NormalChars) : NormalChars);
979         if (I < E && Src[I] == '\n') {
980           MarkEOL();
981           CommandName = InitialCommandName;
982         } else {
983           CommandName = false;
984         }
985       } else if (Src[I] == '\"') {
986         Token += NormalChars;
987         State = QUOTED;
988       } else if (Src[I] == '\\') {
989         assert(!CommandName && "or else we'd have treated it as a normal char");
990         Token += NormalChars;
991         I = parseBackslash(Src, I, Token);
992         State = UNQUOTED;
993       } else {
994         llvm_unreachable("unexpected special character");
995       }
996       break;
997     }
998 
999     case UNQUOTED:
1000       if (isWhitespaceOrNull(Src[I])) {
1001         // Whitespace means the end of the token. If we are in this state, the
1002         // token must have contained a special character, so we must copy the
1003         // token.
1004         AddToken(Saver.save(Token.str()));
1005         Token.clear();
1006         if (Src[I] == '\n') {
1007           CommandName = InitialCommandName;
1008           MarkEOL();
1009         } else {
1010           CommandName = false;
1011         }
1012         State = INIT;
1013       } else if (Src[I] == '\"') {
1014         State = QUOTED;
1015       } else if (Src[I] == '\\' && !CommandName) {
1016         I = parseBackslash(Src, I, Token);
1017       } else {
1018         Token.push_back(Src[I]);
1019       }
1020       break;
1021 
1022     case QUOTED:
1023       if (Src[I] == '\"') {
1024         if (I < (E - 1) && Src[I + 1] == '"') {
1025           // Consecutive double-quotes inside a quoted string implies one
1026           // double-quote.
1027           Token.push_back('"');
1028           ++I;
1029         } else {
1030           // Otherwise, end the quoted portion and return to the unquoted state.
1031           State = UNQUOTED;
1032         }
1033       } else if (Src[I] == '\\' && !CommandName) {
1034         I = parseBackslash(Src, I, Token);
1035       } else {
1036         Token.push_back(Src[I]);
1037       }
1038       break;
1039     }
1040   }
1041 
1042   if (State != INIT)
1043     AddToken(Saver.save(Token.str()));
1044 }
1045 
1046 void cl::TokenizeWindowsCommandLine(StringRef Src, StringSaver &Saver,
1047                                     SmallVectorImpl<const char *> &NewArgv,
1048                                     bool MarkEOLs) {
1049   auto AddToken = [&](StringRef Tok) { NewArgv.push_back(Tok.data()); };
1050   auto OnEOL = [&]() {
1051     if (MarkEOLs)
1052       NewArgv.push_back(nullptr);
1053   };
1054   tokenizeWindowsCommandLineImpl(Src, Saver, AddToken,
1055                                  /*AlwaysCopy=*/true, OnEOL, false);
1056 }
1057 
1058 void cl::TokenizeWindowsCommandLineNoCopy(StringRef Src, StringSaver &Saver,
1059                                           SmallVectorImpl<StringRef> &NewArgv) {
1060   auto AddToken = [&](StringRef Tok) { NewArgv.push_back(Tok); };
1061   auto OnEOL = []() {};
1062   tokenizeWindowsCommandLineImpl(Src, Saver, AddToken, /*AlwaysCopy=*/false,
1063                                  OnEOL, false);
1064 }
1065 
1066 void cl::TokenizeWindowsCommandLineFull(StringRef Src, StringSaver &Saver,
1067                                         SmallVectorImpl<const char *> &NewArgv,
1068                                         bool MarkEOLs) {
1069   auto AddToken = [&](StringRef Tok) { NewArgv.push_back(Tok.data()); };
1070   auto OnEOL = [&]() {
1071     if (MarkEOLs)
1072       NewArgv.push_back(nullptr);
1073   };
1074   tokenizeWindowsCommandLineImpl(Src, Saver, AddToken,
1075                                  /*AlwaysCopy=*/true, OnEOL, true);
1076 }
1077 
1078 void cl::tokenizeConfigFile(StringRef Source, StringSaver &Saver,
1079                             SmallVectorImpl<const char *> &NewArgv,
1080                             bool MarkEOLs) {
1081   for (const char *Cur = Source.begin(); Cur != Source.end();) {
1082     SmallString<128> Line;
1083     // Check for comment line.
1084     if (isWhitespace(*Cur)) {
1085       while (Cur != Source.end() && isWhitespace(*Cur))
1086         ++Cur;
1087       continue;
1088     }
1089     if (*Cur == '#') {
1090       while (Cur != Source.end() && *Cur != '\n')
1091         ++Cur;
1092       continue;
1093     }
1094     // Find end of the current line.
1095     const char *Start = Cur;
1096     for (const char *End = Source.end(); Cur != End; ++Cur) {
1097       if (*Cur == '\\') {
1098         if (Cur + 1 != End) {
1099           ++Cur;
1100           if (*Cur == '\n' ||
1101               (*Cur == '\r' && (Cur + 1 != End) && Cur[1] == '\n')) {
1102             Line.append(Start, Cur - 1);
1103             if (*Cur == '\r')
1104               ++Cur;
1105             Start = Cur + 1;
1106           }
1107         }
1108       } else if (*Cur == '\n')
1109         break;
1110     }
1111     // Tokenize line.
1112     Line.append(Start, Cur);
1113     cl::TokenizeGNUCommandLine(Line, Saver, NewArgv, MarkEOLs);
1114   }
1115 }
1116 
1117 // It is called byte order marker but the UTF-8 BOM is actually not affected
1118 // by the host system's endianness.
1119 static bool hasUTF8ByteOrderMark(ArrayRef<char> S) {
1120   return (S.size() >= 3 && S[0] == '\xef' && S[1] == '\xbb' && S[2] == '\xbf');
1121 }
1122 
1123 // Substitute <CFGDIR> with the file's base path.
1124 static void ExpandBasePaths(StringRef BasePath, StringSaver &Saver,
1125                             const char *&Arg) {
1126   assert(sys::path::is_absolute(BasePath));
1127   constexpr StringLiteral Token("<CFGDIR>");
1128   const StringRef ArgString(Arg);
1129 
1130   SmallString<128> ResponseFile;
1131   StringRef::size_type StartPos = 0;
1132   for (StringRef::size_type TokenPos = ArgString.find(Token);
1133        TokenPos != StringRef::npos;
1134        TokenPos = ArgString.find(Token, StartPos)) {
1135     // Token may appear more than once per arg (e.g. comma-separated linker
1136     // args). Support by using path-append on any subsequent appearances.
1137     const StringRef LHS = ArgString.substr(StartPos, TokenPos - StartPos);
1138     if (ResponseFile.empty())
1139       ResponseFile = LHS;
1140     else
1141       llvm::sys::path::append(ResponseFile, LHS);
1142     ResponseFile.append(BasePath);
1143     StartPos = TokenPos + Token.size();
1144   }
1145 
1146   if (!ResponseFile.empty()) {
1147     // Path-append the remaining arg substring if at least one token appeared.
1148     const StringRef Remaining = ArgString.substr(StartPos);
1149     if (!Remaining.empty())
1150       llvm::sys::path::append(ResponseFile, Remaining);
1151     Arg = Saver.save(ResponseFile.str()).data();
1152   }
1153 }
1154 
1155 // FName must be an absolute path.
1156 Error ExpansionContext::expandResponseFile(
1157     StringRef FName, SmallVectorImpl<const char *> &NewArgv) {
1158   assert(sys::path::is_absolute(FName));
1159   llvm::ErrorOr<std::unique_ptr<MemoryBuffer>> MemBufOrErr =
1160       FS->getBufferForFile(FName);
1161   if (!MemBufOrErr) {
1162     std::error_code EC = MemBufOrErr.getError();
1163     return llvm::createStringError(EC, Twine("cannot not open file '") + FName +
1164                                            "': " + EC.message());
1165   }
1166   MemoryBuffer &MemBuf = *MemBufOrErr.get();
1167   StringRef Str(MemBuf.getBufferStart(), MemBuf.getBufferSize());
1168 
1169   // If we have a UTF-16 byte order mark, convert to UTF-8 for parsing.
1170   ArrayRef<char> BufRef(MemBuf.getBufferStart(), MemBuf.getBufferEnd());
1171   std::string UTF8Buf;
1172   if (hasUTF16ByteOrderMark(BufRef)) {
1173     if (!convertUTF16ToUTF8String(BufRef, UTF8Buf))
1174       return llvm::createStringError(std::errc::illegal_byte_sequence,
1175                                      "Could not convert UTF16 to UTF8");
1176     Str = StringRef(UTF8Buf);
1177   }
1178   // If we see UTF-8 BOM sequence at the beginning of a file, we shall remove
1179   // these bytes before parsing.
1180   // Reference: http://en.wikipedia.org/wiki/UTF-8#Byte_order_mark
1181   else if (hasUTF8ByteOrderMark(BufRef))
1182     Str = StringRef(BufRef.data() + 3, BufRef.size() - 3);
1183 
1184   // Tokenize the contents into NewArgv.
1185   Tokenizer(Str, Saver, NewArgv, MarkEOLs);
1186 
1187   // Expanded file content may require additional transformations, like using
1188   // absolute paths instead of relative in '@file' constructs or expanding
1189   // macros.
1190   if (!RelativeNames && !InConfigFile)
1191     return Error::success();
1192 
1193   StringRef BasePath = llvm::sys::path::parent_path(FName);
1194   for (auto I = NewArgv.begin(), E = NewArgv.end(); I != E; ++I) {
1195     const char *&Arg = *I;
1196     if (Arg == nullptr)
1197       continue;
1198 
1199     // Substitute <CFGDIR> with the file's base path.
1200     if (InConfigFile)
1201       ExpandBasePaths(BasePath, Saver, Arg);
1202 
1203     // Get expanded file name.
1204     StringRef FileName(Arg);
1205     if (!FileName.consume_front("@"))
1206       continue;
1207     if (!llvm::sys::path::is_relative(FileName))
1208       continue;
1209 
1210     // Update expansion construct.
1211     SmallString<128> ResponseFile;
1212     ResponseFile.push_back('@');
1213     ResponseFile.append(BasePath);
1214     llvm::sys::path::append(ResponseFile, FileName);
1215     Arg = Saver.save(ResponseFile.str()).data();
1216   }
1217   return Error::success();
1218 }
1219 
1220 /// Expand response files on a command line recursively using the given
1221 /// StringSaver and tokenization strategy.
1222 Error ExpansionContext::expandResponseFiles(
1223     SmallVectorImpl<const char *> &Argv) {
1224   struct ResponseFileRecord {
1225     std::string File;
1226     size_t End;
1227   };
1228 
1229   // To detect recursive response files, we maintain a stack of files and the
1230   // position of the last argument in the file. This position is updated
1231   // dynamically as we recursively expand files.
1232   SmallVector<ResponseFileRecord, 3> FileStack;
1233 
1234   // Push a dummy entry that represents the initial command line, removing
1235   // the need to check for an empty list.
1236   FileStack.push_back({"", Argv.size()});
1237 
1238   // Don't cache Argv.size() because it can change.
1239   for (unsigned I = 0; I != Argv.size();) {
1240     while (I == FileStack.back().End) {
1241       // Passing the end of a file's argument list, so we can remove it from the
1242       // stack.
1243       FileStack.pop_back();
1244     }
1245 
1246     const char *Arg = Argv[I];
1247     // Check if it is an EOL marker
1248     if (Arg == nullptr) {
1249       ++I;
1250       continue;
1251     }
1252 
1253     if (Arg[0] != '@') {
1254       ++I;
1255       continue;
1256     }
1257 
1258     const char *FName = Arg + 1;
1259     // Note that CurrentDir is only used for top-level rsp files, the rest will
1260     // always have an absolute path deduced from the containing file.
1261     SmallString<128> CurrDir;
1262     if (llvm::sys::path::is_relative(FName)) {
1263       if (CurrentDir.empty()) {
1264         if (auto CWD = FS->getCurrentWorkingDirectory()) {
1265           CurrDir = *CWD;
1266         } else {
1267           return createStringError(
1268               CWD.getError(), Twine("cannot get absolute path for: ") + FName);
1269         }
1270       } else {
1271         CurrDir = CurrentDir;
1272       }
1273       llvm::sys::path::append(CurrDir, FName);
1274       FName = CurrDir.c_str();
1275     }
1276 
1277     ErrorOr<llvm::vfs::Status> Res = FS->status(FName);
1278     if (!Res || !Res->exists()) {
1279       std::error_code EC = Res.getError();
1280       if (!InConfigFile) {
1281         // If the specified file does not exist, leave '@file' unexpanded, as
1282         // libiberty does.
1283         if (!EC || EC == llvm::errc::no_such_file_or_directory) {
1284           ++I;
1285           continue;
1286         }
1287       }
1288       if (!EC)
1289         EC = llvm::errc::no_such_file_or_directory;
1290       return createStringError(EC, Twine("cannot not open file '") + FName +
1291                                        "': " + EC.message());
1292     }
1293     const llvm::vfs::Status &FileStatus = Res.get();
1294 
1295     auto IsEquivalent =
1296         [FileStatus, this](const ResponseFileRecord &RFile) -> ErrorOr<bool> {
1297       ErrorOr<llvm::vfs::Status> RHS = FS->status(RFile.File);
1298       if (!RHS)
1299         return RHS.getError();
1300       return FileStatus.equivalent(*RHS);
1301     };
1302 
1303     // Check for recursive response files.
1304     for (const auto &F : drop_begin(FileStack)) {
1305       if (ErrorOr<bool> R = IsEquivalent(F)) {
1306         if (R.get())
1307           return createStringError(
1308               R.getError(), Twine("recursive expansion of: '") + F.File + "'");
1309       } else {
1310         return createStringError(R.getError(),
1311                                  Twine("cannot open file: ") + F.File);
1312       }
1313     }
1314 
1315     // Replace this response file argument with the tokenization of its
1316     // contents.  Nested response files are expanded in subsequent iterations.
1317     SmallVector<const char *, 0> ExpandedArgv;
1318     if (Error Err = expandResponseFile(FName, ExpandedArgv))
1319       return Err;
1320 
1321     for (ResponseFileRecord &Record : FileStack) {
1322       // Increase the end of all active records by the number of newly expanded
1323       // arguments, minus the response file itself.
1324       Record.End += ExpandedArgv.size() - 1;
1325     }
1326 
1327     FileStack.push_back({FName, I + ExpandedArgv.size()});
1328     Argv.erase(Argv.begin() + I);
1329     Argv.insert(Argv.begin() + I, ExpandedArgv.begin(), ExpandedArgv.end());
1330   }
1331 
1332   // If successful, the top of the file stack will mark the end of the Argv
1333   // stream. A failure here indicates a bug in the stack popping logic above.
1334   // Note that FileStack may have more than one element at this point because we
1335   // don't have a chance to pop the stack when encountering recursive files at
1336   // the end of the stream, so seeing that doesn't indicate a bug.
1337   assert(FileStack.size() > 0 && Argv.size() == FileStack.back().End);
1338   return Error::success();
1339 }
1340 
1341 bool cl::expandResponseFiles(int Argc, const char *const *Argv,
1342                              const char *EnvVar, StringSaver &Saver,
1343                              SmallVectorImpl<const char *> &NewArgv) {
1344   auto Tokenize = Triple(sys::getProcessTriple()).isOSWindows()
1345                       ? cl::TokenizeWindowsCommandLine
1346                       : cl::TokenizeGNUCommandLine;
1347   // The environment variable specifies initial options.
1348   if (EnvVar)
1349     if (llvm::Optional<std::string> EnvValue = sys::Process::GetEnv(EnvVar))
1350       Tokenize(*EnvValue, Saver, NewArgv, /*MarkEOLs=*/false);
1351 
1352   // Command line options can override the environment variable.
1353   NewArgv.append(Argv + 1, Argv + Argc);
1354   ExpansionContext ECtx(Saver.getAllocator(), Tokenize);
1355   if (Error Err = ECtx.expandResponseFiles(NewArgv)) {
1356     errs() << toString(std::move(Err)) << '\n';
1357     return false;
1358   }
1359   return true;
1360 }
1361 
1362 bool cl::ExpandResponseFiles(StringSaver &Saver, TokenizerCallback Tokenizer,
1363                              SmallVectorImpl<const char *> &Argv) {
1364   ExpansionContext ECtx(Saver.getAllocator(), Tokenizer);
1365   if (Error Err = ECtx.expandResponseFiles(Argv)) {
1366     errs() << toString(std::move(Err)) << '\n';
1367     return false;
1368   }
1369   return true;
1370 }
1371 
1372 ExpansionContext::ExpansionContext(BumpPtrAllocator &A, TokenizerCallback T)
1373     : Saver(A), Tokenizer(T), FS(vfs::getRealFileSystem().get()) {}
1374 
1375 bool ExpansionContext::findConfigFile(StringRef FileName,
1376                                       SmallVectorImpl<char> &FilePath) {
1377   SmallString<128> CfgFilePath;
1378   const auto FileExists = [this](SmallString<128> Path) -> bool {
1379     auto Status = FS->status(Path);
1380     return Status &&
1381            Status->getType() == llvm::sys::fs::file_type::regular_file;
1382   };
1383 
1384   // If file name contains directory separator, treat it as a path to
1385   // configuration file.
1386   if (llvm::sys::path::has_parent_path(FileName)) {
1387     CfgFilePath = FileName;
1388     if (llvm::sys::path::is_relative(FileName) && FS->makeAbsolute(CfgFilePath))
1389       return false;
1390     if (!FileExists(CfgFilePath))
1391       return false;
1392     FilePath.assign(CfgFilePath.begin(), CfgFilePath.end());
1393     return true;
1394   }
1395 
1396   // Look for the file in search directories.
1397   for (const StringRef &Dir : SearchDirs) {
1398     if (Dir.empty())
1399       continue;
1400     CfgFilePath.assign(Dir);
1401     llvm::sys::path::append(CfgFilePath, FileName);
1402     llvm::sys::path::native(CfgFilePath);
1403     if (FileExists(CfgFilePath)) {
1404       FilePath.assign(CfgFilePath.begin(), CfgFilePath.end());
1405       return true;
1406     }
1407   }
1408 
1409   return false;
1410 }
1411 
1412 Error ExpansionContext::readConfigFile(StringRef CfgFile,
1413                                        SmallVectorImpl<const char *> &Argv) {
1414   SmallString<128> AbsPath;
1415   if (sys::path::is_relative(CfgFile)) {
1416     AbsPath.assign(CfgFile);
1417     if (std::error_code EC = FS->makeAbsolute(AbsPath))
1418       return make_error<StringError>(
1419           EC, Twine("cannot get absolute path for " + CfgFile));
1420     CfgFile = AbsPath.str();
1421   }
1422   InConfigFile = true;
1423   RelativeNames = true;
1424   if (Error Err = expandResponseFile(CfgFile, Argv))
1425     return Err;
1426   return expandResponseFiles(Argv);
1427 }
1428 
1429 static void initCommonOptions();
1430 bool cl::ParseCommandLineOptions(int argc, const char *const *argv,
1431                                  StringRef Overview, raw_ostream *Errs,
1432                                  const char *EnvVar,
1433                                  bool LongOptionsUseDoubleDash) {
1434   initCommonOptions();
1435   SmallVector<const char *, 20> NewArgv;
1436   BumpPtrAllocator A;
1437   StringSaver Saver(A);
1438   NewArgv.push_back(argv[0]);
1439 
1440   // Parse options from environment variable.
1441   if (EnvVar) {
1442     if (llvm::Optional<std::string> EnvValue =
1443             sys::Process::GetEnv(StringRef(EnvVar)))
1444       TokenizeGNUCommandLine(*EnvValue, Saver, NewArgv);
1445   }
1446 
1447   // Append options from command line.
1448   for (int I = 1; I < argc; ++I)
1449     NewArgv.push_back(argv[I]);
1450   int NewArgc = static_cast<int>(NewArgv.size());
1451 
1452   // Parse all options.
1453   return GlobalParser->ParseCommandLineOptions(NewArgc, &NewArgv[0], Overview,
1454                                                Errs, LongOptionsUseDoubleDash);
1455 }
1456 
1457 /// Reset all options at least once, so that we can parse different options.
1458 void CommandLineParser::ResetAllOptionOccurrences() {
1459   // Reset all option values to look like they have never been seen before.
1460   // Options might be reset twice (they can be reference in both OptionsMap
1461   // and one of the other members), but that does not harm.
1462   for (auto *SC : RegisteredSubCommands) {
1463     for (auto &O : SC->OptionsMap)
1464       O.second->reset();
1465     for (Option *O : SC->PositionalOpts)
1466       O->reset();
1467     for (Option *O : SC->SinkOpts)
1468       O->reset();
1469     if (SC->ConsumeAfterOpt)
1470       SC->ConsumeAfterOpt->reset();
1471   }
1472 }
1473 
1474 bool CommandLineParser::ParseCommandLineOptions(int argc,
1475                                                 const char *const *argv,
1476                                                 StringRef Overview,
1477                                                 raw_ostream *Errs,
1478                                                 bool LongOptionsUseDoubleDash) {
1479   assert(hasOptions() && "No options specified!");
1480 
1481   ProgramOverview = Overview;
1482   bool IgnoreErrors = Errs;
1483   if (!Errs)
1484     Errs = &errs();
1485   bool ErrorParsing = false;
1486 
1487   // Expand response files.
1488   SmallVector<const char *, 20> newArgv(argv, argv + argc);
1489   BumpPtrAllocator A;
1490   ExpansionContext ECtx(A, Triple(sys::getProcessTriple()).isOSWindows()
1491                                ? cl::TokenizeWindowsCommandLine
1492                                : cl::TokenizeGNUCommandLine);
1493   if (Error Err = ECtx.expandResponseFiles(newArgv)) {
1494     *Errs << toString(std::move(Err)) << '\n';
1495     return false;
1496   }
1497   argv = &newArgv[0];
1498   argc = static_cast<int>(newArgv.size());
1499 
1500   // Copy the program name into ProgName, making sure not to overflow it.
1501   ProgramName = std::string(sys::path::filename(StringRef(argv[0])));
1502 
1503   // Check out the positional arguments to collect information about them.
1504   unsigned NumPositionalRequired = 0;
1505 
1506   // Determine whether or not there are an unlimited number of positionals
1507   bool HasUnlimitedPositionals = false;
1508 
1509   int FirstArg = 1;
1510   SubCommand *ChosenSubCommand = &SubCommand::getTopLevel();
1511   if (argc >= 2 && argv[FirstArg][0] != '-') {
1512     // If the first argument specifies a valid subcommand, start processing
1513     // options from the second argument.
1514     ChosenSubCommand = LookupSubCommand(StringRef(argv[FirstArg]));
1515     if (ChosenSubCommand != &SubCommand::getTopLevel())
1516       FirstArg = 2;
1517   }
1518   GlobalParser->ActiveSubCommand = ChosenSubCommand;
1519 
1520   assert(ChosenSubCommand);
1521   auto &ConsumeAfterOpt = ChosenSubCommand->ConsumeAfterOpt;
1522   auto &PositionalOpts = ChosenSubCommand->PositionalOpts;
1523   auto &SinkOpts = ChosenSubCommand->SinkOpts;
1524   auto &OptionsMap = ChosenSubCommand->OptionsMap;
1525 
1526   for (auto *O: DefaultOptions) {
1527     addOption(O, true);
1528   }
1529 
1530   if (ConsumeAfterOpt) {
1531     assert(PositionalOpts.size() > 0 &&
1532            "Cannot specify cl::ConsumeAfter without a positional argument!");
1533   }
1534   if (!PositionalOpts.empty()) {
1535 
1536     // Calculate how many positional values are _required_.
1537     bool UnboundedFound = false;
1538     for (size_t i = 0, e = PositionalOpts.size(); i != e; ++i) {
1539       Option *Opt = PositionalOpts[i];
1540       if (RequiresValue(Opt))
1541         ++NumPositionalRequired;
1542       else if (ConsumeAfterOpt) {
1543         // ConsumeAfter cannot be combined with "optional" positional options
1544         // unless there is only one positional argument...
1545         if (PositionalOpts.size() > 1) {
1546           if (!IgnoreErrors)
1547             Opt->error("error - this positional option will never be matched, "
1548                        "because it does not Require a value, and a "
1549                        "cl::ConsumeAfter option is active!");
1550           ErrorParsing = true;
1551         }
1552       } else if (UnboundedFound && !Opt->hasArgStr()) {
1553         // This option does not "require" a value...  Make sure this option is
1554         // not specified after an option that eats all extra arguments, or this
1555         // one will never get any!
1556         //
1557         if (!IgnoreErrors)
1558           Opt->error("error - option can never match, because "
1559                      "another positional argument will match an "
1560                      "unbounded number of values, and this option"
1561                      " does not require a value!");
1562         *Errs << ProgramName << ": CommandLine Error: Option '" << Opt->ArgStr
1563               << "' is all messed up!\n";
1564         *Errs << PositionalOpts.size();
1565         ErrorParsing = true;
1566       }
1567       UnboundedFound |= EatsUnboundedNumberOfValues(Opt);
1568     }
1569     HasUnlimitedPositionals = UnboundedFound || ConsumeAfterOpt;
1570   }
1571 
1572   // PositionalVals - A vector of "positional" arguments we accumulate into
1573   // the process at the end.
1574   //
1575   SmallVector<std::pair<StringRef, unsigned>, 4> PositionalVals;
1576 
1577   // If the program has named positional arguments, and the name has been run
1578   // across, keep track of which positional argument was named.  Otherwise put
1579   // the positional args into the PositionalVals list...
1580   Option *ActivePositionalArg = nullptr;
1581 
1582   // Loop over all of the arguments... processing them.
1583   bool DashDashFound = false; // Have we read '--'?
1584   for (int i = FirstArg; i < argc; ++i) {
1585     Option *Handler = nullptr;
1586     Option *NearestHandler = nullptr;
1587     std::string NearestHandlerString;
1588     StringRef Value;
1589     StringRef ArgName = "";
1590     bool HaveDoubleDash = false;
1591 
1592     // Check to see if this is a positional argument.  This argument is
1593     // considered to be positional if it doesn't start with '-', if it is "-"
1594     // itself, or if we have seen "--" already.
1595     //
1596     if (argv[i][0] != '-' || argv[i][1] == 0 || DashDashFound) {
1597       // Positional argument!
1598       if (ActivePositionalArg) {
1599         ProvidePositionalOption(ActivePositionalArg, StringRef(argv[i]), i);
1600         continue; // We are done!
1601       }
1602 
1603       if (!PositionalOpts.empty()) {
1604         PositionalVals.push_back(std::make_pair(StringRef(argv[i]), i));
1605 
1606         // All of the positional arguments have been fulfulled, give the rest to
1607         // the consume after option... if it's specified...
1608         //
1609         if (PositionalVals.size() >= NumPositionalRequired && ConsumeAfterOpt) {
1610           for (++i; i < argc; ++i)
1611             PositionalVals.push_back(std::make_pair(StringRef(argv[i]), i));
1612           break; // Handle outside of the argument processing loop...
1613         }
1614 
1615         // Delay processing positional arguments until the end...
1616         continue;
1617       }
1618     } else if (argv[i][0] == '-' && argv[i][1] == '-' && argv[i][2] == 0 &&
1619                !DashDashFound) {
1620       DashDashFound = true; // This is the mythical "--"?
1621       continue;             // Don't try to process it as an argument itself.
1622     } else if (ActivePositionalArg &&
1623                (ActivePositionalArg->getMiscFlags() & PositionalEatsArgs)) {
1624       // If there is a positional argument eating options, check to see if this
1625       // option is another positional argument.  If so, treat it as an argument,
1626       // otherwise feed it to the eating positional.
1627       ArgName = StringRef(argv[i] + 1);
1628       // Eat second dash.
1629       if (!ArgName.empty() && ArgName[0] == '-') {
1630         HaveDoubleDash = true;
1631         ArgName = ArgName.substr(1);
1632       }
1633 
1634       Handler = LookupLongOption(*ChosenSubCommand, ArgName, Value,
1635                                  LongOptionsUseDoubleDash, HaveDoubleDash);
1636       if (!Handler || Handler->getFormattingFlag() != cl::Positional) {
1637         ProvidePositionalOption(ActivePositionalArg, StringRef(argv[i]), i);
1638         continue; // We are done!
1639       }
1640     } else { // We start with a '-', must be an argument.
1641       ArgName = StringRef(argv[i] + 1);
1642       // Eat second dash.
1643       if (!ArgName.empty() && ArgName[0] == '-') {
1644         HaveDoubleDash = true;
1645         ArgName = ArgName.substr(1);
1646       }
1647 
1648       Handler = LookupLongOption(*ChosenSubCommand, ArgName, Value,
1649                                  LongOptionsUseDoubleDash, HaveDoubleDash);
1650 
1651       // Check to see if this "option" is really a prefixed or grouped argument.
1652       if (!Handler && !(LongOptionsUseDoubleDash && HaveDoubleDash))
1653         Handler = HandlePrefixedOrGroupedOption(ArgName, Value, ErrorParsing,
1654                                                 OptionsMap);
1655 
1656       // Otherwise, look for the closest available option to report to the user
1657       // in the upcoming error.
1658       if (!Handler && SinkOpts.empty())
1659         NearestHandler =
1660             LookupNearestOption(ArgName, OptionsMap, NearestHandlerString);
1661     }
1662 
1663     if (!Handler) {
1664       if (SinkOpts.empty()) {
1665         *Errs << ProgramName << ": Unknown command line argument '" << argv[i]
1666               << "'.  Try: '" << argv[0] << " --help'\n";
1667 
1668         if (NearestHandler) {
1669           // If we know a near match, report it as well.
1670           *Errs << ProgramName << ": Did you mean '"
1671                 << PrintArg(NearestHandlerString, 0) << "'?\n";
1672         }
1673 
1674         ErrorParsing = true;
1675       } else {
1676         for (Option *SinkOpt : SinkOpts)
1677           SinkOpt->addOccurrence(i, "", StringRef(argv[i]));
1678       }
1679       continue;
1680     }
1681 
1682     // If this is a named positional argument, just remember that it is the
1683     // active one...
1684     if (Handler->getFormattingFlag() == cl::Positional) {
1685       if ((Handler->getMiscFlags() & PositionalEatsArgs) && !Value.empty()) {
1686         Handler->error("This argument does not take a value.\n"
1687                        "\tInstead, it consumes any positional arguments until "
1688                        "the next recognized option.", *Errs);
1689         ErrorParsing = true;
1690       }
1691       ActivePositionalArg = Handler;
1692     }
1693     else
1694       ErrorParsing |= ProvideOption(Handler, ArgName, Value, argc, argv, i);
1695   }
1696 
1697   // Check and handle positional arguments now...
1698   if (NumPositionalRequired > PositionalVals.size()) {
1699       *Errs << ProgramName
1700              << ": Not enough positional command line arguments specified!\n"
1701              << "Must specify at least " << NumPositionalRequired
1702              << " positional argument" << (NumPositionalRequired > 1 ? "s" : "")
1703              << ": See: " << argv[0] << " --help\n";
1704 
1705     ErrorParsing = true;
1706   } else if (!HasUnlimitedPositionals &&
1707              PositionalVals.size() > PositionalOpts.size()) {
1708     *Errs << ProgramName << ": Too many positional arguments specified!\n"
1709           << "Can specify at most " << PositionalOpts.size()
1710           << " positional arguments: See: " << argv[0] << " --help\n";
1711     ErrorParsing = true;
1712 
1713   } else if (!ConsumeAfterOpt) {
1714     // Positional args have already been handled if ConsumeAfter is specified.
1715     unsigned ValNo = 0, NumVals = static_cast<unsigned>(PositionalVals.size());
1716     for (size_t i = 0, e = PositionalOpts.size(); i != e; ++i) {
1717       if (RequiresValue(PositionalOpts[i])) {
1718         ProvidePositionalOption(PositionalOpts[i], PositionalVals[ValNo].first,
1719                                 PositionalVals[ValNo].second);
1720         ValNo++;
1721         --NumPositionalRequired; // We fulfilled our duty...
1722       }
1723 
1724       // If we _can_ give this option more arguments, do so now, as long as we
1725       // do not give it values that others need.  'Done' controls whether the
1726       // option even _WANTS_ any more.
1727       //
1728       bool Done = PositionalOpts[i]->getNumOccurrencesFlag() == cl::Required;
1729       while (NumVals - ValNo > NumPositionalRequired && !Done) {
1730         switch (PositionalOpts[i]->getNumOccurrencesFlag()) {
1731         case cl::Optional:
1732           Done = true; // Optional arguments want _at most_ one value
1733           [[fallthrough]];
1734         case cl::ZeroOrMore: // Zero or more will take all they can get...
1735         case cl::OneOrMore:  // One or more will take all they can get...
1736           ProvidePositionalOption(PositionalOpts[i],
1737                                   PositionalVals[ValNo].first,
1738                                   PositionalVals[ValNo].second);
1739           ValNo++;
1740           break;
1741         default:
1742           llvm_unreachable("Internal error, unexpected NumOccurrences flag in "
1743                            "positional argument processing!");
1744         }
1745       }
1746     }
1747   } else {
1748     assert(ConsumeAfterOpt && NumPositionalRequired <= PositionalVals.size());
1749     unsigned ValNo = 0;
1750     for (size_t J = 0, E = PositionalOpts.size(); J != E; ++J)
1751       if (RequiresValue(PositionalOpts[J])) {
1752         ErrorParsing |= ProvidePositionalOption(PositionalOpts[J],
1753                                                 PositionalVals[ValNo].first,
1754                                                 PositionalVals[ValNo].second);
1755         ValNo++;
1756       }
1757 
1758     // Handle the case where there is just one positional option, and it's
1759     // optional.  In this case, we want to give JUST THE FIRST option to the
1760     // positional option and keep the rest for the consume after.  The above
1761     // loop would have assigned no values to positional options in this case.
1762     //
1763     if (PositionalOpts.size() == 1 && ValNo == 0 && !PositionalVals.empty()) {
1764       ErrorParsing |= ProvidePositionalOption(PositionalOpts[0],
1765                                               PositionalVals[ValNo].first,
1766                                               PositionalVals[ValNo].second);
1767       ValNo++;
1768     }
1769 
1770     // Handle over all of the rest of the arguments to the
1771     // cl::ConsumeAfter command line option...
1772     for (; ValNo != PositionalVals.size(); ++ValNo)
1773       ErrorParsing |=
1774           ProvidePositionalOption(ConsumeAfterOpt, PositionalVals[ValNo].first,
1775                                   PositionalVals[ValNo].second);
1776   }
1777 
1778   // Loop over args and make sure all required args are specified!
1779   for (const auto &Opt : OptionsMap) {
1780     switch (Opt.second->getNumOccurrencesFlag()) {
1781     case Required:
1782     case OneOrMore:
1783       if (Opt.second->getNumOccurrences() == 0) {
1784         Opt.second->error("must be specified at least once!");
1785         ErrorParsing = true;
1786       }
1787       [[fallthrough]];
1788     default:
1789       break;
1790     }
1791   }
1792 
1793   // Now that we know if -debug is specified, we can use it.
1794   // Note that if ReadResponseFiles == true, this must be done before the
1795   // memory allocated for the expanded command line is free()d below.
1796   LLVM_DEBUG(dbgs() << "Args: ";
1797              for (int i = 0; i < argc; ++i) dbgs() << argv[i] << ' ';
1798              dbgs() << '\n';);
1799 
1800   // Free all of the memory allocated to the map.  Command line options may only
1801   // be processed once!
1802   MoreHelp.clear();
1803 
1804   // If we had an error processing our arguments, don't let the program execute
1805   if (ErrorParsing) {
1806     if (!IgnoreErrors)
1807       exit(1);
1808     return false;
1809   }
1810   return true;
1811 }
1812 
1813 //===----------------------------------------------------------------------===//
1814 // Option Base class implementation
1815 //
1816 
1817 bool Option::error(const Twine &Message, StringRef ArgName, raw_ostream &Errs) {
1818   if (!ArgName.data())
1819     ArgName = ArgStr;
1820   if (ArgName.empty())
1821     Errs << HelpStr; // Be nice for positional arguments
1822   else
1823     Errs << GlobalParser->ProgramName << ": for the " << PrintArg(ArgName, 0);
1824 
1825   Errs << " option: " << Message << "\n";
1826   return true;
1827 }
1828 
1829 bool Option::addOccurrence(unsigned pos, StringRef ArgName, StringRef Value,
1830                            bool MultiArg) {
1831   if (!MultiArg)
1832     NumOccurrences++; // Increment the number of times we have been seen
1833 
1834   return handleOccurrence(pos, ArgName, Value);
1835 }
1836 
1837 // getValueStr - Get the value description string, using "DefaultMsg" if nothing
1838 // has been specified yet.
1839 //
1840 static StringRef getValueStr(const Option &O, StringRef DefaultMsg) {
1841   if (O.ValueStr.empty())
1842     return DefaultMsg;
1843   return O.ValueStr;
1844 }
1845 
1846 //===----------------------------------------------------------------------===//
1847 // cl::alias class implementation
1848 //
1849 
1850 // Return the width of the option tag for printing...
1851 size_t alias::getOptionWidth() const {
1852   return argPlusPrefixesSize(ArgStr);
1853 }
1854 
1855 void Option::printHelpStr(StringRef HelpStr, size_t Indent,
1856                           size_t FirstLineIndentedBy) {
1857   assert(Indent >= FirstLineIndentedBy);
1858   std::pair<StringRef, StringRef> Split = HelpStr.split('\n');
1859   outs().indent(Indent - FirstLineIndentedBy)
1860       << ArgHelpPrefix << Split.first << "\n";
1861   while (!Split.second.empty()) {
1862     Split = Split.second.split('\n');
1863     outs().indent(Indent) << Split.first << "\n";
1864   }
1865 }
1866 
1867 void Option::printEnumValHelpStr(StringRef HelpStr, size_t BaseIndent,
1868                                  size_t FirstLineIndentedBy) {
1869   const StringRef ValHelpPrefix = "  ";
1870   assert(BaseIndent >= FirstLineIndentedBy);
1871   std::pair<StringRef, StringRef> Split = HelpStr.split('\n');
1872   outs().indent(BaseIndent - FirstLineIndentedBy)
1873       << ArgHelpPrefix << ValHelpPrefix << Split.first << "\n";
1874   while (!Split.second.empty()) {
1875     Split = Split.second.split('\n');
1876     outs().indent(BaseIndent + ValHelpPrefix.size()) << Split.first << "\n";
1877   }
1878 }
1879 
1880 // Print out the option for the alias.
1881 void alias::printOptionInfo(size_t GlobalWidth) const {
1882   outs() << PrintArg(ArgStr);
1883   printHelpStr(HelpStr, GlobalWidth, argPlusPrefixesSize(ArgStr));
1884 }
1885 
1886 //===----------------------------------------------------------------------===//
1887 // Parser Implementation code...
1888 //
1889 
1890 // basic_parser implementation
1891 //
1892 
1893 // Return the width of the option tag for printing...
1894 size_t basic_parser_impl::getOptionWidth(const Option &O) const {
1895   size_t Len = argPlusPrefixesSize(O.ArgStr);
1896   auto ValName = getValueName();
1897   if (!ValName.empty()) {
1898     size_t FormattingLen = 3;
1899     if (O.getMiscFlags() & PositionalEatsArgs)
1900       FormattingLen = 6;
1901     Len += getValueStr(O, ValName).size() + FormattingLen;
1902   }
1903 
1904   return Len;
1905 }
1906 
1907 // printOptionInfo - Print out information about this option.  The
1908 // to-be-maintained width is specified.
1909 //
1910 void basic_parser_impl::printOptionInfo(const Option &O,
1911                                         size_t GlobalWidth) const {
1912   outs() << PrintArg(O.ArgStr);
1913 
1914   auto ValName = getValueName();
1915   if (!ValName.empty()) {
1916     if (O.getMiscFlags() & PositionalEatsArgs) {
1917       outs() << " <" << getValueStr(O, ValName) << ">...";
1918     } else if (O.getValueExpectedFlag() == ValueOptional)
1919       outs() << "[=<" << getValueStr(O, ValName) << ">]";
1920     else {
1921       outs() << (O.ArgStr.size() == 1 ? " <" : "=<") << getValueStr(O, ValName)
1922              << '>';
1923     }
1924   }
1925 
1926   Option::printHelpStr(O.HelpStr, GlobalWidth, getOptionWidth(O));
1927 }
1928 
1929 void basic_parser_impl::printOptionName(const Option &O,
1930                                         size_t GlobalWidth) const {
1931   outs() << PrintArg(O.ArgStr);
1932   outs().indent(GlobalWidth - O.ArgStr.size());
1933 }
1934 
1935 // parser<bool> implementation
1936 //
1937 bool parser<bool>::parse(Option &O, StringRef ArgName, StringRef Arg,
1938                          bool &Value) {
1939   if (Arg == "" || Arg == "true" || Arg == "TRUE" || Arg == "True" ||
1940       Arg == "1") {
1941     Value = true;
1942     return false;
1943   }
1944 
1945   if (Arg == "false" || Arg == "FALSE" || Arg == "False" || Arg == "0") {
1946     Value = false;
1947     return false;
1948   }
1949   return O.error("'" + Arg +
1950                  "' is invalid value for boolean argument! Try 0 or 1");
1951 }
1952 
1953 // parser<boolOrDefault> implementation
1954 //
1955 bool parser<boolOrDefault>::parse(Option &O, StringRef ArgName, StringRef Arg,
1956                                   boolOrDefault &Value) {
1957   if (Arg == "" || Arg == "true" || Arg == "TRUE" || Arg == "True" ||
1958       Arg == "1") {
1959     Value = BOU_TRUE;
1960     return false;
1961   }
1962   if (Arg == "false" || Arg == "FALSE" || Arg == "False" || Arg == "0") {
1963     Value = BOU_FALSE;
1964     return false;
1965   }
1966 
1967   return O.error("'" + Arg +
1968                  "' is invalid value for boolean argument! Try 0 or 1");
1969 }
1970 
1971 // parser<int> implementation
1972 //
1973 bool parser<int>::parse(Option &O, StringRef ArgName, StringRef Arg,
1974                         int &Value) {
1975   if (Arg.getAsInteger(0, Value))
1976     return O.error("'" + Arg + "' value invalid for integer argument!");
1977   return false;
1978 }
1979 
1980 // parser<long> implementation
1981 //
1982 bool parser<long>::parse(Option &O, StringRef ArgName, StringRef Arg,
1983                          long &Value) {
1984   if (Arg.getAsInteger(0, Value))
1985     return O.error("'" + Arg + "' value invalid for long argument!");
1986   return false;
1987 }
1988 
1989 // parser<long long> implementation
1990 //
1991 bool parser<long long>::parse(Option &O, StringRef ArgName, StringRef Arg,
1992                               long long &Value) {
1993   if (Arg.getAsInteger(0, Value))
1994     return O.error("'" + Arg + "' value invalid for llong argument!");
1995   return false;
1996 }
1997 
1998 // parser<unsigned> implementation
1999 //
2000 bool parser<unsigned>::parse(Option &O, StringRef ArgName, StringRef Arg,
2001                              unsigned &Value) {
2002 
2003   if (Arg.getAsInteger(0, Value))
2004     return O.error("'" + Arg + "' value invalid for uint argument!");
2005   return false;
2006 }
2007 
2008 // parser<unsigned long> implementation
2009 //
2010 bool parser<unsigned long>::parse(Option &O, StringRef ArgName, StringRef Arg,
2011                                   unsigned long &Value) {
2012 
2013   if (Arg.getAsInteger(0, Value))
2014     return O.error("'" + Arg + "' value invalid for ulong argument!");
2015   return false;
2016 }
2017 
2018 // parser<unsigned long long> implementation
2019 //
2020 bool parser<unsigned long long>::parse(Option &O, StringRef ArgName,
2021                                        StringRef Arg,
2022                                        unsigned long long &Value) {
2023 
2024   if (Arg.getAsInteger(0, Value))
2025     return O.error("'" + Arg + "' value invalid for ullong argument!");
2026   return false;
2027 }
2028 
2029 // parser<double>/parser<float> implementation
2030 //
2031 static bool parseDouble(Option &O, StringRef Arg, double &Value) {
2032   if (to_float(Arg, Value))
2033     return false;
2034   return O.error("'" + Arg + "' value invalid for floating point argument!");
2035 }
2036 
2037 bool parser<double>::parse(Option &O, StringRef ArgName, StringRef Arg,
2038                            double &Val) {
2039   return parseDouble(O, Arg, Val);
2040 }
2041 
2042 bool parser<float>::parse(Option &O, StringRef ArgName, StringRef Arg,
2043                           float &Val) {
2044   double dVal;
2045   if (parseDouble(O, Arg, dVal))
2046     return true;
2047   Val = (float)dVal;
2048   return false;
2049 }
2050 
2051 // generic_parser_base implementation
2052 //
2053 
2054 // findOption - Return the option number corresponding to the specified
2055 // argument string.  If the option is not found, getNumOptions() is returned.
2056 //
2057 unsigned generic_parser_base::findOption(StringRef Name) {
2058   unsigned e = getNumOptions();
2059 
2060   for (unsigned i = 0; i != e; ++i) {
2061     if (getOption(i) == Name)
2062       return i;
2063   }
2064   return e;
2065 }
2066 
2067 static StringRef EqValue = "=<value>";
2068 static StringRef EmptyOption = "<empty>";
2069 static StringRef OptionPrefix = "    =";
2070 static size_t getOptionPrefixesSize() {
2071   return OptionPrefix.size() + ArgHelpPrefix.size();
2072 }
2073 
2074 static bool shouldPrintOption(StringRef Name, StringRef Description,
2075                               const Option &O) {
2076   return O.getValueExpectedFlag() != ValueOptional || !Name.empty() ||
2077          !Description.empty();
2078 }
2079 
2080 // Return the width of the option tag for printing...
2081 size_t generic_parser_base::getOptionWidth(const Option &O) const {
2082   if (O.hasArgStr()) {
2083     size_t Size =
2084         argPlusPrefixesSize(O.ArgStr) + EqValue.size();
2085     for (unsigned i = 0, e = getNumOptions(); i != e; ++i) {
2086       StringRef Name = getOption(i);
2087       if (!shouldPrintOption(Name, getDescription(i), O))
2088         continue;
2089       size_t NameSize = Name.empty() ? EmptyOption.size() : Name.size();
2090       Size = std::max(Size, NameSize + getOptionPrefixesSize());
2091     }
2092     return Size;
2093   } else {
2094     size_t BaseSize = 0;
2095     for (unsigned i = 0, e = getNumOptions(); i != e; ++i)
2096       BaseSize = std::max(BaseSize, getOption(i).size() + 8);
2097     return BaseSize;
2098   }
2099 }
2100 
2101 // printOptionInfo - Print out information about this option.  The
2102 // to-be-maintained width is specified.
2103 //
2104 void generic_parser_base::printOptionInfo(const Option &O,
2105                                           size_t GlobalWidth) const {
2106   if (O.hasArgStr()) {
2107     // When the value is optional, first print a line just describing the
2108     // option without values.
2109     if (O.getValueExpectedFlag() == ValueOptional) {
2110       for (unsigned i = 0, e = getNumOptions(); i != e; ++i) {
2111         if (getOption(i).empty()) {
2112           outs() << PrintArg(O.ArgStr);
2113           Option::printHelpStr(O.HelpStr, GlobalWidth,
2114                                argPlusPrefixesSize(O.ArgStr));
2115           break;
2116         }
2117       }
2118     }
2119 
2120     outs() << PrintArg(O.ArgStr) << EqValue;
2121     Option::printHelpStr(O.HelpStr, GlobalWidth,
2122                          EqValue.size() +
2123                              argPlusPrefixesSize(O.ArgStr));
2124     for (unsigned i = 0, e = getNumOptions(); i != e; ++i) {
2125       StringRef OptionName = getOption(i);
2126       StringRef Description = getDescription(i);
2127       if (!shouldPrintOption(OptionName, Description, O))
2128         continue;
2129       size_t FirstLineIndent = OptionName.size() + getOptionPrefixesSize();
2130       outs() << OptionPrefix << OptionName;
2131       if (OptionName.empty()) {
2132         outs() << EmptyOption;
2133         assert(FirstLineIndent >= EmptyOption.size());
2134         FirstLineIndent += EmptyOption.size();
2135       }
2136       if (!Description.empty())
2137         Option::printEnumValHelpStr(Description, GlobalWidth, FirstLineIndent);
2138       else
2139         outs() << '\n';
2140     }
2141   } else {
2142     if (!O.HelpStr.empty())
2143       outs() << "  " << O.HelpStr << '\n';
2144     for (unsigned i = 0, e = getNumOptions(); i != e; ++i) {
2145       StringRef Option = getOption(i);
2146       outs() << "    " << PrintArg(Option);
2147       Option::printHelpStr(getDescription(i), GlobalWidth, Option.size() + 8);
2148     }
2149   }
2150 }
2151 
2152 static const size_t MaxOptWidth = 8; // arbitrary spacing for printOptionDiff
2153 
2154 // printGenericOptionDiff - Print the value of this option and it's default.
2155 //
2156 // "Generic" options have each value mapped to a name.
2157 void generic_parser_base::printGenericOptionDiff(
2158     const Option &O, const GenericOptionValue &Value,
2159     const GenericOptionValue &Default, size_t GlobalWidth) const {
2160   outs() << "  " << PrintArg(O.ArgStr);
2161   outs().indent(GlobalWidth - O.ArgStr.size());
2162 
2163   unsigned NumOpts = getNumOptions();
2164   for (unsigned i = 0; i != NumOpts; ++i) {
2165     if (Value.compare(getOptionValue(i)))
2166       continue;
2167 
2168     outs() << "= " << getOption(i);
2169     size_t L = getOption(i).size();
2170     size_t NumSpaces = MaxOptWidth > L ? MaxOptWidth - L : 0;
2171     outs().indent(NumSpaces) << " (default: ";
2172     for (unsigned j = 0; j != NumOpts; ++j) {
2173       if (Default.compare(getOptionValue(j)))
2174         continue;
2175       outs() << getOption(j);
2176       break;
2177     }
2178     outs() << ")\n";
2179     return;
2180   }
2181   outs() << "= *unknown option value*\n";
2182 }
2183 
2184 // printOptionDiff - Specializations for printing basic value types.
2185 //
2186 #define PRINT_OPT_DIFF(T)                                                      \
2187   void parser<T>::printOptionDiff(const Option &O, T V, OptionValue<T> D,      \
2188                                   size_t GlobalWidth) const {                  \
2189     printOptionName(O, GlobalWidth);                                           \
2190     std::string Str;                                                           \
2191     {                                                                          \
2192       raw_string_ostream SS(Str);                                              \
2193       SS << V;                                                                 \
2194     }                                                                          \
2195     outs() << "= " << Str;                                                     \
2196     size_t NumSpaces =                                                         \
2197         MaxOptWidth > Str.size() ? MaxOptWidth - Str.size() : 0;               \
2198     outs().indent(NumSpaces) << " (default: ";                                 \
2199     if (D.hasValue())                                                          \
2200       outs() << D.getValue();                                                  \
2201     else                                                                       \
2202       outs() << "*no default*";                                                \
2203     outs() << ")\n";                                                           \
2204   }
2205 
2206 PRINT_OPT_DIFF(bool)
2207 PRINT_OPT_DIFF(boolOrDefault)
2208 PRINT_OPT_DIFF(int)
2209 PRINT_OPT_DIFF(long)
2210 PRINT_OPT_DIFF(long long)
2211 PRINT_OPT_DIFF(unsigned)
2212 PRINT_OPT_DIFF(unsigned long)
2213 PRINT_OPT_DIFF(unsigned long long)
2214 PRINT_OPT_DIFF(double)
2215 PRINT_OPT_DIFF(float)
2216 PRINT_OPT_DIFF(char)
2217 
2218 void parser<std::string>::printOptionDiff(const Option &O, StringRef V,
2219                                           const OptionValue<std::string> &D,
2220                                           size_t GlobalWidth) const {
2221   printOptionName(O, GlobalWidth);
2222   outs() << "= " << V;
2223   size_t NumSpaces = MaxOptWidth > V.size() ? MaxOptWidth - V.size() : 0;
2224   outs().indent(NumSpaces) << " (default: ";
2225   if (D.hasValue())
2226     outs() << D.getValue();
2227   else
2228     outs() << "*no default*";
2229   outs() << ")\n";
2230 }
2231 
2232 // Print a placeholder for options that don't yet support printOptionDiff().
2233 void basic_parser_impl::printOptionNoValue(const Option &O,
2234                                            size_t GlobalWidth) const {
2235   printOptionName(O, GlobalWidth);
2236   outs() << "= *cannot print option value*\n";
2237 }
2238 
2239 //===----------------------------------------------------------------------===//
2240 // -help and -help-hidden option implementation
2241 //
2242 
2243 static int OptNameCompare(const std::pair<const char *, Option *> *LHS,
2244                           const std::pair<const char *, Option *> *RHS) {
2245   return strcmp(LHS->first, RHS->first);
2246 }
2247 
2248 static int SubNameCompare(const std::pair<const char *, SubCommand *> *LHS,
2249                           const std::pair<const char *, SubCommand *> *RHS) {
2250   return strcmp(LHS->first, RHS->first);
2251 }
2252 
2253 // Copy Options into a vector so we can sort them as we like.
2254 static void sortOpts(StringMap<Option *> &OptMap,
2255                      SmallVectorImpl<std::pair<const char *, Option *>> &Opts,
2256                      bool ShowHidden) {
2257   SmallPtrSet<Option *, 32> OptionSet; // Duplicate option detection.
2258 
2259   for (StringMap<Option *>::iterator I = OptMap.begin(), E = OptMap.end();
2260        I != E; ++I) {
2261     // Ignore really-hidden options.
2262     if (I->second->getOptionHiddenFlag() == ReallyHidden)
2263       continue;
2264 
2265     // Unless showhidden is set, ignore hidden flags.
2266     if (I->second->getOptionHiddenFlag() == Hidden && !ShowHidden)
2267       continue;
2268 
2269     // If we've already seen this option, don't add it to the list again.
2270     if (!OptionSet.insert(I->second).second)
2271       continue;
2272 
2273     Opts.push_back(
2274         std::pair<const char *, Option *>(I->getKey().data(), I->second));
2275   }
2276 
2277   // Sort the options list alphabetically.
2278   array_pod_sort(Opts.begin(), Opts.end(), OptNameCompare);
2279 }
2280 
2281 static void
2282 sortSubCommands(const SmallPtrSetImpl<SubCommand *> &SubMap,
2283                 SmallVectorImpl<std::pair<const char *, SubCommand *>> &Subs) {
2284   for (auto *S : SubMap) {
2285     if (S->getName().empty())
2286       continue;
2287     Subs.push_back(std::make_pair(S->getName().data(), S));
2288   }
2289   array_pod_sort(Subs.begin(), Subs.end(), SubNameCompare);
2290 }
2291 
2292 namespace {
2293 
2294 class HelpPrinter {
2295 protected:
2296   const bool ShowHidden;
2297   typedef SmallVector<std::pair<const char *, Option *>, 128>
2298       StrOptionPairVector;
2299   typedef SmallVector<std::pair<const char *, SubCommand *>, 128>
2300       StrSubCommandPairVector;
2301   // Print the options. Opts is assumed to be alphabetically sorted.
2302   virtual void printOptions(StrOptionPairVector &Opts, size_t MaxArgLen) {
2303     for (size_t i = 0, e = Opts.size(); i != e; ++i)
2304       Opts[i].second->printOptionInfo(MaxArgLen);
2305   }
2306 
2307   void printSubCommands(StrSubCommandPairVector &Subs, size_t MaxSubLen) {
2308     for (const auto &S : Subs) {
2309       outs() << "  " << S.first;
2310       if (!S.second->getDescription().empty()) {
2311         outs().indent(MaxSubLen - strlen(S.first));
2312         outs() << " - " << S.second->getDescription();
2313       }
2314       outs() << "\n";
2315     }
2316   }
2317 
2318 public:
2319   explicit HelpPrinter(bool showHidden) : ShowHidden(showHidden) {}
2320   virtual ~HelpPrinter() = default;
2321 
2322   // Invoke the printer.
2323   void operator=(bool Value) {
2324     if (!Value)
2325       return;
2326     printHelp();
2327 
2328     // Halt the program since help information was printed
2329     exit(0);
2330   }
2331 
2332   void printHelp() {
2333     SubCommand *Sub = GlobalParser->getActiveSubCommand();
2334     auto &OptionsMap = Sub->OptionsMap;
2335     auto &PositionalOpts = Sub->PositionalOpts;
2336     auto &ConsumeAfterOpt = Sub->ConsumeAfterOpt;
2337 
2338     StrOptionPairVector Opts;
2339     sortOpts(OptionsMap, Opts, ShowHidden);
2340 
2341     StrSubCommandPairVector Subs;
2342     sortSubCommands(GlobalParser->RegisteredSubCommands, Subs);
2343 
2344     if (!GlobalParser->ProgramOverview.empty())
2345       outs() << "OVERVIEW: " << GlobalParser->ProgramOverview << "\n";
2346 
2347     if (Sub == &SubCommand::getTopLevel()) {
2348       outs() << "USAGE: " << GlobalParser->ProgramName;
2349       if (Subs.size() > 2)
2350         outs() << " [subcommand]";
2351       outs() << " [options]";
2352     } else {
2353       if (!Sub->getDescription().empty()) {
2354         outs() << "SUBCOMMAND '" << Sub->getName()
2355                << "': " << Sub->getDescription() << "\n\n";
2356       }
2357       outs() << "USAGE: " << GlobalParser->ProgramName << " " << Sub->getName()
2358              << " [options]";
2359     }
2360 
2361     for (auto *Opt : PositionalOpts) {
2362       if (Opt->hasArgStr())
2363         outs() << " --" << Opt->ArgStr;
2364       outs() << " " << Opt->HelpStr;
2365     }
2366 
2367     // Print the consume after option info if it exists...
2368     if (ConsumeAfterOpt)
2369       outs() << " " << ConsumeAfterOpt->HelpStr;
2370 
2371     if (Sub == &SubCommand::getTopLevel() && !Subs.empty()) {
2372       // Compute the maximum subcommand length...
2373       size_t MaxSubLen = 0;
2374       for (size_t i = 0, e = Subs.size(); i != e; ++i)
2375         MaxSubLen = std::max(MaxSubLen, strlen(Subs[i].first));
2376 
2377       outs() << "\n\n";
2378       outs() << "SUBCOMMANDS:\n\n";
2379       printSubCommands(Subs, MaxSubLen);
2380       outs() << "\n";
2381       outs() << "  Type \"" << GlobalParser->ProgramName
2382              << " <subcommand> --help\" to get more help on a specific "
2383                 "subcommand";
2384     }
2385 
2386     outs() << "\n\n";
2387 
2388     // Compute the maximum argument length...
2389     size_t MaxArgLen = 0;
2390     for (size_t i = 0, e = Opts.size(); i != e; ++i)
2391       MaxArgLen = std::max(MaxArgLen, Opts[i].second->getOptionWidth());
2392 
2393     outs() << "OPTIONS:\n";
2394     printOptions(Opts, MaxArgLen);
2395 
2396     // Print any extra help the user has declared.
2397     for (const auto &I : GlobalParser->MoreHelp)
2398       outs() << I;
2399     GlobalParser->MoreHelp.clear();
2400   }
2401 };
2402 
2403 class CategorizedHelpPrinter : public HelpPrinter {
2404 public:
2405   explicit CategorizedHelpPrinter(bool showHidden) : HelpPrinter(showHidden) {}
2406 
2407   // Helper function for printOptions().
2408   // It shall return a negative value if A's name should be lexicographically
2409   // ordered before B's name. It returns a value greater than zero if B's name
2410   // should be ordered before A's name, and it returns 0 otherwise.
2411   static int OptionCategoryCompare(OptionCategory *const *A,
2412                                    OptionCategory *const *B) {
2413     return (*A)->getName().compare((*B)->getName());
2414   }
2415 
2416   // Make sure we inherit our base class's operator=()
2417   using HelpPrinter::operator=;
2418 
2419 protected:
2420   void printOptions(StrOptionPairVector &Opts, size_t MaxArgLen) override {
2421     std::vector<OptionCategory *> SortedCategories;
2422     DenseMap<OptionCategory *, std::vector<Option *>> CategorizedOptions;
2423 
2424     // Collect registered option categories into vector in preparation for
2425     // sorting.
2426     for (OptionCategory *Category : GlobalParser->RegisteredOptionCategories)
2427       SortedCategories.push_back(Category);
2428 
2429     // Sort the different option categories alphabetically.
2430     assert(SortedCategories.size() > 0 && "No option categories registered!");
2431     array_pod_sort(SortedCategories.begin(), SortedCategories.end(),
2432                    OptionCategoryCompare);
2433 
2434     // Walk through pre-sorted options and assign into categories.
2435     // Because the options are already alphabetically sorted the
2436     // options within categories will also be alphabetically sorted.
2437     for (size_t I = 0, E = Opts.size(); I != E; ++I) {
2438       Option *Opt = Opts[I].second;
2439       for (auto &Cat : Opt->Categories) {
2440         assert(llvm::is_contained(SortedCategories, Cat) &&
2441                "Option has an unregistered category");
2442         CategorizedOptions[Cat].push_back(Opt);
2443       }
2444     }
2445 
2446     // Now do printing.
2447     for (OptionCategory *Category : SortedCategories) {
2448       // Hide empty categories for --help, but show for --help-hidden.
2449       const auto &CategoryOptions = CategorizedOptions[Category];
2450       bool IsEmptyCategory = CategoryOptions.empty();
2451       if (!ShowHidden && IsEmptyCategory)
2452         continue;
2453 
2454       // Print category information.
2455       outs() << "\n";
2456       outs() << Category->getName() << ":\n";
2457 
2458       // Check if description is set.
2459       if (!Category->getDescription().empty())
2460         outs() << Category->getDescription() << "\n\n";
2461       else
2462         outs() << "\n";
2463 
2464       // When using --help-hidden explicitly state if the category has no
2465       // options associated with it.
2466       if (IsEmptyCategory) {
2467         outs() << "  This option category has no options.\n";
2468         continue;
2469       }
2470       // Loop over the options in the category and print.
2471       for (const Option *Opt : CategoryOptions)
2472         Opt->printOptionInfo(MaxArgLen);
2473     }
2474   }
2475 };
2476 
2477 // This wraps the Uncategorizing and Categorizing printers and decides
2478 // at run time which should be invoked.
2479 class HelpPrinterWrapper {
2480 private:
2481   HelpPrinter &UncategorizedPrinter;
2482   CategorizedHelpPrinter &CategorizedPrinter;
2483 
2484 public:
2485   explicit HelpPrinterWrapper(HelpPrinter &UncategorizedPrinter,
2486                               CategorizedHelpPrinter &CategorizedPrinter)
2487       : UncategorizedPrinter(UncategorizedPrinter),
2488         CategorizedPrinter(CategorizedPrinter) {}
2489 
2490   // Invoke the printer.
2491   void operator=(bool Value);
2492 };
2493 
2494 } // End anonymous namespace
2495 
2496 #if defined(__GNUC__)
2497 // GCC and GCC-compatible compilers define __OPTIMIZE__ when optimizations are
2498 // enabled.
2499 # if defined(__OPTIMIZE__)
2500 #  define LLVM_IS_DEBUG_BUILD 0
2501 # else
2502 #  define LLVM_IS_DEBUG_BUILD 1
2503 # endif
2504 #elif defined(_MSC_VER)
2505 // MSVC doesn't have a predefined macro indicating if optimizations are enabled.
2506 // Use _DEBUG instead. This macro actually corresponds to the choice between
2507 // debug and release CRTs, but it is a reasonable proxy.
2508 # if defined(_DEBUG)
2509 #  define LLVM_IS_DEBUG_BUILD 1
2510 # else
2511 #  define LLVM_IS_DEBUG_BUILD 0
2512 # endif
2513 #else
2514 // Otherwise, for an unknown compiler, assume this is an optimized build.
2515 # define LLVM_IS_DEBUG_BUILD 0
2516 #endif
2517 
2518 namespace {
2519 class VersionPrinter {
2520 public:
2521   void print() {
2522     raw_ostream &OS = outs();
2523 #ifdef PACKAGE_VENDOR
2524     OS << PACKAGE_VENDOR << " ";
2525 #else
2526     OS << "LLVM (http://llvm.org/):\n  ";
2527 #endif
2528     OS << PACKAGE_NAME << " version " << PACKAGE_VERSION << "\n  ";
2529 #if LLVM_IS_DEBUG_BUILD
2530     OS << "DEBUG build";
2531 #else
2532     OS << "Optimized build";
2533 #endif
2534 #ifndef NDEBUG
2535     OS << " with assertions";
2536 #endif
2537 #if LLVM_VERSION_PRINTER_SHOW_HOST_TARGET_INFO
2538     std::string CPU = std::string(sys::getHostCPUName());
2539     if (CPU == "generic")
2540       CPU = "(unknown)";
2541     OS << ".\n"
2542        << "  Default target: " << sys::getDefaultTargetTriple() << '\n'
2543        << "  Host CPU: " << CPU;
2544 #endif
2545     OS << '\n';
2546   }
2547   void operator=(bool OptionWasSpecified);
2548 };
2549 
2550 struct CommandLineCommonOptions {
2551   // Declare the four HelpPrinter instances that are used to print out help, or
2552   // help-hidden as an uncategorized list or in categories.
2553   HelpPrinter UncategorizedNormalPrinter{false};
2554   HelpPrinter UncategorizedHiddenPrinter{true};
2555   CategorizedHelpPrinter CategorizedNormalPrinter{false};
2556   CategorizedHelpPrinter CategorizedHiddenPrinter{true};
2557   // Declare HelpPrinter wrappers that will decide whether or not to invoke
2558   // a categorizing help printer
2559   HelpPrinterWrapper WrappedNormalPrinter{UncategorizedNormalPrinter,
2560                                           CategorizedNormalPrinter};
2561   HelpPrinterWrapper WrappedHiddenPrinter{UncategorizedHiddenPrinter,
2562                                           CategorizedHiddenPrinter};
2563   // Define a category for generic options that all tools should have.
2564   cl::OptionCategory GenericCategory{"Generic Options"};
2565 
2566   // Define uncategorized help printers.
2567   // --help-list is hidden by default because if Option categories are being
2568   // used then --help behaves the same as --help-list.
2569   cl::opt<HelpPrinter, true, parser<bool>> HLOp{
2570       "help-list",
2571       cl::desc(
2572           "Display list of available options (--help-list-hidden for more)"),
2573       cl::location(UncategorizedNormalPrinter),
2574       cl::Hidden,
2575       cl::ValueDisallowed,
2576       cl::cat(GenericCategory),
2577       cl::sub(SubCommand::getAll())};
2578 
2579   cl::opt<HelpPrinter, true, parser<bool>> HLHOp{
2580       "help-list-hidden",
2581       cl::desc("Display list of all available options"),
2582       cl::location(UncategorizedHiddenPrinter),
2583       cl::Hidden,
2584       cl::ValueDisallowed,
2585       cl::cat(GenericCategory),
2586       cl::sub(SubCommand::getAll())};
2587 
2588   // Define uncategorized/categorized help printers. These printers change their
2589   // behaviour at runtime depending on whether one or more Option categories
2590   // have been declared.
2591   cl::opt<HelpPrinterWrapper, true, parser<bool>> HOp{
2592       "help",
2593       cl::desc("Display available options (--help-hidden for more)"),
2594       cl::location(WrappedNormalPrinter),
2595       cl::ValueDisallowed,
2596       cl::cat(GenericCategory),
2597       cl::sub(SubCommand::getAll())};
2598 
2599   cl::alias HOpA{"h", cl::desc("Alias for --help"), cl::aliasopt(HOp),
2600                  cl::DefaultOption};
2601 
2602   cl::opt<HelpPrinterWrapper, true, parser<bool>> HHOp{
2603       "help-hidden",
2604       cl::desc("Display all available options"),
2605       cl::location(WrappedHiddenPrinter),
2606       cl::Hidden,
2607       cl::ValueDisallowed,
2608       cl::cat(GenericCategory),
2609       cl::sub(SubCommand::getAll())};
2610 
2611   cl::opt<bool> PrintOptions{
2612       "print-options",
2613       cl::desc("Print non-default options after command line parsing"),
2614       cl::Hidden,
2615       cl::init(false),
2616       cl::cat(GenericCategory),
2617       cl::sub(SubCommand::getAll())};
2618 
2619   cl::opt<bool> PrintAllOptions{
2620       "print-all-options",
2621       cl::desc("Print all option values after command line parsing"),
2622       cl::Hidden,
2623       cl::init(false),
2624       cl::cat(GenericCategory),
2625       cl::sub(SubCommand::getAll())};
2626 
2627   VersionPrinterTy OverrideVersionPrinter = nullptr;
2628 
2629   std::vector<VersionPrinterTy> ExtraVersionPrinters;
2630 
2631   // Define the --version option that prints out the LLVM version for the tool
2632   VersionPrinter VersionPrinterInstance;
2633 
2634   cl::opt<VersionPrinter, true, parser<bool>> VersOp{
2635       "version", cl::desc("Display the version of this program"),
2636       cl::location(VersionPrinterInstance), cl::ValueDisallowed,
2637       cl::cat(GenericCategory)};
2638 };
2639 } // End anonymous namespace
2640 
2641 // Lazy-initialized global instance of options controlling the command-line
2642 // parser and general handling.
2643 static ManagedStatic<CommandLineCommonOptions> CommonOptions;
2644 
2645 static void initCommonOptions() {
2646   *CommonOptions;
2647   initDebugCounterOptions();
2648   initGraphWriterOptions();
2649   initSignalsOptions();
2650   initStatisticOptions();
2651   initTimerOptions();
2652   initTypeSizeOptions();
2653   initWithColorOptions();
2654   initDebugOptions();
2655   initRandomSeedOptions();
2656 }
2657 
2658 OptionCategory &cl::getGeneralCategory() {
2659   // Initialise the general option category.
2660   static OptionCategory GeneralCategory{"General options"};
2661   return GeneralCategory;
2662 }
2663 
2664 void VersionPrinter::operator=(bool OptionWasSpecified) {
2665   if (!OptionWasSpecified)
2666     return;
2667 
2668   if (CommonOptions->OverrideVersionPrinter != nullptr) {
2669     CommonOptions->OverrideVersionPrinter(outs());
2670     exit(0);
2671   }
2672   print();
2673 
2674   // Iterate over any registered extra printers and call them to add further
2675   // information.
2676   if (!CommonOptions->ExtraVersionPrinters.empty()) {
2677     outs() << '\n';
2678     for (const auto &I : CommonOptions->ExtraVersionPrinters)
2679       I(outs());
2680   }
2681 
2682   exit(0);
2683 }
2684 
2685 void HelpPrinterWrapper::operator=(bool Value) {
2686   if (!Value)
2687     return;
2688 
2689   // Decide which printer to invoke. If more than one option category is
2690   // registered then it is useful to show the categorized help instead of
2691   // uncategorized help.
2692   if (GlobalParser->RegisteredOptionCategories.size() > 1) {
2693     // unhide --help-list option so user can have uncategorized output if they
2694     // want it.
2695     CommonOptions->HLOp.setHiddenFlag(NotHidden);
2696 
2697     CategorizedPrinter = true; // Invoke categorized printer
2698   } else
2699     UncategorizedPrinter = true; // Invoke uncategorized printer
2700 }
2701 
2702 // Print the value of each option.
2703 void cl::PrintOptionValues() { GlobalParser->printOptionValues(); }
2704 
2705 void CommandLineParser::printOptionValues() {
2706   if (!CommonOptions->PrintOptions && !CommonOptions->PrintAllOptions)
2707     return;
2708 
2709   SmallVector<std::pair<const char *, Option *>, 128> Opts;
2710   sortOpts(ActiveSubCommand->OptionsMap, Opts, /*ShowHidden*/ true);
2711 
2712   // Compute the maximum argument length...
2713   size_t MaxArgLen = 0;
2714   for (size_t i = 0, e = Opts.size(); i != e; ++i)
2715     MaxArgLen = std::max(MaxArgLen, Opts[i].second->getOptionWidth());
2716 
2717   for (size_t i = 0, e = Opts.size(); i != e; ++i)
2718     Opts[i].second->printOptionValue(MaxArgLen, CommonOptions->PrintAllOptions);
2719 }
2720 
2721 // Utility function for printing the help message.
2722 void cl::PrintHelpMessage(bool Hidden, bool Categorized) {
2723   if (!Hidden && !Categorized)
2724     CommonOptions->UncategorizedNormalPrinter.printHelp();
2725   else if (!Hidden && Categorized)
2726     CommonOptions->CategorizedNormalPrinter.printHelp();
2727   else if (Hidden && !Categorized)
2728     CommonOptions->UncategorizedHiddenPrinter.printHelp();
2729   else
2730     CommonOptions->CategorizedHiddenPrinter.printHelp();
2731 }
2732 
2733 /// Utility function for printing version number.
2734 void cl::PrintVersionMessage() {
2735   CommonOptions->VersionPrinterInstance.print();
2736 }
2737 
2738 void cl::SetVersionPrinter(VersionPrinterTy func) {
2739   CommonOptions->OverrideVersionPrinter = func;
2740 }
2741 
2742 void cl::AddExtraVersionPrinter(VersionPrinterTy func) {
2743   CommonOptions->ExtraVersionPrinters.push_back(func);
2744 }
2745 
2746 StringMap<Option *> &cl::getRegisteredOptions(SubCommand &Sub) {
2747   initCommonOptions();
2748   auto &Subs = GlobalParser->RegisteredSubCommands;
2749   (void)Subs;
2750   assert(is_contained(Subs, &Sub));
2751   return Sub.OptionsMap;
2752 }
2753 
2754 iterator_range<typename SmallPtrSet<SubCommand *, 4>::iterator>
2755 cl::getRegisteredSubcommands() {
2756   return GlobalParser->getRegisteredSubcommands();
2757 }
2758 
2759 void cl::HideUnrelatedOptions(cl::OptionCategory &Category, SubCommand &Sub) {
2760   initCommonOptions();
2761   for (auto &I : Sub.OptionsMap) {
2762     bool Unrelated = true;
2763     for (auto &Cat : I.second->Categories) {
2764       if (Cat == &Category || Cat == &CommonOptions->GenericCategory)
2765         Unrelated = false;
2766     }
2767     if (Unrelated)
2768       I.second->setHiddenFlag(cl::ReallyHidden);
2769   }
2770 }
2771 
2772 void cl::HideUnrelatedOptions(ArrayRef<const cl::OptionCategory *> Categories,
2773                               SubCommand &Sub) {
2774   initCommonOptions();
2775   for (auto &I : Sub.OptionsMap) {
2776     bool Unrelated = true;
2777     for (auto &Cat : I.second->Categories) {
2778       if (is_contained(Categories, Cat) ||
2779           Cat == &CommonOptions->GenericCategory)
2780         Unrelated = false;
2781     }
2782     if (Unrelated)
2783       I.second->setHiddenFlag(cl::ReallyHidden);
2784   }
2785 }
2786 
2787 void cl::ResetCommandLineParser() { GlobalParser->reset(); }
2788 void cl::ResetAllOptionOccurrences() {
2789   GlobalParser->ResetAllOptionOccurrences();
2790 }
2791 
2792 void LLVMParseCommandLineOptions(int argc, const char *const *argv,
2793                                  const char *Overview) {
2794   llvm::cl::ParseCommandLineOptions(argc, argv, StringRef(Overview),
2795                                     &llvm::nulls());
2796 }
2797