1 //===-- CommandLine.cpp - Command line parser implementation --------------===//
3 // The LLVM Compiler Infrastructure
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
8 //===----------------------------------------------------------------------===//
10 // This class implements a command line argument processor that is useful when
11 // creating a tool. It provides a simple, minimalistic interface that is easily
12 // extensible and supports nonlocal (library) command line options.
14 // Note that rather than trying to figure out what this code does, you could try
15 // reading the library documentation located in docs/CommandLine.html
17 //===----------------------------------------------------------------------===//
19 #include "llvm/Support/CommandLine.h"
20 #include "llvm-c/Support.h"
21 #include "llvm/ADT/ArrayRef.h"
22 #include "llvm/ADT/SmallPtrSet.h"
23 #include "llvm/ADT/SmallString.h"
24 #include "llvm/ADT/StringMap.h"
25 #include "llvm/ADT/Twine.h"
26 #include "llvm/Config/config.h"
27 #include "llvm/Support/ConvertUTF.h"
28 #include "llvm/Support/Debug.h"
29 #include "llvm/Support/ErrorHandling.h"
30 #include "llvm/Support/Host.h"
31 #include "llvm/Support/ManagedStatic.h"
32 #include "llvm/Support/MemoryBuffer.h"
33 #include "llvm/Support/Path.h"
34 #include "llvm/Support/raw_ostream.h"
38 #include <system_error>
42 #define DEBUG_TYPE "commandline"
44 //===----------------------------------------------------------------------===//
45 // Template instantiations and anchors.
49 TEMPLATE_INSTANTIATION(class basic_parser<bool>);
50 TEMPLATE_INSTANTIATION(class basic_parser<boolOrDefault>);
51 TEMPLATE_INSTANTIATION(class basic_parser<int>);
52 TEMPLATE_INSTANTIATION(class basic_parser<unsigned>);
53 TEMPLATE_INSTANTIATION(class basic_parser<unsigned long long>);
54 TEMPLATE_INSTANTIATION(class basic_parser<double>);
55 TEMPLATE_INSTANTIATION(class basic_parser<float>);
56 TEMPLATE_INSTANTIATION(class basic_parser<std::string>);
57 TEMPLATE_INSTANTIATION(class basic_parser<char>);
59 TEMPLATE_INSTANTIATION(class opt<unsigned>);
60 TEMPLATE_INSTANTIATION(class opt<int>);
61 TEMPLATE_INSTANTIATION(class opt<std::string>);
62 TEMPLATE_INSTANTIATION(class opt<char>);
63 TEMPLATE_INSTANTIATION(class opt<bool>);
65 } // end namespace llvm::cl
67 // Pin the vtables to this file.
68 void GenericOptionValue::anchor() {}
69 void OptionValue<boolOrDefault>::anchor() {}
70 void OptionValue<std::string>::anchor() {}
71 void Option::anchor() {}
72 void basic_parser_impl::anchor() {}
73 void parser<bool>::anchor() {}
74 void parser<boolOrDefault>::anchor() {}
75 void parser<int>::anchor() {}
76 void parser<unsigned>::anchor() {}
77 void parser<unsigned long long>::anchor() {}
78 void parser<double>::anchor() {}
79 void parser<float>::anchor() {}
80 void parser<std::string>::anchor() {}
81 void parser<char>::anchor() {}
82 void StringSaver::anchor() {}
84 //===----------------------------------------------------------------------===//
88 class CommandLineParser {
90 // Globals for name and overview of program. Program name is not a string to
91 // avoid static ctor/dtor issues.
92 std::string ProgramName;
93 const char *ProgramOverview;
95 // This collects additional help to be printed.
96 std::vector<const char *> MoreHelp;
98 SmallVector<Option *, 4> PositionalOpts;
99 SmallVector<Option *, 4> SinkOpts;
100 StringMap<Option *> OptionsMap;
102 Option *ConsumeAfterOpt; // The ConsumeAfter option if it exists.
104 // This collects the different option categories that have been registered.
105 SmallPtrSet<OptionCategory *, 16> RegisteredOptionCategories;
107 CommandLineParser() : ProgramOverview(nullptr), ConsumeAfterOpt(nullptr) {}
109 void ParseCommandLineOptions(int argc, const char *const *argv,
110 const char *Overview);
112 void addLiteralOption(Option &Opt, const char *Name) {
113 if (!Opt.hasArgStr()) {
114 if (!OptionsMap.insert(std::make_pair(Name, &Opt)).second) {
115 errs() << ProgramName << ": CommandLine Error: Option '" << Name
116 << "' registered more than once!\n";
117 report_fatal_error("inconsistency in registered CommandLine options");
122 void addOption(Option *O) {
123 bool HadErrors = false;
125 // Add argument to the argument map!
126 if (!OptionsMap.insert(std::make_pair(O->ArgStr, O)).second) {
127 errs() << ProgramName << ": CommandLine Error: Option '" << O->ArgStr
128 << "' registered more than once!\n";
133 // Remember information about positional options.
134 if (O->getFormattingFlag() == cl::Positional)
135 PositionalOpts.push_back(O);
136 else if (O->getMiscFlags() & cl::Sink) // Remember sink options
137 SinkOpts.push_back(O);
138 else if (O->getNumOccurrencesFlag() == cl::ConsumeAfter) {
139 if (ConsumeAfterOpt) {
140 O->error("Cannot specify more than one option with cl::ConsumeAfter!");
146 // Fail hard if there were errors. These are strictly unrecoverable and
147 // indicate serious issues such as conflicting option names or an
149 // linked LLVM distribution.
151 report_fatal_error("inconsistency in registered CommandLine options");
154 void removeOption(Option *O) {
155 SmallVector<const char *, 16> OptionNames;
156 O->getExtraOptionNames(OptionNames);
158 OptionNames.push_back(O->ArgStr);
159 for (auto Name : OptionNames)
160 OptionsMap.erase(StringRef(Name));
162 if (O->getFormattingFlag() == cl::Positional)
163 for (auto Opt = PositionalOpts.begin(); Opt != PositionalOpts.end();
166 PositionalOpts.erase(Opt);
170 else if (O->getMiscFlags() & cl::Sink)
171 for (auto Opt = SinkOpts.begin(); Opt != SinkOpts.end(); ++Opt) {
177 else if (O == ConsumeAfterOpt)
178 ConsumeAfterOpt = nullptr;
182 return (!OptionsMap.empty() || !PositionalOpts.empty() ||
183 nullptr != ConsumeAfterOpt);
186 void updateArgStr(Option *O, const char *NewName) {
187 if (!OptionsMap.insert(std::make_pair(NewName, O)).second) {
188 errs() << ProgramName << ": CommandLine Error: Option '" << O->ArgStr
189 << "' registered more than once!\n";
190 report_fatal_error("inconsistency in registered CommandLine options");
192 OptionsMap.erase(StringRef(O->ArgStr));
195 void printOptionValues();
197 void registerCategory(OptionCategory *cat) {
198 assert(std::count_if(RegisteredOptionCategories.begin(),
199 RegisteredOptionCategories.end(),
200 [cat](const OptionCategory *Category) {
201 return cat->getName() == Category->getName();
203 "Duplicate option categories");
205 RegisteredOptionCategories.insert(cat);
209 Option *LookupOption(StringRef &Arg, StringRef &Value);
214 static ManagedStatic<CommandLineParser> GlobalParser;
216 void cl::AddLiteralOption(Option &O, const char *Name) {
217 GlobalParser->addLiteralOption(O, Name);
220 extrahelp::extrahelp(const char *Help) : morehelp(Help) {
221 GlobalParser->MoreHelp.push_back(Help);
224 void Option::addArgument() {
225 GlobalParser->addOption(this);
226 FullyInitialized = true;
229 void Option::removeArgument() { GlobalParser->removeOption(this); }
231 void Option::setArgStr(const char *S) {
232 if (FullyInitialized)
233 GlobalParser->updateArgStr(this, S);
237 // Initialise the general option category.
238 OptionCategory llvm::cl::GeneralCategory("General options");
240 void OptionCategory::registerCategory() {
241 GlobalParser->registerCategory(this);
244 //===----------------------------------------------------------------------===//
245 // Basic, shared command line option processing machinery.
248 /// LookupOption - Lookup the option specified by the specified option on the
249 /// command line. If there is a value specified (after an equal sign) return
250 /// that as well. This assumes that leading dashes have already been stripped.
251 Option *CommandLineParser::LookupOption(StringRef &Arg, StringRef &Value) {
252 // Reject all dashes.
256 size_t EqualPos = Arg.find('=');
258 // If we have an equals sign, remember the value.
259 if (EqualPos == StringRef::npos) {
260 // Look up the option.
261 StringMap<Option *>::const_iterator I = OptionsMap.find(Arg);
262 return I != OptionsMap.end() ? I->second : nullptr;
265 // If the argument before the = is a valid option name, we match. If not,
266 // return Arg unmolested.
267 StringMap<Option *>::const_iterator I =
268 OptionsMap.find(Arg.substr(0, EqualPos));
269 if (I == OptionsMap.end())
272 Value = Arg.substr(EqualPos + 1);
273 Arg = Arg.substr(0, EqualPos);
277 /// LookupNearestOption - Lookup the closest match to the option specified by
278 /// the specified option on the command line. If there is a value specified
279 /// (after an equal sign) return that as well. This assumes that leading dashes
280 /// have already been stripped.
281 static Option *LookupNearestOption(StringRef Arg,
282 const StringMap<Option *> &OptionsMap,
283 std::string &NearestString) {
284 // Reject all dashes.
288 // Split on any equal sign.
289 std::pair<StringRef, StringRef> SplitArg = Arg.split('=');
290 StringRef &LHS = SplitArg.first; // LHS == Arg when no '=' is present.
291 StringRef &RHS = SplitArg.second;
293 // Find the closest match.
294 Option *Best = nullptr;
295 unsigned BestDistance = 0;
296 for (StringMap<Option *>::const_iterator it = OptionsMap.begin(),
297 ie = OptionsMap.end();
299 Option *O = it->second;
300 SmallVector<const char *, 16> OptionNames;
301 O->getExtraOptionNames(OptionNames);
303 OptionNames.push_back(O->ArgStr);
305 bool PermitValue = O->getValueExpectedFlag() != cl::ValueDisallowed;
306 StringRef Flag = PermitValue ? LHS : Arg;
307 for (size_t i = 0, e = OptionNames.size(); i != e; ++i) {
308 StringRef Name = OptionNames[i];
309 unsigned Distance = StringRef(Name).edit_distance(
310 Flag, /*AllowReplacements=*/true, /*MaxEditDistance=*/BestDistance);
311 if (!Best || Distance < BestDistance) {
313 BestDistance = Distance;
314 if (RHS.empty() || !PermitValue)
315 NearestString = OptionNames[i];
317 NearestString = std::string(OptionNames[i]) + "=" + RHS.str();
325 /// CommaSeparateAndAddOccurrence - A wrapper around Handler->addOccurrence()
326 /// that does special handling of cl::CommaSeparated options.
327 static bool CommaSeparateAndAddOccurrence(Option *Handler, unsigned pos,
328 StringRef ArgName, StringRef Value,
329 bool MultiArg = false) {
330 // Check to see if this option accepts a comma separated list of values. If
331 // it does, we have to split up the value into multiple values.
332 if (Handler->getMiscFlags() & CommaSeparated) {
333 StringRef Val(Value);
334 StringRef::size_type Pos = Val.find(',');
336 while (Pos != StringRef::npos) {
337 // Process the portion before the comma.
338 if (Handler->addOccurrence(pos, ArgName, Val.substr(0, Pos), MultiArg))
340 // Erase the portion before the comma, AND the comma.
341 Val = Val.substr(Pos + 1);
342 Value.substr(Pos + 1); // Increment the original value pointer as well.
343 // Check for another comma.
350 if (Handler->addOccurrence(pos, ArgName, Value, MultiArg))
356 /// ProvideOption - For Value, this differentiates between an empty value ("")
357 /// and a null value (StringRef()). The later is accepted for arguments that
358 /// don't allow a value (-foo) the former is rejected (-foo=).
359 static inline bool ProvideOption(Option *Handler, StringRef ArgName,
360 StringRef Value, int argc,
361 const char *const *argv, int &i) {
362 // Is this a multi-argument option?
363 unsigned NumAdditionalVals = Handler->getNumAdditionalVals();
365 // Enforce value requirements
366 switch (Handler->getValueExpectedFlag()) {
368 if (!Value.data()) { // No value specified?
370 return Handler->error("requires a value!");
371 // Steal the next argument, like for '-o filename'
372 assert(argv && "null check");
376 case ValueDisallowed:
377 if (NumAdditionalVals > 0)
378 return Handler->error("multi-valued option specified"
379 " with ValueDisallowed modifier!");
382 return Handler->error("does not allow a value! '" + Twine(Value) +
389 // If this isn't a multi-arg option, just run the handler.
390 if (NumAdditionalVals == 0)
391 return CommaSeparateAndAddOccurrence(Handler, i, ArgName, Value);
393 // If it is, run the handle several times.
394 bool MultiArg = false;
397 if (CommaSeparateAndAddOccurrence(Handler, i, ArgName, Value, MultiArg))
403 while (NumAdditionalVals > 0) {
405 return Handler->error("not enough values!");
406 assert(argv && "null check");
409 if (CommaSeparateAndAddOccurrence(Handler, i, ArgName, Value, MultiArg))
417 static bool ProvidePositionalOption(Option *Handler, StringRef Arg, int i) {
419 return ProvideOption(Handler, Handler->ArgStr, Arg, 0, nullptr, Dummy);
422 // Option predicates...
423 static inline bool isGrouping(const Option *O) {
424 return O->getFormattingFlag() == cl::Grouping;
426 static inline bool isPrefixedOrGrouping(const Option *O) {
427 return isGrouping(O) || O->getFormattingFlag() == cl::Prefix;
430 // getOptionPred - Check to see if there are any options that satisfy the
431 // specified predicate with names that are the prefixes in Name. This is
432 // checked by progressively stripping characters off of the name, checking to
433 // see if there options that satisfy the predicate. If we find one, return it,
434 // otherwise return null.
436 static Option *getOptionPred(StringRef Name, size_t &Length,
437 bool (*Pred)(const Option *),
438 const StringMap<Option *> &OptionsMap) {
440 StringMap<Option *>::const_iterator OMI = OptionsMap.find(Name);
442 // Loop while we haven't found an option and Name still has at least two
443 // characters in it (so that the next iteration will not be the empty
445 while (OMI == OptionsMap.end() && Name.size() > 1) {
446 Name = Name.substr(0, Name.size() - 1); // Chop off the last character.
447 OMI = OptionsMap.find(Name);
450 if (OMI != OptionsMap.end() && Pred(OMI->second)) {
451 Length = Name.size();
452 return OMI->second; // Found one!
454 return nullptr; // No option found!
457 /// HandlePrefixedOrGroupedOption - The specified argument string (which started
458 /// with at least one '-') does not fully match an available option. Check to
459 /// see if this is a prefix or grouped option. If so, split arg into output an
460 /// Arg/Value pair and return the Option to parse it with.
462 HandlePrefixedOrGroupedOption(StringRef &Arg, StringRef &Value,
464 const StringMap<Option *> &OptionsMap) {
470 Option *PGOpt = getOptionPred(Arg, Length, isPrefixedOrGrouping, OptionsMap);
474 // If the option is a prefixed option, then the value is simply the
475 // rest of the name... so fall through to later processing, by
476 // setting up the argument name flags and value fields.
477 if (PGOpt->getFormattingFlag() == cl::Prefix) {
478 Value = Arg.substr(Length);
479 Arg = Arg.substr(0, Length);
480 assert(OptionsMap.count(Arg) && OptionsMap.find(Arg)->second == PGOpt);
484 // This must be a grouped option... handle them now. Grouping options can't
486 assert(isGrouping(PGOpt) && "Broken getOptionPred!");
489 // Move current arg name out of Arg into OneArgName.
490 StringRef OneArgName = Arg.substr(0, Length);
491 Arg = Arg.substr(Length);
493 // Because ValueRequired is an invalid flag for grouped arguments,
494 // we don't need to pass argc/argv in.
495 assert(PGOpt->getValueExpectedFlag() != cl::ValueRequired &&
496 "Option can not be cl::Grouping AND cl::ValueRequired!");
499 ProvideOption(PGOpt, OneArgName, StringRef(), 0, nullptr, Dummy);
501 // Get the next grouping option.
502 PGOpt = getOptionPred(Arg, Length, isGrouping, OptionsMap);
503 } while (PGOpt && Length != Arg.size());
505 // Return the last option with Arg cut down to just the last one.
509 static bool RequiresValue(const Option *O) {
510 return O->getNumOccurrencesFlag() == cl::Required ||
511 O->getNumOccurrencesFlag() == cl::OneOrMore;
514 static bool EatsUnboundedNumberOfValues(const Option *O) {
515 return O->getNumOccurrencesFlag() == cl::ZeroOrMore ||
516 O->getNumOccurrencesFlag() == cl::OneOrMore;
519 static bool isWhitespace(char C) { return strchr(" \t\n\r\f\v", C); }
521 static bool isQuote(char C) { return C == '\"' || C == '\''; }
523 static bool isGNUSpecial(char C) { return strchr("\\\"\' ", C); }
525 void cl::TokenizeGNUCommandLine(StringRef Src, StringSaver &Saver,
526 SmallVectorImpl<const char *> &NewArgv,
528 SmallString<128> Token;
529 for (size_t I = 0, E = Src.size(); I != E; ++I) {
530 // Consume runs of whitespace.
532 while (I != E && isWhitespace(Src[I])) {
533 // Mark the end of lines in response files
534 if (MarkEOLs && Src[I] == '\n')
535 NewArgv.push_back(nullptr);
542 // Backslashes can escape backslashes, spaces, and other quotes. Otherwise
543 // they are literal. This makes it much easier to read Windows file paths.
544 if (I + 1 < E && Src[I] == '\\' && isGNUSpecial(Src[I + 1])) {
545 ++I; // Skip the escape.
546 Token.push_back(Src[I]);
550 // Consume a quoted string.
551 if (isQuote(Src[I])) {
552 char Quote = Src[I++];
553 while (I != E && Src[I] != Quote) {
554 // Backslashes are literal, unless they escape a special character.
555 if (Src[I] == '\\' && I + 1 != E && isGNUSpecial(Src[I + 1]))
557 Token.push_back(Src[I]);
565 // End the token if this is whitespace.
566 if (isWhitespace(Src[I])) {
568 NewArgv.push_back(Saver.SaveString(Token.c_str()));
573 // This is a normal character. Append it.
574 Token.push_back(Src[I]);
577 // Append the last token after hitting EOF with no whitespace.
579 NewArgv.push_back(Saver.SaveString(Token.c_str()));
580 // Mark the end of response files
582 NewArgv.push_back(nullptr);
585 /// Backslashes are interpreted in a rather complicated way in the Windows-style
586 /// command line, because backslashes are used both to separate path and to
587 /// escape double quote. This method consumes runs of backslashes as well as the
588 /// following double quote if it's escaped.
590 /// * If an even number of backslashes is followed by a double quote, one
591 /// backslash is output for every pair of backslashes, and the last double
592 /// quote remains unconsumed. The double quote will later be interpreted as
593 /// the start or end of a quoted string in the main loop outside of this
596 /// * If an odd number of backslashes is followed by a double quote, one
597 /// backslash is output for every pair of backslashes, and a double quote is
598 /// output for the last pair of backslash-double quote. The double quote is
599 /// consumed in this case.
601 /// * Otherwise, backslashes are interpreted literally.
602 static size_t parseBackslash(StringRef Src, size_t I, SmallString<128> &Token) {
603 size_t E = Src.size();
604 int BackslashCount = 0;
605 // Skip the backslashes.
609 } while (I != E && Src[I] == '\\');
611 bool FollowedByDoubleQuote = (I != E && Src[I] == '"');
612 if (FollowedByDoubleQuote) {
613 Token.append(BackslashCount / 2, '\\');
614 if (BackslashCount % 2 == 0)
616 Token.push_back('"');
619 Token.append(BackslashCount, '\\');
623 void cl::TokenizeWindowsCommandLine(StringRef Src, StringSaver &Saver,
624 SmallVectorImpl<const char *> &NewArgv,
626 SmallString<128> Token;
628 // This is a small state machine to consume characters until it reaches the
629 // end of the source string.
630 enum { INIT, UNQUOTED, QUOTED } State = INIT;
631 for (size_t I = 0, E = Src.size(); I != E; ++I) {
632 // INIT state indicates that the current input index is at the start of
633 // the string or between tokens.
635 if (isWhitespace(Src[I])) {
636 // Mark the end of lines in response files
637 if (MarkEOLs && Src[I] == '\n')
638 NewArgv.push_back(nullptr);
645 if (Src[I] == '\\') {
646 I = parseBackslash(Src, I, Token);
650 Token.push_back(Src[I]);
655 // UNQUOTED state means that it's reading a token not quoted by double
657 if (State == UNQUOTED) {
658 // Whitespace means the end of the token.
659 if (isWhitespace(Src[I])) {
660 NewArgv.push_back(Saver.SaveString(Token.c_str()));
663 // Mark the end of lines in response files
664 if (MarkEOLs && Src[I] == '\n')
665 NewArgv.push_back(nullptr);
672 if (Src[I] == '\\') {
673 I = parseBackslash(Src, I, Token);
676 Token.push_back(Src[I]);
680 // QUOTED state means that it's reading a token quoted by double quotes.
681 if (State == QUOTED) {
686 if (Src[I] == '\\') {
687 I = parseBackslash(Src, I, Token);
690 Token.push_back(Src[I]);
693 // Append the last token after hitting EOF with no whitespace.
695 NewArgv.push_back(Saver.SaveString(Token.c_str()));
696 // Mark the end of response files
698 NewArgv.push_back(nullptr);
701 // It is called byte order marker but the UTF-8 BOM is actually not affected
702 // by the host system's endianness.
703 static bool hasUTF8ByteOrderMark(ArrayRef<char> S) {
704 return (S.size() >= 3 && S[0] == '\xef' && S[1] == '\xbb' && S[2] == '\xbf');
707 static bool ExpandResponseFile(const char *FName, StringSaver &Saver,
708 TokenizerCallback Tokenizer,
709 SmallVectorImpl<const char *> &NewArgv,
710 bool MarkEOLs = false) {
711 ErrorOr<std::unique_ptr<MemoryBuffer>> MemBufOrErr =
712 MemoryBuffer::getFile(FName);
715 MemoryBuffer &MemBuf = *MemBufOrErr.get();
716 StringRef Str(MemBuf.getBufferStart(), MemBuf.getBufferSize());
718 // If we have a UTF-16 byte order mark, convert to UTF-8 for parsing.
719 ArrayRef<char> BufRef(MemBuf.getBufferStart(), MemBuf.getBufferEnd());
721 if (hasUTF16ByteOrderMark(BufRef)) {
722 if (!convertUTF16ToUTF8String(BufRef, UTF8Buf))
724 Str = StringRef(UTF8Buf);
726 // If we see UTF-8 BOM sequence at the beginning of a file, we shall remove
727 // these bytes before parsing.
728 // Reference: http://en.wikipedia.org/wiki/UTF-8#Byte_order_mark
729 else if (hasUTF8ByteOrderMark(BufRef))
730 Str = StringRef(BufRef.data() + 3, BufRef.size() - 3);
732 // Tokenize the contents into NewArgv.
733 Tokenizer(Str, Saver, NewArgv, MarkEOLs);
738 /// \brief Expand response files on a command line recursively using the given
739 /// StringSaver and tokenization strategy.
740 bool cl::ExpandResponseFiles(StringSaver &Saver, TokenizerCallback Tokenizer,
741 SmallVectorImpl<const char *> &Argv,
743 unsigned RspFiles = 0;
744 bool AllExpanded = true;
746 // Don't cache Argv.size() because it can change.
747 for (unsigned I = 0; I != Argv.size();) {
748 const char *Arg = Argv[I];
749 // Check if it is an EOL marker
750 if (Arg == nullptr) {
759 // If we have too many response files, leave some unexpanded. This avoids
760 // crashing on self-referential response files.
764 // Replace this response file argument with the tokenization of its
765 // contents. Nested response files are expanded in subsequent iterations.
766 // FIXME: If a nested response file uses a relative path, is it relative to
767 // the cwd of the process or the response file?
768 SmallVector<const char *, 0> ExpandedArgv;
769 if (!ExpandResponseFile(Arg + 1, Saver, Tokenizer, ExpandedArgv,
771 // We couldn't read this file, so we leave it in the argument stream and
777 Argv.erase(Argv.begin() + I);
778 Argv.insert(Argv.begin() + I, ExpandedArgv.begin(), ExpandedArgv.end());
784 class StrDupSaver : public StringSaver {
785 std::vector<char *> Dups;
789 for (std::vector<char *>::iterator I = Dups.begin(), E = Dups.end(); I != E;
795 const char *SaveString(const char *Str) override {
796 char *Dup = strdup(Str);
803 /// ParseEnvironmentOptions - An alternative entry point to the
804 /// CommandLine library, which allows you to read the program's name
805 /// from the caller (as PROGNAME) and its command-line arguments from
806 /// an environment variable (whose name is given in ENVVAR).
808 void cl::ParseEnvironmentOptions(const char *progName, const char *envVar,
809 const char *Overview) {
811 assert(progName && "Program name not specified");
812 assert(envVar && "Environment variable name missing");
814 // Get the environment variable they want us to parse options out of.
815 const char *envValue = getenv(envVar);
819 // Get program's "name", which we wouldn't know without the caller
821 SmallVector<const char *, 20> newArgv;
823 newArgv.push_back(Saver.SaveString(progName));
825 // Parse the value of the environment variable into a "command line"
826 // and hand it off to ParseCommandLineOptions().
827 TokenizeGNUCommandLine(envValue, Saver, newArgv);
828 int newArgc = static_cast<int>(newArgv.size());
829 ParseCommandLineOptions(newArgc, &newArgv[0], Overview);
832 void cl::ParseCommandLineOptions(int argc, const char *const *argv,
833 const char *Overview) {
834 GlobalParser->ParseCommandLineOptions(argc, argv, Overview);
837 void CommandLineParser::ParseCommandLineOptions(int argc,
838 const char *const *argv,
839 const char *Overview) {
840 assert(hasOptions() && "No options specified!");
842 // Expand response files.
843 SmallVector<const char *, 20> newArgv(argv, argv + argc);
845 ExpandResponseFiles(Saver, TokenizeGNUCommandLine, newArgv);
847 argc = static_cast<int>(newArgv.size());
849 // Copy the program name into ProgName, making sure not to overflow it.
850 ProgramName = sys::path::filename(argv[0]);
852 ProgramOverview = Overview;
853 bool ErrorParsing = false;
855 // Check out the positional arguments to collect information about them.
856 unsigned NumPositionalRequired = 0;
858 // Determine whether or not there are an unlimited number of positionals
859 bool HasUnlimitedPositionals = false;
861 if (ConsumeAfterOpt) {
862 assert(PositionalOpts.size() > 0 &&
863 "Cannot specify cl::ConsumeAfter without a positional argument!");
865 if (!PositionalOpts.empty()) {
867 // Calculate how many positional values are _required_.
868 bool UnboundedFound = false;
869 for (size_t i = 0, e = PositionalOpts.size(); i != e; ++i) {
870 Option *Opt = PositionalOpts[i];
871 if (RequiresValue(Opt))
872 ++NumPositionalRequired;
873 else if (ConsumeAfterOpt) {
874 // ConsumeAfter cannot be combined with "optional" positional options
875 // unless there is only one positional argument...
876 if (PositionalOpts.size() > 1)
877 ErrorParsing |= Opt->error(
878 "error - this positional option will never be matched, "
879 "because it does not Require a value, and a "
880 "cl::ConsumeAfter option is active!");
881 } else if (UnboundedFound && !Opt->ArgStr[0]) {
882 // This option does not "require" a value... Make sure this option is
883 // not specified after an option that eats all extra arguments, or this
884 // one will never get any!
886 ErrorParsing |= Opt->error("error - option can never match, because "
887 "another positional argument will match an "
888 "unbounded number of values, and this option"
889 " does not require a value!");
890 errs() << ProgramName << ": CommandLine Error: Option '" << Opt->ArgStr
891 << "' is all messed up!\n";
892 errs() << PositionalOpts.size();
894 UnboundedFound |= EatsUnboundedNumberOfValues(Opt);
896 HasUnlimitedPositionals = UnboundedFound || ConsumeAfterOpt;
899 // PositionalVals - A vector of "positional" arguments we accumulate into
900 // the process at the end.
902 SmallVector<std::pair<StringRef, unsigned>, 4> PositionalVals;
904 // If the program has named positional arguments, and the name has been run
905 // across, keep track of which positional argument was named. Otherwise put
906 // the positional args into the PositionalVals list...
907 Option *ActivePositionalArg = nullptr;
909 // Loop over all of the arguments... processing them.
910 bool DashDashFound = false; // Have we read '--'?
911 for (int i = 1; i < argc; ++i) {
912 Option *Handler = nullptr;
913 Option *NearestHandler = nullptr;
914 std::string NearestHandlerString;
916 StringRef ArgName = "";
918 // Check to see if this is a positional argument. This argument is
919 // considered to be positional if it doesn't start with '-', if it is "-"
920 // itself, or if we have seen "--" already.
922 if (argv[i][0] != '-' || argv[i][1] == 0 || DashDashFound) {
923 // Positional argument!
924 if (ActivePositionalArg) {
925 ProvidePositionalOption(ActivePositionalArg, argv[i], i);
926 continue; // We are done!
929 if (!PositionalOpts.empty()) {
930 PositionalVals.push_back(std::make_pair(argv[i], i));
932 // All of the positional arguments have been fulfulled, give the rest to
933 // the consume after option... if it's specified...
935 if (PositionalVals.size() >= NumPositionalRequired && ConsumeAfterOpt) {
936 for (++i; i < argc; ++i)
937 PositionalVals.push_back(std::make_pair(argv[i], i));
938 break; // Handle outside of the argument processing loop...
941 // Delay processing positional arguments until the end...
944 } else if (argv[i][0] == '-' && argv[i][1] == '-' && argv[i][2] == 0 &&
946 DashDashFound = true; // This is the mythical "--"?
947 continue; // Don't try to process it as an argument itself.
948 } else if (ActivePositionalArg &&
949 (ActivePositionalArg->getMiscFlags() & PositionalEatsArgs)) {
950 // If there is a positional argument eating options, check to see if this
951 // option is another positional argument. If so, treat it as an argument,
952 // otherwise feed it to the eating positional.
953 ArgName = argv[i] + 1;
954 // Eat leading dashes.
955 while (!ArgName.empty() && ArgName[0] == '-')
956 ArgName = ArgName.substr(1);
958 Handler = LookupOption(ArgName, Value);
959 if (!Handler || Handler->getFormattingFlag() != cl::Positional) {
960 ProvidePositionalOption(ActivePositionalArg, argv[i], i);
961 continue; // We are done!
964 } else { // We start with a '-', must be an argument.
965 ArgName = argv[i] + 1;
966 // Eat leading dashes.
967 while (!ArgName.empty() && ArgName[0] == '-')
968 ArgName = ArgName.substr(1);
970 Handler = LookupOption(ArgName, Value);
972 // Check to see if this "option" is really a prefixed or grouped argument.
974 Handler = HandlePrefixedOrGroupedOption(ArgName, Value, ErrorParsing,
977 // Otherwise, look for the closest available option to report to the user
978 // in the upcoming error.
979 if (!Handler && SinkOpts.empty())
981 LookupNearestOption(ArgName, OptionsMap, NearestHandlerString);
985 if (SinkOpts.empty()) {
986 errs() << ProgramName << ": Unknown command line argument '" << argv[i]
987 << "'. Try: '" << argv[0] << " -help'\n";
989 if (NearestHandler) {
990 // If we know a near match, report it as well.
991 errs() << ProgramName << ": Did you mean '-" << NearestHandlerString
997 for (SmallVectorImpl<Option *>::iterator I = SinkOpts.begin(),
1000 (*I)->addOccurrence(i, "", argv[i]);
1005 // If this is a named positional argument, just remember that it is the
1007 if (Handler->getFormattingFlag() == cl::Positional)
1008 ActivePositionalArg = Handler;
1010 ErrorParsing |= ProvideOption(Handler, ArgName, Value, argc, argv, i);
1013 // Check and handle positional arguments now...
1014 if (NumPositionalRequired > PositionalVals.size()) {
1015 errs() << ProgramName
1016 << ": Not enough positional command line arguments specified!\n"
1017 << "Must specify at least " << NumPositionalRequired
1018 << " positional arguments: See: " << argv[0] << " -help\n";
1020 ErrorParsing = true;
1021 } else if (!HasUnlimitedPositionals &&
1022 PositionalVals.size() > PositionalOpts.size()) {
1023 errs() << ProgramName << ": Too many positional arguments specified!\n"
1024 << "Can specify at most " << PositionalOpts.size()
1025 << " positional arguments: See: " << argv[0] << " -help\n";
1026 ErrorParsing = true;
1028 } else if (!ConsumeAfterOpt) {
1029 // Positional args have already been handled if ConsumeAfter is specified.
1030 unsigned ValNo = 0, NumVals = static_cast<unsigned>(PositionalVals.size());
1031 for (size_t i = 0, e = PositionalOpts.size(); i != e; ++i) {
1032 if (RequiresValue(PositionalOpts[i])) {
1033 ProvidePositionalOption(PositionalOpts[i], PositionalVals[ValNo].first,
1034 PositionalVals[ValNo].second);
1036 --NumPositionalRequired; // We fulfilled our duty...
1039 // If we _can_ give this option more arguments, do so now, as long as we
1040 // do not give it values that others need. 'Done' controls whether the
1041 // option even _WANTS_ any more.
1043 bool Done = PositionalOpts[i]->getNumOccurrencesFlag() == cl::Required;
1044 while (NumVals - ValNo > NumPositionalRequired && !Done) {
1045 switch (PositionalOpts[i]->getNumOccurrencesFlag()) {
1047 Done = true; // Optional arguments want _at most_ one value
1049 case cl::ZeroOrMore: // Zero or more will take all they can get...
1050 case cl::OneOrMore: // One or more will take all they can get...
1051 ProvidePositionalOption(PositionalOpts[i],
1052 PositionalVals[ValNo].first,
1053 PositionalVals[ValNo].second);
1057 llvm_unreachable("Internal error, unexpected NumOccurrences flag in "
1058 "positional argument processing!");
1063 assert(ConsumeAfterOpt && NumPositionalRequired <= PositionalVals.size());
1065 for (size_t j = 1, e = PositionalOpts.size(); j != e; ++j)
1066 if (RequiresValue(PositionalOpts[j])) {
1067 ErrorParsing |= ProvidePositionalOption(PositionalOpts[j],
1068 PositionalVals[ValNo].first,
1069 PositionalVals[ValNo].second);
1073 // Handle the case where there is just one positional option, and it's
1074 // optional. In this case, we want to give JUST THE FIRST option to the
1075 // positional option and keep the rest for the consume after. The above
1076 // loop would have assigned no values to positional options in this case.
1078 if (PositionalOpts.size() == 1 && ValNo == 0 && !PositionalVals.empty()) {
1079 ErrorParsing |= ProvidePositionalOption(PositionalOpts[0],
1080 PositionalVals[ValNo].first,
1081 PositionalVals[ValNo].second);
1085 // Handle over all of the rest of the arguments to the
1086 // cl::ConsumeAfter command line option...
1087 for (; ValNo != PositionalVals.size(); ++ValNo)
1089 ProvidePositionalOption(ConsumeAfterOpt, PositionalVals[ValNo].first,
1090 PositionalVals[ValNo].second);
1093 // Loop over args and make sure all required args are specified!
1094 for (const auto &Opt : OptionsMap) {
1095 switch (Opt.second->getNumOccurrencesFlag()) {
1098 if (Opt.second->getNumOccurrences() == 0) {
1099 Opt.second->error("must be specified at least once!");
1100 ErrorParsing = true;
1108 // Now that we know if -debug is specified, we can use it.
1109 // Note that if ReadResponseFiles == true, this must be done before the
1110 // memory allocated for the expanded command line is free()d below.
1111 DEBUG(dbgs() << "Args: ";
1112 for (int i = 0; i < argc; ++i) dbgs() << argv[i] << ' ';
1115 // Free all of the memory allocated to the map. Command line options may only
1116 // be processed once!
1119 // If we had an error processing our arguments, don't let the program execute
1124 //===----------------------------------------------------------------------===//
1125 // Option Base class implementation
1128 bool Option::error(const Twine &Message, StringRef ArgName) {
1129 if (!ArgName.data())
1131 if (ArgName.empty())
1132 errs() << HelpStr; // Be nice for positional arguments
1134 errs() << GlobalParser->ProgramName << ": for the -" << ArgName;
1136 errs() << " option: " << Message << "\n";
1140 bool Option::addOccurrence(unsigned pos, StringRef ArgName, StringRef Value,
1143 NumOccurrences++; // Increment the number of times we have been seen
1145 switch (getNumOccurrencesFlag()) {
1147 if (NumOccurrences > 1)
1148 return error("may only occur zero or one times!", ArgName);
1151 if (NumOccurrences > 1)
1152 return error("must occur exactly one time!", ArgName);
1160 return handleOccurrence(pos, ArgName, Value);
1163 // getValueStr - Get the value description string, using "DefaultMsg" if nothing
1164 // has been specified yet.
1166 static const char *getValueStr(const Option &O, const char *DefaultMsg) {
1167 if (O.ValueStr[0] == 0)
1172 //===----------------------------------------------------------------------===//
1173 // cl::alias class implementation
1176 // Return the width of the option tag for printing...
1177 size_t alias::getOptionWidth() const { return std::strlen(ArgStr) + 6; }
1179 static void printHelpStr(StringRef HelpStr, size_t Indent,
1180 size_t FirstLineIndentedBy) {
1181 std::pair<StringRef, StringRef> Split = HelpStr.split('\n');
1182 outs().indent(Indent - FirstLineIndentedBy) << " - " << Split.first << "\n";
1183 while (!Split.second.empty()) {
1184 Split = Split.second.split('\n');
1185 outs().indent(Indent) << Split.first << "\n";
1189 // Print out the option for the alias.
1190 void alias::printOptionInfo(size_t GlobalWidth) const {
1191 outs() << " -" << ArgStr;
1192 printHelpStr(HelpStr, GlobalWidth, std::strlen(ArgStr) + 6);
1195 //===----------------------------------------------------------------------===//
1196 // Parser Implementation code...
1199 // basic_parser implementation
1202 // Return the width of the option tag for printing...
1203 size_t basic_parser_impl::getOptionWidth(const Option &O) const {
1204 size_t Len = std::strlen(O.ArgStr);
1205 if (const char *ValName = getValueName())
1206 Len += std::strlen(getValueStr(O, ValName)) + 3;
1211 // printOptionInfo - Print out information about this option. The
1212 // to-be-maintained width is specified.
1214 void basic_parser_impl::printOptionInfo(const Option &O,
1215 size_t GlobalWidth) const {
1216 outs() << " -" << O.ArgStr;
1218 if (const char *ValName = getValueName())
1219 outs() << "=<" << getValueStr(O, ValName) << '>';
1221 printHelpStr(O.HelpStr, GlobalWidth, getOptionWidth(O));
1224 void basic_parser_impl::printOptionName(const Option &O,
1225 size_t GlobalWidth) const {
1226 outs() << " -" << O.ArgStr;
1227 outs().indent(GlobalWidth - std::strlen(O.ArgStr));
1230 // parser<bool> implementation
1232 bool parser<bool>::parse(Option &O, StringRef ArgName, StringRef Arg,
1234 if (Arg == "" || Arg == "true" || Arg == "TRUE" || Arg == "True" ||
1240 if (Arg == "false" || Arg == "FALSE" || Arg == "False" || Arg == "0") {
1244 return O.error("'" + Arg +
1245 "' is invalid value for boolean argument! Try 0 or 1");
1248 // parser<boolOrDefault> implementation
1250 bool parser<boolOrDefault>::parse(Option &O, StringRef ArgName, StringRef Arg,
1251 boolOrDefault &Value) {
1252 if (Arg == "" || Arg == "true" || Arg == "TRUE" || Arg == "True" ||
1257 if (Arg == "false" || Arg == "FALSE" || Arg == "False" || Arg == "0") {
1262 return O.error("'" + Arg +
1263 "' is invalid value for boolean argument! Try 0 or 1");
1266 // parser<int> implementation
1268 bool parser<int>::parse(Option &O, StringRef ArgName, StringRef Arg,
1270 if (Arg.getAsInteger(0, Value))
1271 return O.error("'" + Arg + "' value invalid for integer argument!");
1275 // parser<unsigned> implementation
1277 bool parser<unsigned>::parse(Option &O, StringRef ArgName, StringRef Arg,
1280 if (Arg.getAsInteger(0, Value))
1281 return O.error("'" + Arg + "' value invalid for uint argument!");
1285 // parser<unsigned long long> implementation
1287 bool parser<unsigned long long>::parse(Option &O, StringRef ArgName,
1289 unsigned long long &Value) {
1291 if (Arg.getAsInteger(0, Value))
1292 return O.error("'" + Arg + "' value invalid for uint argument!");
1296 // parser<double>/parser<float> implementation
1298 static bool parseDouble(Option &O, StringRef Arg, double &Value) {
1299 SmallString<32> TmpStr(Arg.begin(), Arg.end());
1300 const char *ArgStart = TmpStr.c_str();
1302 Value = strtod(ArgStart, &End);
1304 return O.error("'" + Arg + "' value invalid for floating point argument!");
1308 bool parser<double>::parse(Option &O, StringRef ArgName, StringRef Arg,
1310 return parseDouble(O, Arg, Val);
1313 bool parser<float>::parse(Option &O, StringRef ArgName, StringRef Arg,
1316 if (parseDouble(O, Arg, dVal))
1322 // generic_parser_base implementation
1325 // findOption - Return the option number corresponding to the specified
1326 // argument string. If the option is not found, getNumOptions() is returned.
1328 unsigned generic_parser_base::findOption(const char *Name) {
1329 unsigned e = getNumOptions();
1331 for (unsigned i = 0; i != e; ++i) {
1332 if (strcmp(getOption(i), Name) == 0)
1338 // Return the width of the option tag for printing...
1339 size_t generic_parser_base::getOptionWidth(const Option &O) const {
1340 if (O.hasArgStr()) {
1341 size_t Size = std::strlen(O.ArgStr) + 6;
1342 for (unsigned i = 0, e = getNumOptions(); i != e; ++i)
1343 Size = std::max(Size, std::strlen(getOption(i)) + 8);
1346 size_t BaseSize = 0;
1347 for (unsigned i = 0, e = getNumOptions(); i != e; ++i)
1348 BaseSize = std::max(BaseSize, std::strlen(getOption(i)) + 8);
1353 // printOptionInfo - Print out information about this option. The
1354 // to-be-maintained width is specified.
1356 void generic_parser_base::printOptionInfo(const Option &O,
1357 size_t GlobalWidth) const {
1358 if (O.hasArgStr()) {
1359 outs() << " -" << O.ArgStr;
1360 printHelpStr(O.HelpStr, GlobalWidth, std::strlen(O.ArgStr) + 6);
1362 for (unsigned i = 0, e = getNumOptions(); i != e; ++i) {
1363 size_t NumSpaces = GlobalWidth - strlen(getOption(i)) - 8;
1364 outs() << " =" << getOption(i);
1365 outs().indent(NumSpaces) << " - " << getDescription(i) << '\n';
1369 outs() << " " << O.HelpStr << '\n';
1370 for (unsigned i = 0, e = getNumOptions(); i != e; ++i) {
1371 const char *Option = getOption(i);
1372 outs() << " -" << Option;
1373 printHelpStr(getDescription(i), GlobalWidth, std::strlen(Option) + 8);
1378 static const size_t MaxOptWidth = 8; // arbitrary spacing for printOptionDiff
1380 // printGenericOptionDiff - Print the value of this option and it's default.
1382 // "Generic" options have each value mapped to a name.
1383 void generic_parser_base::printGenericOptionDiff(
1384 const Option &O, const GenericOptionValue &Value,
1385 const GenericOptionValue &Default, size_t GlobalWidth) const {
1386 outs() << " -" << O.ArgStr;
1387 outs().indent(GlobalWidth - std::strlen(O.ArgStr));
1389 unsigned NumOpts = getNumOptions();
1390 for (unsigned i = 0; i != NumOpts; ++i) {
1391 if (Value.compare(getOptionValue(i)))
1394 outs() << "= " << getOption(i);
1395 size_t L = std::strlen(getOption(i));
1396 size_t NumSpaces = MaxOptWidth > L ? MaxOptWidth - L : 0;
1397 outs().indent(NumSpaces) << " (default: ";
1398 for (unsigned j = 0; j != NumOpts; ++j) {
1399 if (Default.compare(getOptionValue(j)))
1401 outs() << getOption(j);
1407 outs() << "= *unknown option value*\n";
1410 // printOptionDiff - Specializations for printing basic value types.
1412 #define PRINT_OPT_DIFF(T) \
1413 void parser<T>::printOptionDiff(const Option &O, T V, OptionValue<T> D, \
1414 size_t GlobalWidth) const { \
1415 printOptionName(O, GlobalWidth); \
1418 raw_string_ostream SS(Str); \
1421 outs() << "= " << Str; \
1422 size_t NumSpaces = \
1423 MaxOptWidth > Str.size() ? MaxOptWidth - Str.size() : 0; \
1424 outs().indent(NumSpaces) << " (default: "; \
1426 outs() << D.getValue(); \
1428 outs() << "*no default*"; \
1432 PRINT_OPT_DIFF(bool)
1433 PRINT_OPT_DIFF(boolOrDefault)
1435 PRINT_OPT_DIFF(unsigned)
1436 PRINT_OPT_DIFF(unsigned long long)
1437 PRINT_OPT_DIFF(double)
1438 PRINT_OPT_DIFF(float)
1439 PRINT_OPT_DIFF(char)
1441 void parser<std::string>::printOptionDiff(const Option &O, StringRef V,
1442 OptionValue<std::string> D,
1443 size_t GlobalWidth) const {
1444 printOptionName(O, GlobalWidth);
1445 outs() << "= " << V;
1446 size_t NumSpaces = MaxOptWidth > V.size() ? MaxOptWidth - V.size() : 0;
1447 outs().indent(NumSpaces) << " (default: ";
1449 outs() << D.getValue();
1451 outs() << "*no default*";
1455 // Print a placeholder for options that don't yet support printOptionDiff().
1456 void basic_parser_impl::printOptionNoValue(const Option &O,
1457 size_t GlobalWidth) const {
1458 printOptionName(O, GlobalWidth);
1459 outs() << "= *cannot print option value*\n";
1462 //===----------------------------------------------------------------------===//
1463 // -help and -help-hidden option implementation
1466 static int OptNameCompare(const void *LHS, const void *RHS) {
1467 typedef std::pair<const char *, Option *> pair_ty;
1469 return strcmp(((const pair_ty *)LHS)->first, ((const pair_ty *)RHS)->first);
1472 // Copy Options into a vector so we can sort them as we like.
1473 static void sortOpts(StringMap<Option *> &OptMap,
1474 SmallVectorImpl<std::pair<const char *, Option *>> &Opts,
1476 SmallPtrSet<Option *, 128> OptionSet; // Duplicate option detection.
1478 for (StringMap<Option *>::iterator I = OptMap.begin(), E = OptMap.end();
1480 // Ignore really-hidden options.
1481 if (I->second->getOptionHiddenFlag() == ReallyHidden)
1484 // Unless showhidden is set, ignore hidden flags.
1485 if (I->second->getOptionHiddenFlag() == Hidden && !ShowHidden)
1488 // If we've already seen this option, don't add it to the list again.
1489 if (!OptionSet.insert(I->second).second)
1493 std::pair<const char *, Option *>(I->getKey().data(), I->second));
1496 // Sort the options list alphabetically.
1497 qsort(Opts.data(), Opts.size(), sizeof(Opts[0]), OptNameCompare);
1504 const bool ShowHidden;
1505 typedef SmallVector<std::pair<const char *, Option *>, 128>
1506 StrOptionPairVector;
1507 // Print the options. Opts is assumed to be alphabetically sorted.
1508 virtual void printOptions(StrOptionPairVector &Opts, size_t MaxArgLen) {
1509 for (size_t i = 0, e = Opts.size(); i != e; ++i)
1510 Opts[i].second->printOptionInfo(MaxArgLen);
1514 explicit HelpPrinter(bool showHidden) : ShowHidden(showHidden) {}
1515 virtual ~HelpPrinter() {}
1517 // Invoke the printer.
1518 void operator=(bool Value) {
1522 StrOptionPairVector Opts;
1523 sortOpts(GlobalParser->OptionsMap, Opts, ShowHidden);
1525 if (GlobalParser->ProgramOverview)
1526 outs() << "OVERVIEW: " << GlobalParser->ProgramOverview << "\n";
1528 outs() << "USAGE: " << GlobalParser->ProgramName << " [options]";
1530 for (auto Opt : GlobalParser->PositionalOpts) {
1532 outs() << " --" << Opt->ArgStr;
1533 outs() << " " << Opt->HelpStr;
1536 // Print the consume after option info if it exists...
1537 if (GlobalParser->ConsumeAfterOpt)
1538 outs() << " " << GlobalParser->ConsumeAfterOpt->HelpStr;
1542 // Compute the maximum argument length...
1543 size_t MaxArgLen = 0;
1544 for (size_t i = 0, e = Opts.size(); i != e; ++i)
1545 MaxArgLen = std::max(MaxArgLen, Opts[i].second->getOptionWidth());
1547 outs() << "OPTIONS:\n";
1548 printOptions(Opts, MaxArgLen);
1550 // Print any extra help the user has declared.
1551 for (auto I : GlobalParser->MoreHelp)
1553 GlobalParser->MoreHelp.clear();
1555 // Halt the program since help information was printed
1560 class CategorizedHelpPrinter : public HelpPrinter {
1562 explicit CategorizedHelpPrinter(bool showHidden) : HelpPrinter(showHidden) {}
1564 // Helper function for printOptions().
1565 // It shall return true if A's name should be lexographically
1566 // ordered before B's name. It returns false otherwise.
1567 static bool OptionCategoryCompare(OptionCategory *A, OptionCategory *B) {
1568 return strcmp(A->getName(), B->getName()) < 0;
1571 // Make sure we inherit our base class's operator=()
1572 using HelpPrinter::operator=;
1575 void printOptions(StrOptionPairVector &Opts, size_t MaxArgLen) override {
1576 std::vector<OptionCategory *> SortedCategories;
1577 std::map<OptionCategory *, std::vector<Option *>> CategorizedOptions;
1579 // Collect registered option categories into vector in preparation for
1581 for (auto I = GlobalParser->RegisteredOptionCategories.begin(),
1582 E = GlobalParser->RegisteredOptionCategories.end();
1584 SortedCategories.push_back(*I);
1587 // Sort the different option categories alphabetically.
1588 assert(SortedCategories.size() > 0 && "No option categories registered!");
1589 std::sort(SortedCategories.begin(), SortedCategories.end(),
1590 OptionCategoryCompare);
1592 // Create map to empty vectors.
1593 for (std::vector<OptionCategory *>::const_iterator
1594 I = SortedCategories.begin(),
1595 E = SortedCategories.end();
1597 CategorizedOptions[*I] = std::vector<Option *>();
1599 // Walk through pre-sorted options and assign into categories.
1600 // Because the options are already alphabetically sorted the
1601 // options within categories will also be alphabetically sorted.
1602 for (size_t I = 0, E = Opts.size(); I != E; ++I) {
1603 Option *Opt = Opts[I].second;
1604 assert(CategorizedOptions.count(Opt->Category) > 0 &&
1605 "Option has an unregistered category");
1606 CategorizedOptions[Opt->Category].push_back(Opt);
1610 for (std::vector<OptionCategory *>::const_iterator
1611 Category = SortedCategories.begin(),
1612 E = SortedCategories.end();
1613 Category != E; ++Category) {
1614 // Hide empty categories for -help, but show for -help-hidden.
1615 bool IsEmptyCategory = CategorizedOptions[*Category].size() == 0;
1616 if (!ShowHidden && IsEmptyCategory)
1619 // Print category information.
1621 outs() << (*Category)->getName() << ":\n";
1623 // Check if description is set.
1624 if ((*Category)->getDescription() != nullptr)
1625 outs() << (*Category)->getDescription() << "\n\n";
1629 // When using -help-hidden explicitly state if the category has no
1630 // options associated with it.
1631 if (IsEmptyCategory) {
1632 outs() << " This option category has no options.\n";
1635 // Loop over the options in the category and print.
1636 for (std::vector<Option *>::const_iterator
1637 Opt = CategorizedOptions[*Category].begin(),
1638 E = CategorizedOptions[*Category].end();
1640 (*Opt)->printOptionInfo(MaxArgLen);
1645 // This wraps the Uncategorizing and Categorizing printers and decides
1646 // at run time which should be invoked.
1647 class HelpPrinterWrapper {
1649 HelpPrinter &UncategorizedPrinter;
1650 CategorizedHelpPrinter &CategorizedPrinter;
1653 explicit HelpPrinterWrapper(HelpPrinter &UncategorizedPrinter,
1654 CategorizedHelpPrinter &CategorizedPrinter)
1655 : UncategorizedPrinter(UncategorizedPrinter),
1656 CategorizedPrinter(CategorizedPrinter) {}
1658 // Invoke the printer.
1659 void operator=(bool Value);
1662 } // End anonymous namespace
1664 // Declare the four HelpPrinter instances that are used to print out help, or
1665 // help-hidden as an uncategorized list or in categories.
1666 static HelpPrinter UncategorizedNormalPrinter(false);
1667 static HelpPrinter UncategorizedHiddenPrinter(true);
1668 static CategorizedHelpPrinter CategorizedNormalPrinter(false);
1669 static CategorizedHelpPrinter CategorizedHiddenPrinter(true);
1671 // Declare HelpPrinter wrappers that will decide whether or not to invoke
1672 // a categorizing help printer
1673 static HelpPrinterWrapper WrappedNormalPrinter(UncategorizedNormalPrinter,
1674 CategorizedNormalPrinter);
1675 static HelpPrinterWrapper WrappedHiddenPrinter(UncategorizedHiddenPrinter,
1676 CategorizedHiddenPrinter);
1678 // Define a category for generic options that all tools should have.
1679 static cl::OptionCategory GenericCategory("Generic Options");
1681 // Define uncategorized help printers.
1682 // -help-list is hidden by default because if Option categories are being used
1683 // then -help behaves the same as -help-list.
1684 static cl::opt<HelpPrinter, true, parser<bool>> HLOp(
1686 cl::desc("Display list of available options (-help-list-hidden for more)"),
1687 cl::location(UncategorizedNormalPrinter), cl::Hidden, cl::ValueDisallowed,
1688 cl::cat(GenericCategory));
1690 static cl::opt<HelpPrinter, true, parser<bool>>
1691 HLHOp("help-list-hidden", cl::desc("Display list of all available options"),
1692 cl::location(UncategorizedHiddenPrinter), cl::Hidden,
1693 cl::ValueDisallowed, cl::cat(GenericCategory));
1695 // Define uncategorized/categorized help printers. These printers change their
1696 // behaviour at runtime depending on whether one or more Option categories have
1698 static cl::opt<HelpPrinterWrapper, true, parser<bool>>
1699 HOp("help", cl::desc("Display available options (-help-hidden for more)"),
1700 cl::location(WrappedNormalPrinter), cl::ValueDisallowed,
1701 cl::cat(GenericCategory));
1703 static cl::opt<HelpPrinterWrapper, true, parser<bool>>
1704 HHOp("help-hidden", cl::desc("Display all available options"),
1705 cl::location(WrappedHiddenPrinter), cl::Hidden, cl::ValueDisallowed,
1706 cl::cat(GenericCategory));
1708 static cl::opt<bool> PrintOptions(
1710 cl::desc("Print non-default options after command line parsing"),
1711 cl::Hidden, cl::init(false), cl::cat(GenericCategory));
1713 static cl::opt<bool> PrintAllOptions(
1714 "print-all-options",
1715 cl::desc("Print all option values after command line parsing"), cl::Hidden,
1716 cl::init(false), cl::cat(GenericCategory));
1718 void HelpPrinterWrapper::operator=(bool Value) {
1722 // Decide which printer to invoke. If more than one option category is
1723 // registered then it is useful to show the categorized help instead of
1724 // uncategorized help.
1725 if (GlobalParser->RegisteredOptionCategories.size() > 1) {
1726 // unhide -help-list option so user can have uncategorized output if they
1728 HLOp.setHiddenFlag(NotHidden);
1730 CategorizedPrinter = true; // Invoke categorized printer
1732 UncategorizedPrinter = true; // Invoke uncategorized printer
1735 // Print the value of each option.
1736 void cl::PrintOptionValues() { GlobalParser->printOptionValues(); }
1738 void CommandLineParser::printOptionValues() {
1739 if (!PrintOptions && !PrintAllOptions)
1742 SmallVector<std::pair<const char *, Option *>, 128> Opts;
1743 sortOpts(OptionsMap, Opts, /*ShowHidden*/ true);
1745 // Compute the maximum argument length...
1746 size_t MaxArgLen = 0;
1747 for (size_t i = 0, e = Opts.size(); i != e; ++i)
1748 MaxArgLen = std::max(MaxArgLen, Opts[i].second->getOptionWidth());
1750 for (size_t i = 0, e = Opts.size(); i != e; ++i)
1751 Opts[i].second->printOptionValue(MaxArgLen, PrintAllOptions);
1754 static void (*OverrideVersionPrinter)() = nullptr;
1756 static std::vector<void (*)()> *ExtraVersionPrinters = nullptr;
1759 class VersionPrinter {
1762 raw_ostream &OS = outs();
1763 OS << "LLVM (http://llvm.org/):\n"
1764 << " " << PACKAGE_NAME << " version " << PACKAGE_VERSION;
1765 #ifdef LLVM_VERSION_INFO
1766 OS << " " << LLVM_VERSION_INFO;
1769 #ifndef __OPTIMIZE__
1770 OS << "DEBUG build";
1772 OS << "Optimized build";
1775 OS << " with assertions";
1777 std::string CPU = sys::getHostCPUName();
1778 if (CPU == "generic")
1781 #if (ENABLE_TIMESTAMPS == 1)
1782 << " Built " << __DATE__ << " (" << __TIME__ << ").\n"
1784 << " Default target: " << sys::getDefaultTargetTriple() << '\n'
1785 << " Host CPU: " << CPU << '\n';
1787 void operator=(bool OptionWasSpecified) {
1788 if (!OptionWasSpecified)
1791 if (OverrideVersionPrinter != nullptr) {
1792 (*OverrideVersionPrinter)();
1797 // Iterate over any registered extra printers and call them to add further
1799 if (ExtraVersionPrinters != nullptr) {
1801 for (std::vector<void (*)()>::iterator I = ExtraVersionPrinters->begin(),
1802 E = ExtraVersionPrinters->end();
1810 } // End anonymous namespace
1812 // Define the --version option that prints out the LLVM version for the tool
1813 static VersionPrinter VersionPrinterInstance;
1815 static cl::opt<VersionPrinter, true, parser<bool>>
1816 VersOp("version", cl::desc("Display the version of this program"),
1817 cl::location(VersionPrinterInstance), cl::ValueDisallowed,
1818 cl::cat(GenericCategory));
1820 // Utility function for printing the help message.
1821 void cl::PrintHelpMessage(bool Hidden, bool Categorized) {
1822 // This looks weird, but it actually prints the help message. The Printers are
1823 // types of HelpPrinter and the help gets printed when its operator= is
1824 // invoked. That's because the "normal" usages of the help printer is to be
1825 // assigned true/false depending on whether -help or -help-hidden was given or
1826 // not. Since we're circumventing that we have to make it look like -help or
1827 // -help-hidden were given, so we assign true.
1829 if (!Hidden && !Categorized)
1830 UncategorizedNormalPrinter = true;
1831 else if (!Hidden && Categorized)
1832 CategorizedNormalPrinter = true;
1833 else if (Hidden && !Categorized)
1834 UncategorizedHiddenPrinter = true;
1836 CategorizedHiddenPrinter = true;
1839 /// Utility function for printing version number.
1840 void cl::PrintVersionMessage() { VersionPrinterInstance.print(); }
1842 void cl::SetVersionPrinter(void (*func)()) { OverrideVersionPrinter = func; }
1844 void cl::AddExtraVersionPrinter(void (*func)()) {
1845 if (!ExtraVersionPrinters)
1846 ExtraVersionPrinters = new std::vector<void (*)()>;
1848 ExtraVersionPrinters->push_back(func);
1851 StringMap<Option *> &cl::getRegisteredOptions() {
1852 return GlobalParser->OptionsMap;
1855 void cl::HideUnrelatedOptions(cl::OptionCategory &Category) {
1856 for (auto &I : GlobalParser->OptionsMap) {
1857 if (I.second->Category != &Category &&
1858 I.second->Category != &GenericCategory)
1859 I.second->setHiddenFlag(cl::ReallyHidden);
1863 void cl::HideUnrelatedOptions(ArrayRef<const cl::OptionCategory *> Categories) {
1864 auto CategoriesBegin = Categories.begin();
1865 auto CategoriesEnd = Categories.end();
1866 for (auto &I : GlobalParser->OptionsMap) {
1867 if (std::find(CategoriesBegin, CategoriesEnd, I.second->Category) ==
1869 I.second->Category != &GenericCategory)
1870 I.second->setHiddenFlag(cl::ReallyHidden);
1874 void LLVMParseCommandLineOptions(int argc, const char *const *argv,
1875 const char *Overview) {
1876 llvm::cl::ParseCommandLineOptions(argc, argv, Overview);