LLVM 22.0.0git
CommandLine.h
Go to the documentation of this file.
1//===- llvm/Support/CommandLine.h - Command line handler --------*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// 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 should
14// read the library documentation located in docs/CommandLine.html or looks at
15// the many example usages in tools/*/*.cpp
16//
17//===----------------------------------------------------------------------===//
18
19#ifndef LLVM_SUPPORT_COMMANDLINE_H
20#define LLVM_SUPPORT_COMMANDLINE_H
21
22#include "llvm/ADT/ArrayRef.h"
23#include "llvm/ADT/STLExtras.h"
26#include "llvm/ADT/StringMap.h"
27#include "llvm/ADT/StringRef.h"
28#include "llvm/ADT/Twine.h"
34#include <cassert>
35#include <climits>
36#include <cstddef>
37#include <functional>
38#include <initializer_list>
39#include <string>
40#include <type_traits>
41#include <vector>
42
43namespace llvm {
44
45namespace vfs {
46class FileSystem;
47}
48
49class StringSaver;
50
51/// This namespace contains all of the command line option processing machinery.
52/// It is intentionally a short name to make qualified usage concise.
53namespace cl {
54
55//===----------------------------------------------------------------------===//
56// Command line option processing entry point.
57//
58// Returns true on success. Otherwise, this will print the error message to
59// stderr and exit if \p Errs is not set (nullptr by default), or print the
60// error message to \p Errs and return false if \p Errs is provided.
61//
62// If EnvVar is not nullptr, command-line options are also parsed from the
63// environment variable named by EnvVar. Precedence is given to occurrences
64// from argv. This precedence is currently implemented by parsing argv after
65// the environment variable, so it is only implemented correctly for options
66// that give precedence to later occurrences. If your program supports options
67// that give precedence to earlier occurrences, you will need to extend this
68// function to support it correctly.
69LLVM_ABI bool ParseCommandLineOptions(int argc, const char *const *argv,
70 StringRef Overview = "",
71 raw_ostream *Errs = nullptr,
72 vfs::FileSystem *VFS = nullptr,
73 const char *EnvVar = nullptr,
74 bool LongOptionsUseDoubleDash = false);
75
76// Function pointer type for printing version information.
77using VersionPrinterTy = std::function<void(raw_ostream &)>;
78
79///===---------------------------------------------------------------------===//
80/// Override the default (LLVM specific) version printer used to print out the
81/// version when --version is given on the command line. This allows other
82/// systems using the CommandLine utilities to print their own version string.
84
85///===---------------------------------------------------------------------===//
86/// Add an extra printer to use in addition to the default one. This can be
87/// called multiple times, and each time it adds a new function to the list
88/// which will be called after the basic LLVM version printing is complete.
89/// Each can then add additional information specific to the tool.
91
92// Print option values.
93// With -print-options print the difference between option values and defaults.
94// With -print-all-options print all option values.
95// (Currently not perfect, but best-effort.)
97
98// Forward declaration - AddLiteralOption needs to be up here to make gcc happy.
99class Option;
100
101/// Adds a new option for parsing and provides the option it refers to.
102///
103/// \param O pointer to the option
104/// \param Name the string name for the option to handle during parsing
105///
106/// Literal options are used by some parsers to register special option values.
107/// This is how the PassNameParser registers pass names for opt.
109
110//===----------------------------------------------------------------------===//
111// Flags permitted to be passed to command line arguments
112//
113
114enum NumOccurrencesFlag { // Flags for the number of occurrences allowed
115 Optional = 0x00, // Zero or One occurrence
116 ZeroOrMore = 0x01, // Zero or more occurrences allowed
117 Required = 0x02, // One occurrence required
118 OneOrMore = 0x03, // One or more occurrences required
119
120 // Indicates that this option is fed anything that follows the last positional
121 // argument required by the application (it is an error if there are zero
122 // positional arguments, and a ConsumeAfter option is used).
123 // Thus, for example, all arguments to LLI are processed until a filename is
124 // found. Once a filename is found, all of the succeeding arguments are
125 // passed, unprocessed, to the ConsumeAfter option.
126 //
128};
129
130enum ValueExpected { // Is a value required for the option?
131 // zero reserved for the unspecified value
132 ValueOptional = 0x01, // The value can appear... or not
133 ValueRequired = 0x02, // The value is required to appear!
134 ValueDisallowed = 0x03 // A value may not be specified (for flags)
135};
136
137enum OptionHidden { // Control whether -help shows this option
138 NotHidden = 0x00, // Option included in -help & -help-hidden
139 Hidden = 0x01, // -help doesn't, but -help-hidden does
140 ReallyHidden = 0x02 // Neither -help nor -help-hidden show this arg
141};
142
143// This controls special features that the option might have that cause it to be
144// parsed differently...
145//
146// Prefix - This option allows arguments that are otherwise unrecognized to be
147// matched by options that are a prefix of the actual value. This is useful for
148// cases like a linker, where options are typically of the form '-lfoo' or
149// '-L../../include' where -l or -L are the actual flags. When prefix is
150// enabled, and used, the value for the flag comes from the suffix of the
151// argument.
152//
153// AlwaysPrefix - Only allow the behavior enabled by the Prefix flag and reject
154// the Option=Value form.
155//
156
158 NormalFormatting = 0x00, // Nothing special
159 Positional = 0x01, // Is a positional argument, no '-' required
160 Prefix = 0x02, // Can this option directly prefix its value?
161 AlwaysPrefix = 0x03 // Can this option only directly prefix its value?
162};
163
164enum MiscFlags { // Miscellaneous flags to adjust argument
165 CommaSeparated = 0x01, // Should this cl::list split between commas?
166 PositionalEatsArgs = 0x02, // Should this positional cl::list eat -args?
167 Sink = 0x04, // Should this cl::list eat all unknown options?
168
169 // Can this option group with other options?
170 // If this is enabled, multiple letter options are allowed to bunch together
171 // with only a single hyphen for the whole group. This allows emulation
172 // of the behavior that ls uses for example: ls -la === ls -l -a
173 Grouping = 0x08,
174
175 // Default option
177};
178
179//===----------------------------------------------------------------------===//
180//
182private:
183 StringRef const Name;
184 StringRef const Description;
185
186 LLVM_ABI void registerCategory();
187
188public:
190 StringRef const Description = "")
191 : Name(Name), Description(Description) {
192 registerCategory();
193 }
194
195 StringRef getName() const { return Name; }
196 StringRef getDescription() const { return Description; }
197};
198
199// The general Option Category (used as default category).
200LLVM_ABI OptionCategory &getGeneralCategory();
201
202//===----------------------------------------------------------------------===//
203//
205private:
206 StringRef Name;
207 StringRef Description;
208
209protected:
212
213public:
214 SubCommand(StringRef Name, StringRef Description = "")
215 : Name(Name), Description(Description) {
217 }
218 SubCommand() = default;
219
220 // Get the special subcommand representing no subcommand.
222
223 // Get the special subcommand that can be used to put an option into all
224 // subcommands.
225 LLVM_ABI static SubCommand &getAll();
226
227 LLVM_ABI void reset();
228
229 LLVM_ABI explicit operator bool() const;
230
231 StringRef getName() const { return Name; }
232 StringRef getDescription() const { return Description; }
233
237
238 Option *ConsumeAfterOpt = nullptr; // The ConsumeAfter option if it exists.
239};
240
243
244public:
245 SubCommandGroup(std::initializer_list<SubCommand *> IL) : Subs(IL) {}
246
247 ArrayRef<SubCommand *> getSubCommands() const { return Subs; }
248};
249
250//===----------------------------------------------------------------------===//
251//
253 friend class alias;
254
255 // Overriden by subclasses to handle the value passed into an argument. Should
256 // return true if there was an error processing the argument and the program
257 // should exit.
258 //
259 virtual bool handleOccurrence(unsigned pos, StringRef ArgName,
260 StringRef Arg) = 0;
261
262 virtual enum ValueExpected getValueExpectedFlagDefault() const {
263 return ValueOptional;
264 }
265
266 // Out of line virtual function to provide home for the class.
267 virtual void anchor();
268
269 uint16_t NumOccurrences; // The number of times specified
270 // Occurrences, HiddenFlag, and Formatting are all enum types but to avoid
271 // problems with signed enums in bitfields.
272 uint16_t Occurrences : 3; // enum NumOccurrencesFlag
273 // not using the enum type for 'Value' because zero is an implementation
274 // detail representing the non-value
275 uint16_t Value : 2;
276 uint16_t HiddenFlag : 2; // enum OptionHidden
277 uint16_t Formatting : 2; // enum FormattingFlags
278 uint16_t Misc : 5;
279 uint16_t FullyInitialized : 1; // Has addArgument been called?
280 uint16_t Position; // Position of last occurrence of the option
281 uint16_t AdditionalVals; // Greater than 0 for multi-valued option.
282
283public:
284 StringRef ArgStr; // The argument string itself (ex: "help", "o")
285 StringRef HelpStr; // The descriptive text message for -help
286 StringRef ValueStr; // String describing what the value of this option is
288 Categories; // The Categories this option belongs to
289 SmallPtrSet<SubCommand *, 1> Subs; // The subcommands this option belongs to.
290
292 return (enum NumOccurrencesFlag)Occurrences;
293 }
294
296 return Value ? ((enum ValueExpected)Value) : getValueExpectedFlagDefault();
297 }
298
299 inline enum OptionHidden getOptionHiddenFlag() const {
300 return (enum OptionHidden)HiddenFlag;
301 }
302
303 inline enum FormattingFlags getFormattingFlag() const {
304 return (enum FormattingFlags)Formatting;
305 }
306
307 inline unsigned getMiscFlags() const { return Misc; }
308 inline unsigned getPosition() const { return Position; }
309 inline unsigned getNumAdditionalVals() const { return AdditionalVals; }
310
311 // Return true if the argstr != ""
312 bool hasArgStr() const { return !ArgStr.empty(); }
313 bool isPositional() const { return getFormattingFlag() == cl::Positional; }
314 bool isSink() const { return getMiscFlags() & cl::Sink; }
315 bool isDefaultOption() const { return getMiscFlags() & cl::DefaultOption; }
316
317 bool isConsumeAfter() const {
319 }
320
321 //-------------------------------------------------------------------------===
322 // Accessor functions set by OptionModifiers
323 //
324 void setArgStr(StringRef S);
327 void setNumOccurrencesFlag(enum NumOccurrencesFlag Val) { Occurrences = Val; }
328 void setValueExpectedFlag(enum ValueExpected Val) { Value = Val; }
329 void setHiddenFlag(enum OptionHidden Val) { HiddenFlag = Val; }
330 void setFormattingFlag(enum FormattingFlags V) { Formatting = V; }
331 void setMiscFlag(enum MiscFlags M) { Misc |= M; }
332 void setPosition(unsigned pos) { Position = pos; }
333 void addCategory(OptionCategory &C);
334 void addSubCommand(SubCommand &S) { Subs.insert(&S); }
335
336protected:
337 explicit Option(enum NumOccurrencesFlag OccurrencesFlag,
338 enum OptionHidden Hidden)
339 : NumOccurrences(0), Occurrences(OccurrencesFlag), Value(0),
340 HiddenFlag(Hidden), Formatting(NormalFormatting), Misc(0),
341 FullyInitialized(false), Position(0), AdditionalVals(0) {
342 Categories.push_back(&getGeneralCategory());
343 }
344
345 inline void setNumAdditionalVals(unsigned n) { AdditionalVals = n; }
346
347public:
348 virtual ~Option() = default;
349
350 // Register this argument with the commandline system.
351 //
352 void addArgument();
353
354 /// Unregisters this option from the CommandLine system.
355 ///
356 /// This option must have been the last option registered.
357 /// For testing purposes only.
358 void removeArgument();
359
360 // Return the width of the option tag for printing...
361 virtual size_t getOptionWidth() const = 0;
362
363 // Print out information about this option. The to-be-maintained width is
364 // specified.
365 //
366 virtual void printOptionInfo(size_t GlobalWidth) const = 0;
367
368 virtual void printOptionValue(size_t GlobalWidth, bool Force) const = 0;
369
370 virtual void setDefault() = 0;
371
372 // Prints the help string for an option.
373 //
374 // This maintains the Indent for multi-line descriptions.
375 // FirstLineIndentedBy is the count of chars of the first line
376 // i.e. the one containing the --<option name>.
377 static void printHelpStr(StringRef HelpStr, size_t Indent,
378 size_t FirstLineIndentedBy);
379
380 // Prints the help string for an enum value.
381 //
382 // This maintains the Indent for multi-line descriptions.
383 // FirstLineIndentedBy is the count of chars of the first line
384 // i.e. the one containing the =<value>.
385 static void printEnumValHelpStr(StringRef HelpStr, size_t Indent,
386 size_t FirstLineIndentedBy);
387
389
390 // Wrapper around handleOccurrence that enforces Flags.
391 //
392 virtual bool addOccurrence(unsigned pos, StringRef ArgName, StringRef Value,
393 bool MultiArg = false);
394
395 // Prints option name followed by message. Always returns true.
396 bool error(const Twine &Message, StringRef ArgName = StringRef(), raw_ostream &Errs = llvm::errs());
397 bool error(const Twine &Message, raw_ostream &Errs) {
398 return error(Message, StringRef(), Errs);
399 }
400
401 inline int getNumOccurrences() const { return NumOccurrences; }
402 void reset();
403};
404
405//===----------------------------------------------------------------------===//
406// Command line option modifiers that can be used to modify the behavior of
407// command line option parsers...
408//
409
410// Modifier to set the description shown in the -help output...
411struct desc {
413
414 desc(StringRef Str) : Desc(Str) {}
415
416 void apply(Option &O) const { O.setDescription(Desc); }
417};
418
419// Modifier to set the value description shown in the -help output...
422
423 value_desc(StringRef Str) : Desc(Str) {}
424
425 void apply(Option &O) const { O.setValueStr(Desc); }
426};
427
428// Specify a default (initial) value for the command line argument, if the
429// default constructor for the argument type does not give you what you want.
430// This is only valid on "opt" arguments, not on "list" arguments.
431template <class Ty> struct initializer {
432 const Ty &Init;
433 initializer(const Ty &Val) : Init(Val) {}
434
435 template <class Opt> void apply(Opt &O) const { O.setInitialValue(Init); }
436};
437
438template <class Ty> struct list_initializer {
441
442 template <class Opt> void apply(Opt &O) const { O.setInitialValues(Inits); }
443};
444
445template <class Ty> initializer<Ty> init(const Ty &Val) {
446 return initializer<Ty>(Val);
447}
448
449template <class Ty>
453
454// Allow the user to specify which external variable they want to store the
455// results of the command line argument processing into, if they don't want to
456// store it in the option itself.
457template <class Ty> struct LocationClass {
458 Ty &Loc;
459
460 LocationClass(Ty &L) : Loc(L) {}
461
462 template <class Opt> void apply(Opt &O) const { O.setLocation(O, Loc); }
463};
464
465template <class Ty> LocationClass<Ty> location(Ty &L) {
466 return LocationClass<Ty>(L);
467}
468
469// Specify the Option category for the command line argument to belong to.
470struct cat {
472
474
475 template <class Opt> void apply(Opt &O) const { O.addCategory(Category); }
476};
477
478// Specify the subcommand that this option belongs to.
479struct sub {
480 SubCommand *Sub = nullptr;
482
483 sub(SubCommand &S) : Sub(&S) {}
485
486 template <class Opt> void apply(Opt &O) const {
487 if (Sub)
488 O.addSubCommand(*Sub);
489 else if (Group)
490 for (SubCommand *SC : Group->getSubCommands())
491 O.addSubCommand(*SC);
492 }
493};
494
495// Specify a callback function to be called when an option is seen.
496// Can be used to set other options automatically.
497template <typename R, typename Ty> struct cb {
498 std::function<R(Ty)> CB;
499
500 cb(std::function<R(Ty)> CB) : CB(CB) {}
501
502 template <typename Opt> void apply(Opt &O) const { O.setCallback(CB); }
503};
504
505namespace detail {
506template <typename F>
507struct callback_traits : public callback_traits<decltype(&F::operator())> {};
508
509template <typename R, typename C, typename... Args>
510struct callback_traits<R (C::*)(Args...) const> {
511 using result_type = R;
512 using arg_type = std::tuple_element_t<0, std::tuple<Args...>>;
513 static_assert(sizeof...(Args) == 1, "callback function must have one and only one parameter");
514 static_assert(std::is_same_v<result_type, void>,
515 "callback return type must be void");
516 static_assert(std::is_lvalue_reference_v<arg_type> &&
517 std::is_const_v<std::remove_reference_t<arg_type>>,
518 "callback arg_type must be a const lvalue reference");
519};
520} // namespace detail
521
522template <typename F>
526 using result_type = typename detail::callback_traits<F>::result_type;
527 using arg_type = typename detail::callback_traits<F>::arg_type;
528 return cb<result_type, arg_type>(CB);
529}
530
531//===----------------------------------------------------------------------===//
532
533// Support value comparison outside the template.
535 virtual bool compare(const GenericOptionValue &V) const = 0;
536
537protected:
542
543private:
544 virtual void anchor();
545};
546
547template <class DataType> struct OptionValue;
548
549// The default value safely does nothing. Option value printing is only
550// best-effort.
551template <class DataType, bool isClass>
553 // Temporary storage for argument passing.
555
556 bool hasValue() const { return false; }
557
558 const DataType &getValue() const { llvm_unreachable("no default value"); }
559
560 // Some options may take their value from a different data type.
561 template <class DT> void setValue(const DT & /*V*/) {}
562
563 // Returns whether this instance matches the argument.
564 bool compare(const DataType & /*V*/) const { return false; }
565
566 bool compare(const GenericOptionValue & /*V*/) const override {
567 return false;
568 }
569
570protected:
571 ~OptionValueBase() = default;
572};
573
574// Simple copy of the option value.
575template <class DataType> class OptionValueCopy : public GenericOptionValue {
576 DataType Value;
577 bool Valid = false;
578
579protected:
582 ~OptionValueCopy() = default;
583
584public:
585 OptionValueCopy() = default;
586
587 bool hasValue() const { return Valid; }
588
589 const DataType &getValue() const {
590 assert(Valid && "invalid option value");
591 return Value;
592 }
593
594 void setValue(const DataType &V) {
595 Valid = true;
596 Value = V;
597 }
598
599 // Returns whether this instance matches V.
600 bool compare(const DataType &V) const { return Valid && (Value == V); }
601
602 bool compare(const GenericOptionValue &V) const override {
603 const OptionValueCopy<DataType> &VC =
604 static_cast<const OptionValueCopy<DataType> &>(V);
605 if (!VC.hasValue())
606 return false;
607 return compare(VC.getValue());
608 }
609};
610
611// Non-class option values.
612template <class DataType>
613struct OptionValueBase<DataType, false> : OptionValueCopy<DataType> {
614 using WrapperType = DataType;
615
616protected:
617 OptionValueBase() = default;
620 ~OptionValueBase() = default;
621};
622
623// Top-level option class.
624template <class DataType>
625struct OptionValue final
626 : OptionValueBase<DataType, std::is_class_v<DataType>> {
627 OptionValue() = default;
628
629 OptionValue(const DataType &V) { this->setValue(V); }
630
631 // Some options may take their value from a different data type.
632 template <class DT> OptionValue<DataType> &operator=(const DT &V) {
633 this->setValue(V);
634 return *this;
635 }
636};
637
638// Other safe-to-copy-by-value common option types.
640template <>
642 : OptionValueCopy<cl::boolOrDefault> {
644
645 OptionValue() = default;
646
647 OptionValue(const cl::boolOrDefault &V) { this->setValue(V); }
648
650 setValue(V);
651 return *this;
652 }
653
654private:
655 void anchor() override;
656};
657
658template <>
659struct LLVM_ABI OptionValue<std::string> final : OptionValueCopy<std::string> {
661
662 OptionValue() = default;
663
664 OptionValue(const std::string &V) { this->setValue(V); }
665
666 OptionValue<std::string> &operator=(const std::string &V) {
667 setValue(V);
668 return *this;
669 }
670
671private:
672 void anchor() override;
673};
674
675//===----------------------------------------------------------------------===//
676// Enum valued command line option
677//
678
679// This represents a single enum value, using "int" as the underlying type.
685
686#define clEnumVal(ENUMVAL, DESC) \
687 llvm::cl::OptionEnumValue { #ENUMVAL, int(ENUMVAL), DESC }
688#define clEnumValN(ENUMVAL, FLAGNAME, DESC) \
689 llvm::cl::OptionEnumValue { FLAGNAME, int(ENUMVAL), DESC }
690
691// For custom data types, allow specifying a group of values together as the
692// values that go into the mapping that the option handler uses.
693//
695 // Use a vector instead of a map, because the lists should be short,
696 // the overhead is less, and most importantly, it keeps them in the order
697 // inserted so we can print our option out nicely.
699
700public:
701 ValuesClass(std::initializer_list<OptionEnumValue> Options)
702 : Values(Options) {}
703
704 template <class Opt> void apply(Opt &O) const {
705 for (const auto &Value : Values)
706 O.getParser().addLiteralOption(Value.Name, Value.Value,
707 Value.Description);
708 }
709};
710
711/// Helper to build a ValuesClass by forwarding a variable number of arguments
712/// as an initializer list to the ValuesClass constructor.
713template <typename... OptsTy> ValuesClass values(OptsTy... Options) {
714 return ValuesClass({Options...});
715}
716
717//===----------------------------------------------------------------------===//
718// Parameterizable parser for different data types. By default, known data types
719// (string, int, bool) have specialized parsers, that do what you would expect.
720// The default parser, used for data types that are not built-in, uses a mapping
721// table to map specific options to values, which is used, among other things,
722// to handle enum types.
723
724//--------------------------------------------------
725// This class holds all the non-generic code that we do not need replicated for
726// every instance of the generic parser. This also allows us to put stuff into
727// CommandLine.cpp
728//
730protected:
738
739public:
741
742 virtual ~generic_parser_base() = default;
743 // Base class should have virtual-destructor
744
745 // Virtual function implemented by generic subclass to indicate how many
746 // entries are in Values.
747 //
748 virtual unsigned getNumOptions() const = 0;
749
750 // Return option name N.
751 virtual StringRef getOption(unsigned N) const = 0;
752
753 // Return description N
754 virtual StringRef getDescription(unsigned N) const = 0;
755
756 // Return the width of the option tag for printing...
757 virtual size_t getOptionWidth(const Option &O) const;
758
759 virtual const GenericOptionValue &getOptionValue(unsigned N) const = 0;
760
761 // Print out information about this option. The to-be-maintained width is
762 // specified.
763 //
764 virtual void printOptionInfo(const Option &O, size_t GlobalWidth) const;
765
766 void printGenericOptionDiff(const Option &O, const GenericOptionValue &V,
768 size_t GlobalWidth) const;
769
770 // Print the value of an option and it's default.
771 //
772 // Template definition ensures that the option and default have the same
773 // DataType (via the same AnyOptionValue).
774 template <class AnyOptionValue>
775 void printOptionDiff(const Option &O, const AnyOptionValue &V,
776 const AnyOptionValue &Default,
777 size_t GlobalWidth) const {
778 printGenericOptionDiff(O, V, Default, GlobalWidth);
779 }
780
781 void initialize() {}
782
784 // If there has been no argstr specified, that means that we need to add an
785 // argument for every possible option. This ensures that our options are
786 // vectored to us.
787 if (!Owner.hasArgStr())
788 for (unsigned i = 0, e = getNumOptions(); i != e; ++i)
789 OptionNames.push_back(getOption(i));
790 }
791
793 // If there is an ArgStr specified, then we are of the form:
794 //
795 // -opt=O2 or -opt O2 or -optO2
796 //
797 // In which case, the value is required. Otherwise if an arg str has not
798 // been specified, we are of the form:
799 //
800 // -O2 or O2 or -la (where -l and -a are separate options)
801 //
802 // If this is the case, we cannot allow a value.
803 //
804 if (Owner.hasArgStr())
805 return ValueRequired;
806 else
807 return ValueDisallowed;
808 }
809
810 // Return the option number corresponding to the specified
811 // argument string. If the option is not found, getNumOptions() is returned.
812 //
813 unsigned findOption(StringRef Name);
814
815protected:
817};
818
819// Default parser implementation - This implementation depends on having a
820// mapping of recognized options to values of some sort. In addition to this,
821// each entry in the mapping also tracks a help message that is printed with the
822// command line option for -help. Because this is a simple mapping parser, the
823// data type can be any unsupported type.
824//
825template <class DataType> class parser : public generic_parser_base {
826protected:
828 public:
829 OptionInfo(StringRef name, DataType v, StringRef helpStr)
830 : GenericOptionInfo(name, helpStr), V(v) {}
831
833 };
835
836public:
838
839 using parser_data_type = DataType;
840
841 // Implement virtual functions needed by generic_parser_base
842 unsigned getNumOptions() const override { return unsigned(Values.size()); }
843 StringRef getOption(unsigned N) const override { return Values[N].Name; }
844 StringRef getDescription(unsigned N) const override {
845 return Values[N].HelpStr;
846 }
847
848 // Return the value of option name N.
849 const GenericOptionValue &getOptionValue(unsigned N) const override {
850 return Values[N].V;
851 }
852
853 // Return true on error.
854 bool parse(Option &O, StringRef ArgName, StringRef Arg, DataType &V) {
855 StringRef ArgVal;
856 if (Owner.hasArgStr())
857 ArgVal = Arg;
858 else
859 ArgVal = ArgName;
860
861 for (size_t i = 0, e = Values.size(); i != e; ++i)
862 if (Values[i].Name == ArgVal) {
863 V = Values[i].V.getValue();
864 return false;
865 }
866
867 return O.error("Cannot find option named '" + ArgVal + "'!");
868 }
869
870 /// Add an entry to the mapping table.
871 ///
872 template <class DT>
873 void addLiteralOption(StringRef Name, const DT &V, StringRef HelpStr) {
874#ifndef NDEBUG
875 if (findOption(Name) != Values.size())
876 report_fatal_error("Option '" + Name + "' already exists!");
877#endif
878 OptionInfo X(Name, static_cast<DataType>(V), HelpStr);
879 Values.push_back(X);
880 AddLiteralOption(Owner, Name);
881 }
882
883 /// Remove the specified option.
884 ///
886 unsigned N = findOption(Name);
887 assert(N != Values.size() && "Option not found!");
888 Values.erase(Values.begin() + N);
889 }
890};
891
892//--------------------------------------------------
893// Super class of parsers to provide boilerplate code
894//
896 basic_parser_impl { // non-template implementation of basic_parser<t>
897public:
899
900 virtual ~basic_parser_impl() = default;
901
905
907
908 void initialize() {}
909
910 // Return the width of the option tag for printing...
911 size_t getOptionWidth(const Option &O) const;
912
913 // Print out information about this option. The to-be-maintained width is
914 // specified.
915 //
916 void printOptionInfo(const Option &O, size_t GlobalWidth) const;
917
918 // Print a placeholder for options that don't yet support printOptionDiff().
919 void printOptionNoValue(const Option &O, size_t GlobalWidth) const;
920
921 // Overload in subclass to provide a better default value.
922 virtual StringRef getValueName() const { return "value"; }
923
924 // An out-of-line virtual method to provide a 'home' for this class.
925 virtual void anchor();
926
927protected:
928 // A helper for basic_parser::printOptionDiff.
929 void printOptionName(const Option &O, size_t GlobalWidth) const;
930};
931
932// The real basic parser is just a template wrapper that provides a typedef for
933// the provided data type.
934//
935template <class DataType> class basic_parser : public basic_parser_impl {
936public:
937 using parser_data_type = DataType;
939
941};
942
943//--------------------------------------------------
944
945extern template class LLVM_TEMPLATE_ABI basic_parser<bool>;
946
947template <> class LLVM_ABI parser<bool> : public basic_parser<bool> {
948public:
950
951 // Return true on error.
952 bool parse(Option &O, StringRef ArgName, StringRef Arg, bool &Val);
953
954 void initialize() {}
955
959
960 // Do not print =<value> at all.
961 StringRef getValueName() const override { return StringRef(); }
962
963 void printOptionDiff(const Option &O, bool V, OptVal Default,
964 size_t GlobalWidth) const;
965
966 // An out-of-line virtual method to provide a 'home' for this class.
967 void anchor() override;
968};
969
970//--------------------------------------------------
971
973
974template <>
976public:
978
979 // Return true on error.
980 bool parse(Option &O, StringRef ArgName, StringRef Arg, boolOrDefault &Val);
981
985
986 // Do not print =<value> at all.
987 StringRef getValueName() const override { return StringRef(); }
988
990 size_t GlobalWidth) const;
991
992 // An out-of-line virtual method to provide a 'home' for this class.
993 void anchor() override;
994};
995
996//--------------------------------------------------
997
998extern template class LLVM_TEMPLATE_ABI basic_parser<int>;
999
1000template <> class LLVM_ABI parser<int> : public basic_parser<int> {
1001public:
1003
1004 // Return true on error.
1005 bool parse(Option &O, StringRef ArgName, StringRef Arg, int &Val);
1006
1007 // Overload in subclass to provide a better default value.
1008 StringRef getValueName() const override { return "int"; }
1009
1010 void printOptionDiff(const Option &O, int V, OptVal Default,
1011 size_t GlobalWidth) const;
1012
1013 // An out-of-line virtual method to provide a 'home' for this class.
1014 void anchor() override;
1015};
1016
1017//--------------------------------------------------
1018
1019extern template class LLVM_TEMPLATE_ABI basic_parser<long>;
1020
1021template <> class LLVM_ABI parser<long> final : public basic_parser<long> {
1022public:
1024
1025 // Return true on error.
1026 bool parse(Option &O, StringRef ArgName, StringRef Arg, long &Val);
1027
1028 // Overload in subclass to provide a better default value.
1029 StringRef getValueName() const override { return "long"; }
1030
1031 void printOptionDiff(const Option &O, long V, OptVal Default,
1032 size_t GlobalWidth) const;
1033
1034 // An out-of-line virtual method to provide a 'home' for this class.
1035 void anchor() override;
1036};
1037
1038//--------------------------------------------------
1039
1040extern template class LLVM_TEMPLATE_ABI basic_parser<long long>;
1041
1043public:
1045
1046 // Return true on error.
1047 bool parse(Option &O, StringRef ArgName, StringRef Arg, long long &Val);
1048
1049 // Overload in subclass to provide a better default value.
1050 StringRef getValueName() const override { return "long"; }
1051
1052 void printOptionDiff(const Option &O, long long V, OptVal Default,
1053 size_t GlobalWidth) const;
1054
1055 // An out-of-line virtual method to provide a 'home' for this class.
1056 void anchor() override;
1057};
1058
1059//--------------------------------------------------
1060
1061extern template class LLVM_TEMPLATE_ABI basic_parser<unsigned>;
1062
1064public:
1066
1067 // Return true on error.
1068 bool parse(Option &O, StringRef ArgName, StringRef Arg, unsigned &Val);
1069
1070 // Overload in subclass to provide a better default value.
1071 StringRef getValueName() const override { return "uint"; }
1072
1073 void printOptionDiff(const Option &O, unsigned V, OptVal Default,
1074 size_t GlobalWidth) const;
1075
1076 // An out-of-line virtual method to provide a 'home' for this class.
1077 void anchor() override;
1078};
1079
1080//--------------------------------------------------
1081
1083
1084template <>
1087public:
1089
1090 // Return true on error.
1091 bool parse(Option &O, StringRef ArgName, StringRef Arg, unsigned long &Val);
1092
1093 // Overload in subclass to provide a better default value.
1094 StringRef getValueName() const override { return "ulong"; }
1095
1096 void printOptionDiff(const Option &O, unsigned long V, OptVal Default,
1097 size_t GlobalWidth) const;
1098
1099 // An out-of-line virtual method to provide a 'home' for this class.
1100 void anchor() override;
1101};
1102
1103//--------------------------------------------------
1104
1106
1107template <>
1110public:
1112
1113 // Return true on error.
1114 bool parse(Option &O, StringRef ArgName, StringRef Arg,
1115 unsigned long long &Val);
1116
1117 // Overload in subclass to provide a better default value.
1118 StringRef getValueName() const override { return "ulong"; }
1119
1120 void printOptionDiff(const Option &O, unsigned long long V, OptVal Default,
1121 size_t GlobalWidth) const;
1122
1123 // An out-of-line virtual method to provide a 'home' for this class.
1124 void anchor() override;
1125};
1126
1127//--------------------------------------------------
1128
1129extern template class LLVM_TEMPLATE_ABI basic_parser<double>;
1130
1132public:
1134
1135 // Return true on error.
1136 bool parse(Option &O, StringRef ArgName, StringRef Arg, double &Val);
1137
1138 // Overload in subclass to provide a better default value.
1139 StringRef getValueName() const override { return "number"; }
1140
1141 void printOptionDiff(const Option &O, double V, OptVal Default,
1142 size_t GlobalWidth) const;
1143
1144 // An out-of-line virtual method to provide a 'home' for this class.
1145 void anchor() override;
1146};
1147
1148//--------------------------------------------------
1149
1150extern template class LLVM_TEMPLATE_ABI basic_parser<float>;
1151
1152template <> class LLVM_ABI parser<float> : public basic_parser<float> {
1153public:
1155
1156 // Return true on error.
1157 bool parse(Option &O, StringRef ArgName, StringRef Arg, float &Val);
1158
1159 // Overload in subclass to provide a better default value.
1160 StringRef getValueName() const override { return "number"; }
1161
1162 void printOptionDiff(const Option &O, float V, OptVal Default,
1163 size_t GlobalWidth) const;
1164
1165 // An out-of-line virtual method to provide a 'home' for this class.
1166 void anchor() override;
1167};
1168
1169//--------------------------------------------------
1170
1171extern template class LLVM_TEMPLATE_ABI basic_parser<std::string>;
1172
1173template <>
1175public:
1177
1178 // Return true on error.
1179 bool parse(Option &, StringRef, StringRef Arg, std::string &Value) {
1180 Value = Arg.str();
1181 return false;
1182 }
1183
1184 // Overload in subclass to provide a better default value.
1185 StringRef getValueName() const override { return "string"; }
1186
1188 size_t GlobalWidth) const;
1189
1190 // An out-of-line virtual method to provide a 'home' for this class.
1191 void anchor() override;
1192};
1193
1194//--------------------------------------------------
1195
1196extern template class LLVM_TEMPLATE_ABI basic_parser<char>;
1197
1198template <> class LLVM_ABI parser<char> : public basic_parser<char> {
1199public:
1201
1202 // Return true on error.
1203 bool parse(Option &, StringRef, StringRef Arg, char &Value) {
1204 Value = Arg[0];
1205 return false;
1206 }
1207
1208 // Overload in subclass to provide a better default value.
1209 StringRef getValueName() const override { return "char"; }
1210
1211 void printOptionDiff(const Option &O, char V, OptVal Default,
1212 size_t GlobalWidth) const;
1213
1214 // An out-of-line virtual method to provide a 'home' for this class.
1215 void anchor() override;
1216};
1217
1218//--------------------------------------------------
1219// This collection of wrappers is the intermediary between class opt and class
1220// parser to handle all the template nastiness.
1221
1222// This overloaded function is selected by the generic parser.
1223template <class ParserClass, class DT>
1224void printOptionDiff(const Option &O, const generic_parser_base &P, const DT &V,
1225 const OptionValue<DT> &Default, size_t GlobalWidth) {
1226 OptionValue<DT> OV = V;
1227 P.printOptionDiff(O, OV, Default, GlobalWidth);
1228}
1229
1230// This is instantiated for basic parsers when the parsed value has a different
1231// type than the option value. e.g. HelpPrinter.
1232template <class ParserDT, class ValDT> struct OptionDiffPrinter {
1233 void print(const Option &O, const parser<ParserDT> &P, const ValDT & /*V*/,
1234 const OptionValue<ValDT> & /*Default*/, size_t GlobalWidth) {
1235 P.printOptionNoValue(O, GlobalWidth);
1236 }
1237};
1238
1239// This is instantiated for basic parsers when the parsed value has the same
1240// type as the option value.
1241template <class DT> struct OptionDiffPrinter<DT, DT> {
1242 void print(const Option &O, const parser<DT> &P, const DT &V,
1243 const OptionValue<DT> &Default, size_t GlobalWidth) {
1244 P.printOptionDiff(O, V, Default, GlobalWidth);
1245 }
1246};
1247
1248// This overloaded function is selected by the basic parser, which may parse a
1249// different type than the option type.
1250template <class ParserClass, class ValDT>
1252 const Option &O,
1254 const ValDT &V, const OptionValue<ValDT> &Default, size_t GlobalWidth) {
1255
1257 printer.print(O, static_cast<const ParserClass &>(P), V, Default,
1258 GlobalWidth);
1259}
1260
1261//===----------------------------------------------------------------------===//
1262// This class is used because we must use partial specialization to handle
1263// literal string arguments specially (const char* does not correctly respond to
1264// the apply method). Because the syntax to use this is a pain, we have the
1265// 'apply' method below to handle the nastiness...
1266//
1267template <class Mod> struct applicator {
1268 template <class Opt> static void opt(const Mod &M, Opt &O) { M.apply(O); }
1269};
1270
1271// Handle const char* as a special case...
1272template <unsigned n> struct applicator<char[n]> {
1273 template <class Opt> static void opt(StringRef Str, Opt &O) {
1274 O.setArgStr(Str);
1275 }
1276};
1277template <unsigned n> struct applicator<const char[n]> {
1278 template <class Opt> static void opt(StringRef Str, Opt &O) {
1279 O.setArgStr(Str);
1280 }
1281};
1282template <> struct applicator<StringRef > {
1283 template <class Opt> static void opt(StringRef Str, Opt &O) {
1284 O.setArgStr(Str);
1285 }
1286};
1287
1289 static void opt(NumOccurrencesFlag N, Option &O) {
1290 O.setNumOccurrencesFlag(N);
1291 }
1292};
1293
1294template <> struct applicator<ValueExpected> {
1295 static void opt(ValueExpected VE, Option &O) { O.setValueExpectedFlag(VE); }
1296};
1297
1298template <> struct applicator<OptionHidden> {
1299 static void opt(OptionHidden OH, Option &O) { O.setHiddenFlag(OH); }
1300};
1301
1303 static void opt(FormattingFlags FF, Option &O) { O.setFormattingFlag(FF); }
1304};
1305
1306template <> struct applicator<MiscFlags> {
1307 static void opt(MiscFlags MF, Option &O) {
1308 assert((MF != Grouping || O.ArgStr.size() == 1) &&
1309 "cl::Grouping can only apply to single character Options.");
1310 O.setMiscFlag(MF);
1311 }
1312};
1313
1314// Apply modifiers to an option in a type safe way.
1315template <class Opt, class Mod, class... Mods>
1316void apply(Opt *O, const Mod &M, const Mods &... Ms) {
1317 applicator<Mod>::opt(M, *O);
1318 apply(O, Ms...);
1319}
1320
1321template <class Opt, class Mod> void apply(Opt *O, const Mod &M) {
1322 applicator<Mod>::opt(M, *O);
1323}
1324
1325//===----------------------------------------------------------------------===//
1326// Default storage class definition: external storage. This implementation
1327// assumes the user will specify a variable to store the data into with the
1328// cl::location(x) modifier.
1329//
1330template <class DataType, bool ExternalStorage, bool isClass>
1332 DataType *Location = nullptr; // Where to store the object...
1333 OptionValue<DataType> Default;
1334
1335 void check_location() const {
1336 assert(Location && "cl::location(...) not specified for a command "
1337 "line option with external storage, "
1338 "or cl::init specified before cl::location()!!");
1339 }
1340
1341public:
1342 opt_storage() = default;
1343
1344 bool setLocation(Option &O, DataType &L) {
1345 if (Location)
1346 return O.error("cl::location(x) specified more than once!");
1347 Location = &L;
1348 Default = L;
1349 return false;
1350 }
1351
1352 template <class T> void setValue(const T &V, bool initial = false) {
1353 check_location();
1354 *Location = V;
1355 if (initial)
1356 Default = V;
1357 }
1358
1359 DataType &getValue() {
1360 check_location();
1361 return *Location;
1362 }
1363 const DataType &getValue() const {
1364 check_location();
1365 return *Location;
1366 }
1367
1368 operator DataType() const { return this->getValue(); }
1369
1370 const OptionValue<DataType> &getDefault() const { return Default; }
1371};
1372
1373// Define how to hold a class type object, such as a string. Since we can
1374// inherit from a class, we do so. This makes us exactly compatible with the
1375// object in all cases that it is used.
1376//
1377template <class DataType>
1378class opt_storage<DataType, false, true> : public DataType {
1379public:
1381
1382 template <class T> void setValue(const T &V, bool initial = false) {
1383 DataType::operator=(V);
1384 if (initial)
1385 Default = V;
1386 }
1387
1388 DataType &getValue() { return *this; }
1389 const DataType &getValue() const { return *this; }
1390
1391 const OptionValue<DataType> &getDefault() const { return Default; }
1392};
1393
1394// Define a partial specialization to handle things we cannot inherit from. In
1395// this case, we store an instance through containment, and overload operators
1396// to get at the value.
1397//
1398template <class DataType> class opt_storage<DataType, false, false> {
1399public:
1400 DataType Value;
1402
1403 // Make sure we initialize the value with the default constructor for the
1404 // type.
1405 opt_storage() : Value(DataType()), Default() {}
1406
1407 template <class T> void setValue(const T &V, bool initial = false) {
1408 Value = V;
1409 if (initial)
1410 Default = V;
1411 }
1412 DataType &getValue() { return Value; }
1413 DataType getValue() const { return Value; }
1414
1415 const OptionValue<DataType> &getDefault() const { return Default; }
1416
1417 operator DataType() const { return getValue(); }
1418
1419 // If the datatype is a pointer, support -> on it.
1420 DataType operator->() const { return Value; }
1421};
1422
1423//===----------------------------------------------------------------------===//
1424// A scalar command line option.
1425//
1426template <class DataType, bool ExternalStorage = false,
1427 class ParserClass = parser<DataType>>
1428class opt
1429 : public Option,
1430 public opt_storage<DataType, ExternalStorage, std::is_class_v<DataType>> {
1431 ParserClass Parser;
1432
1433 bool handleOccurrence(unsigned pos, StringRef ArgName,
1434 StringRef Arg) override {
1435 typename ParserClass::parser_data_type Val =
1436 typename ParserClass::parser_data_type();
1437 if (Parser.parse(*this, ArgName, Arg, Val))
1438 return true; // Parse error!
1439 this->setValue(Val);
1440 this->setPosition(pos);
1441 Callback(Val);
1442 return false;
1443 }
1444
1445 enum ValueExpected getValueExpectedFlagDefault() const override {
1446 return Parser.getValueExpectedFlagDefault();
1447 }
1448
1449 void getExtraOptionNames(SmallVectorImpl<StringRef> &OptionNames) override {
1450 return Parser.getExtraOptionNames(OptionNames);
1451 }
1452
1453 // Forward printing stuff to the parser...
1454 size_t getOptionWidth() const override {
1455 return Parser.getOptionWidth(*this);
1456 }
1457
1458 void printOptionInfo(size_t GlobalWidth) const override {
1459 Parser.printOptionInfo(*this, GlobalWidth);
1460 }
1461
1462 void printOptionValue(size_t GlobalWidth, bool Force) const override {
1463 if (Force || !this->getDefault().compare(this->getValue())) {
1464 cl::printOptionDiff<ParserClass>(*this, Parser, this->getValue(),
1465 this->getDefault(), GlobalWidth);
1466 }
1467 }
1468
1469 void setDefault() override {
1470 if constexpr (std::is_assignable_v<DataType &, DataType>) {
1471 const OptionValue<DataType> &V = this->getDefault();
1472 if (V.hasValue())
1473 this->setValue(V.getValue());
1474 else
1475 this->setValue(DataType());
1476 }
1477 }
1478
1479 void done() {
1480 addArgument();
1481 Parser.initialize();
1482 }
1483
1484public:
1485 // Command line options should not be copyable
1486 opt(const opt &) = delete;
1487 opt &operator=(const opt &) = delete;
1488
1489 // setInitialValue - Used by the cl::init modifier...
1490 void setInitialValue(const DataType &V) { this->setValue(V, true); }
1491
1492 ParserClass &getParser() { return Parser; }
1493
1494 template <class T> DataType &operator=(const T &Val) {
1495 this->setValue(Val);
1496 Callback(Val);
1497 return this->getValue();
1498 }
1499
1500 template <class T> DataType &operator=(T &&Val) {
1501 this->getValue() = std::forward<T>(Val);
1502 Callback(this->getValue());
1503 return this->getValue();
1504 }
1505
1506 template <class... Mods>
1507 explicit opt(const Mods &... Ms)
1508 : Option(llvm::cl::Optional, NotHidden), Parser(*this) {
1509 apply(this, Ms...);
1510 done();
1511 }
1512
1514 std::function<void(const typename ParserClass::parser_data_type &)> CB) {
1515 Callback = CB;
1516 }
1517
1518 std::function<void(const typename ParserClass::parser_data_type &)> Callback =
1519 [](const typename ParserClass::parser_data_type &) {};
1520};
1521
1522#if !(defined(LLVM_ENABLE_LLVM_EXPORT_ANNOTATIONS) && defined(_MSC_VER))
1523// Only instantiate opt<std::string> when not building a Windows DLL. When
1524// exporting opt<std::string>, MSVC implicitly exports symbols for
1525// std::basic_string through transitive inheritance via std::string. These
1526// symbols may appear in clients, leading to duplicate symbol conflicts.
1527extern template class LLVM_TEMPLATE_ABI opt<std::string>;
1528#endif
1529
1530extern template class LLVM_TEMPLATE_ABI opt<unsigned>;
1531extern template class LLVM_TEMPLATE_ABI opt<int>;
1532extern template class LLVM_TEMPLATE_ABI opt<char>;
1533extern template class LLVM_TEMPLATE_ABI opt<bool>;
1534
1535//===----------------------------------------------------------------------===//
1536// Default storage class definition: external storage. This implementation
1537// assumes the user will specify a variable to store the data into with the
1538// cl::location(x) modifier.
1539//
1540template <class DataType, class StorageClass> class list_storage {
1541 StorageClass *Location = nullptr; // Where to store the object...
1542 std::vector<OptionValue<DataType>> Default =
1543 std::vector<OptionValue<DataType>>();
1544 bool DefaultAssigned = false;
1545
1546public:
1547 list_storage() = default;
1548
1549 void clear() {}
1550
1552 if (Location)
1553 return O.error("cl::location(x) specified more than once!");
1554 Location = &L;
1555 return false;
1556 }
1557
1558 template <class T> void addValue(const T &V, bool initial = false) {
1559 assert(Location != nullptr &&
1560 "cl::location(...) not specified for a command "
1561 "line option with external storage!");
1562 Location->push_back(V);
1563 if (initial)
1564 Default.push_back(V);
1565 }
1566
1567 const std::vector<OptionValue<DataType>> &getDefault() const {
1568 return Default;
1569 }
1570
1571 void assignDefault() { DefaultAssigned = true; }
1572 void overwriteDefault() { DefaultAssigned = false; }
1573 bool isDefaultAssigned() { return DefaultAssigned; }
1574};
1575
1576// Define how to hold a class type object, such as a string.
1577// Originally this code inherited from std::vector. In transitioning to a new
1578// API for command line options we should change this. The new implementation
1579// of this list_storage specialization implements the minimum subset of the
1580// std::vector API required for all the current clients.
1581//
1582// FIXME: Reduce this API to a more narrow subset of std::vector
1583//
1584template <class DataType> class list_storage<DataType, bool> {
1585 std::vector<DataType> Storage;
1586 std::vector<OptionValue<DataType>> Default;
1587 bool DefaultAssigned = false;
1588
1589public:
1590 using iterator = typename std::vector<DataType>::iterator;
1591
1592 iterator begin() { return Storage.begin(); }
1593 iterator end() { return Storage.end(); }
1594
1595 using const_iterator = typename std::vector<DataType>::const_iterator;
1596
1597 const_iterator begin() const { return Storage.begin(); }
1598 const_iterator end() const { return Storage.end(); }
1599
1600 using size_type = typename std::vector<DataType>::size_type;
1601
1602 size_type size() const { return Storage.size(); }
1603
1604 bool empty() const { return Storage.empty(); }
1605
1606 void push_back(const DataType &value) { Storage.push_back(value); }
1607 void push_back(DataType &&value) { Storage.push_back(value); }
1608
1609 using reference = typename std::vector<DataType>::reference;
1610 using const_reference = typename std::vector<DataType>::const_reference;
1611
1612 reference operator[](size_type pos) { return Storage[pos]; }
1613 const_reference operator[](size_type pos) const { return Storage[pos]; }
1614
1615 void clear() {
1616 Storage.clear();
1617 }
1618
1619 iterator erase(const_iterator pos) { return Storage.erase(pos); }
1621 return Storage.erase(first, last);
1622 }
1623
1624 iterator erase(iterator pos) { return Storage.erase(pos); }
1626 return Storage.erase(first, last);
1627 }
1628
1629 iterator insert(const_iterator pos, const DataType &value) {
1630 return Storage.insert(pos, value);
1631 }
1632 iterator insert(const_iterator pos, DataType &&value) {
1633 return Storage.insert(pos, value);
1634 }
1635
1636 iterator insert(iterator pos, const DataType &value) {
1637 return Storage.insert(pos, value);
1638 }
1639 iterator insert(iterator pos, DataType &&value) {
1640 return Storage.insert(pos, value);
1641 }
1642
1643 reference front() { return Storage.front(); }
1644 const_reference front() const { return Storage.front(); }
1645
1646 operator std::vector<DataType> &() { return Storage; }
1647 operator ArrayRef<DataType>() const { return Storage; }
1648 std::vector<DataType> *operator&() { return &Storage; }
1649 const std::vector<DataType> *operator&() const { return &Storage; }
1650
1651 template <class T> void addValue(const T &V, bool initial = false) {
1652 Storage.push_back(V);
1653 if (initial)
1654 Default.push_back(OptionValue<DataType>(V));
1655 }
1656
1657 const std::vector<OptionValue<DataType>> &getDefault() const {
1658 return Default;
1659 }
1660
1661 void assignDefault() { DefaultAssigned = true; }
1662 void overwriteDefault() { DefaultAssigned = false; }
1663 bool isDefaultAssigned() { return DefaultAssigned; }
1664};
1665
1666//===----------------------------------------------------------------------===//
1667// A list of command line options.
1668//
1669template <class DataType, class StorageClass = bool,
1670 class ParserClass = parser<DataType>>
1671class list : public Option, public list_storage<DataType, StorageClass> {
1672 std::vector<unsigned> Positions;
1673 ParserClass Parser;
1674
1675 enum ValueExpected getValueExpectedFlagDefault() const override {
1676 return Parser.getValueExpectedFlagDefault();
1677 }
1678
1679 void getExtraOptionNames(SmallVectorImpl<StringRef> &OptionNames) override {
1680 return Parser.getExtraOptionNames(OptionNames);
1681 }
1682
1683 bool handleOccurrence(unsigned pos, StringRef ArgName,
1684 StringRef Arg) override {
1685 typename ParserClass::parser_data_type Val =
1686 typename ParserClass::parser_data_type();
1688 clear();
1690 }
1691 if (Parser.parse(*this, ArgName, Arg, Val))
1692 return true; // Parse Error!
1694 setPosition(pos);
1695 Positions.push_back(pos);
1696 Callback(Val);
1697 return false;
1698 }
1699
1700 // Forward printing stuff to the parser...
1701 size_t getOptionWidth() const override {
1702 return Parser.getOptionWidth(*this);
1703 }
1704
1705 void printOptionInfo(size_t GlobalWidth) const override {
1706 Parser.printOptionInfo(*this, GlobalWidth);
1707 }
1708
1709 // Unimplemented: list options don't currently store their default value.
1710 void printOptionValue(size_t /*GlobalWidth*/, bool /*Force*/) const override {
1711 }
1712
1713 void setDefault() override {
1714 Positions.clear();
1718 }
1719
1720 void done() {
1721 addArgument();
1722 Parser.initialize();
1723 }
1724
1725public:
1726 // Command line options should not be copyable
1727 list(const list &) = delete;
1728 list &operator=(const list &) = delete;
1729
1730 ParserClass &getParser() { return Parser; }
1731
1732 unsigned getPosition(unsigned optnum) const {
1733 assert(optnum < this->size() && "Invalid option index");
1734 return Positions[optnum];
1735 }
1736
1737 void clear() {
1738 Positions.clear();
1740 }
1741
1742 // setInitialValues - Used by the cl::list_init modifier...
1750
1752
1753 template <class... Mods>
1754 explicit list(const Mods &... Ms)
1755 : Option(ZeroOrMore, NotHidden), Parser(*this) {
1756 apply(this, Ms...);
1757 done();
1758 }
1759
1761 std::function<void(const typename ParserClass::parser_data_type &)> CB) {
1762 Callback = CB;
1763 }
1764
1765 std::function<void(const typename ParserClass::parser_data_type &)> Callback =
1766 [](const typename ParserClass::parser_data_type &) {};
1767};
1768
1769// Modifier to set the number of additional values.
1772 explicit multi_val(unsigned N) : AdditionalVals(N) {}
1773
1774 template <typename D, typename S, typename P>
1775 void apply(list<D, S, P> &L) const {
1776 L.setNumAdditionalVals(AdditionalVals);
1777 }
1778};
1779
1780//===----------------------------------------------------------------------===//
1781// Default storage class definition: external storage. This implementation
1782// assumes the user will specify a variable to store the data into with the
1783// cl::location(x) modifier.
1784//
1785template <class DataType, class StorageClass> class bits_storage {
1786 unsigned *Location = nullptr; // Where to store the bits...
1787
1788 template <class T> static unsigned Bit(const T &V) {
1789 unsigned BitPos = static_cast<unsigned>(V);
1790 assert(BitPos < sizeof(unsigned) * CHAR_BIT &&
1791 "enum exceeds width of bit vector!");
1792 return 1 << BitPos;
1793 }
1794
1795public:
1796 bits_storage() = default;
1797
1798 bool setLocation(Option &O, unsigned &L) {
1799 if (Location)
1800 return O.error("cl::location(x) specified more than once!");
1801 Location = &L;
1802 return false;
1803 }
1804
1805 template <class T> void addValue(const T &V) {
1806 assert(Location != nullptr &&
1807 "cl::location(...) not specified for a command "
1808 "line option with external storage!");
1809 *Location |= Bit(V);
1810 }
1811
1812 unsigned getBits() { return *Location; }
1813
1814 void clear() {
1815 if (Location)
1816 *Location = 0;
1817 }
1818
1819 template <class T> bool isSet(const T &V) {
1820 return (*Location & Bit(V)) != 0;
1821 }
1822};
1823
1824// Define how to hold bits. Since we can inherit from a class, we do so.
1825// This makes us exactly compatible with the bits in all cases that it is used.
1826//
1827template <class DataType> class bits_storage<DataType, bool> {
1828 unsigned Bits{0}; // Where to store the bits...
1829
1830 template <class T> static unsigned Bit(const T &V) {
1831 unsigned BitPos = static_cast<unsigned>(V);
1832 assert(BitPos < sizeof(unsigned) * CHAR_BIT &&
1833 "enum exceeds width of bit vector!");
1834 return 1 << BitPos;
1835 }
1836
1837public:
1838 template <class T> void addValue(const T &V) { Bits |= Bit(V); }
1839
1840 unsigned getBits() { return Bits; }
1841
1842 void clear() { Bits = 0; }
1843
1844 template <class T> bool isSet(const T &V) { return (Bits & Bit(V)) != 0; }
1845};
1846
1847//===----------------------------------------------------------------------===//
1848// A bit vector of command options.
1849//
1850template <class DataType, class Storage = bool,
1851 class ParserClass = parser<DataType>>
1852class bits : public Option, public bits_storage<DataType, Storage> {
1853 std::vector<unsigned> Positions;
1854 ParserClass Parser;
1855
1856 enum ValueExpected getValueExpectedFlagDefault() const override {
1857 return Parser.getValueExpectedFlagDefault();
1858 }
1859
1860 void getExtraOptionNames(SmallVectorImpl<StringRef> &OptionNames) override {
1861 return Parser.getExtraOptionNames(OptionNames);
1862 }
1863
1864 bool handleOccurrence(unsigned pos, StringRef ArgName,
1865 StringRef Arg) override {
1866 typename ParserClass::parser_data_type Val =
1867 typename ParserClass::parser_data_type();
1868 if (Parser.parse(*this, ArgName, Arg, Val))
1869 return true; // Parse Error!
1870 this->addValue(Val);
1871 setPosition(pos);
1872 Positions.push_back(pos);
1873 Callback(Val);
1874 return false;
1875 }
1876
1877 // Forward printing stuff to the parser...
1878 size_t getOptionWidth() const override {
1879 return Parser.getOptionWidth(*this);
1880 }
1881
1882 void printOptionInfo(size_t GlobalWidth) const override {
1883 Parser.printOptionInfo(*this, GlobalWidth);
1884 }
1885
1886 // Unimplemented: bits options don't currently store their default values.
1887 void printOptionValue(size_t /*GlobalWidth*/, bool /*Force*/) const override {
1888 }
1889
1891
1892 void done() {
1893 addArgument();
1894 Parser.initialize();
1895 }
1896
1897public:
1898 // Command line options should not be copyable
1899 bits(const bits &) = delete;
1900 bits &operator=(const bits &) = delete;
1901
1902 ParserClass &getParser() { return Parser; }
1903
1904 unsigned getPosition(unsigned optnum) const {
1905 assert(optnum < this->size() && "Invalid option index");
1906 return Positions[optnum];
1907 }
1908
1909 template <class... Mods>
1910 explicit bits(const Mods &... Ms)
1911 : Option(ZeroOrMore, NotHidden), Parser(*this) {
1912 apply(this, Ms...);
1913 done();
1914 }
1915
1917 std::function<void(const typename ParserClass::parser_data_type &)> CB) {
1918 Callback = CB;
1919 }
1920
1921 std::function<void(const typename ParserClass::parser_data_type &)> Callback =
1922 [](const typename ParserClass::parser_data_type &) {};
1923};
1924
1925//===----------------------------------------------------------------------===//
1926// Aliased command line option (alias this name to a preexisting name)
1927//
1928
1929class LLVM_ABI alias : public Option {
1930 Option *AliasFor;
1931
1932 bool handleOccurrence(unsigned pos, StringRef /*ArgName*/,
1933 StringRef Arg) override {
1934 return AliasFor->handleOccurrence(pos, AliasFor->ArgStr, Arg);
1935 }
1936
1937 bool addOccurrence(unsigned pos, StringRef /*ArgName*/, StringRef Value,
1938 bool MultiArg = false) override {
1939 return AliasFor->addOccurrence(pos, AliasFor->ArgStr, Value, MultiArg);
1940 }
1941
1942 // Handle printing stuff...
1943 size_t getOptionWidth() const override;
1944 void printOptionInfo(size_t GlobalWidth) const override;
1945
1946 // Aliases do not need to print their values.
1947 void printOptionValue(size_t /*GlobalWidth*/, bool /*Force*/) const override {
1948 }
1949
1950 void setDefault() override { AliasFor->setDefault(); }
1951
1952 ValueExpected getValueExpectedFlagDefault() const override {
1953 return AliasFor->getValueExpectedFlag();
1954 }
1955
1956 void done() {
1957 if (!hasArgStr())
1958 error("cl::alias must have argument name specified!");
1959 if (!AliasFor)
1960 error("cl::alias must have an cl::aliasopt(option) specified!");
1961 if (!Subs.empty())
1962 error("cl::alias must not have cl::sub(), aliased option's cl::sub() will be used!");
1963 Subs = AliasFor->Subs;
1964 Categories = AliasFor->Categories;
1965 addArgument();
1966 }
1967
1968public:
1969 // Command line options should not be copyable
1970 alias(const alias &) = delete;
1971 alias &operator=(const alias &) = delete;
1972
1974 if (AliasFor)
1975 error("cl::alias must only have one cl::aliasopt(...) specified!");
1976 AliasFor = &O;
1977 }
1978
1979 template <class... Mods>
1980 explicit alias(const Mods &... Ms)
1981 : Option(Optional, Hidden), AliasFor(nullptr) {
1982 apply(this, Ms...);
1983 done();
1984 }
1985};
1986
1987// Modifier to set the option an alias aliases.
1988struct aliasopt {
1990
1991 explicit aliasopt(Option &O) : Opt(O) {}
1992
1993 void apply(alias &A) const { A.setAliasFor(Opt); }
1994};
1995
1996// Provide additional help at the end of the normal help output. All occurrences
1997// of cl::extrahelp will be accumulated and printed to stderr at the end of the
1998// regular help, just before exit is called.
2001
2002 LLVM_ABI explicit extrahelp(StringRef help);
2003};
2004
2006
2007/// This function just prints the help message, exactly the same way as if the
2008/// -help or -help-hidden option had been given on the command line.
2009///
2010/// \param Hidden if true will print hidden options
2011/// \param Categorized if true print options in categories
2012LLVM_ABI void PrintHelpMessage(bool Hidden = false, bool Categorized = false);
2013
2014/// An array of optional enabled settings in the LLVM build configuration,
2015/// which may be of interest to compiler developers. For example, includes
2016/// "+assertions" if assertions are enabled. Used by printBuildConfig.
2018
2019/// Prints the compiler build configuration.
2020/// Designed for compiler developers, not compiler end-users.
2021/// Intended to be used in --version output when enabled.
2023
2024//===----------------------------------------------------------------------===//
2025// Public interface for accessing registered options.
2026//
2027
2028/// Use this to get a StringMap to all registered named options
2029/// (e.g. -help).
2030///
2031/// \return A reference to the StringMap used by the cl APIs to parse options.
2032///
2033/// Access to unnamed arguments (i.e. positional) are not provided because
2034/// it is expected that the client already has access to these.
2035///
2036/// Typical usage:
2037/// \code
2038/// main(int argc,char* argv[]) {
2039/// StringMap<llvm::cl::Option*> &opts = llvm::cl::getRegisteredOptions();
2040/// assert(opts.count("help") == 1)
2041/// opts["help"]->setDescription("Show alphabetical help information")
2042/// // More code
2043/// llvm::cl::ParseCommandLineOptions(argc,argv);
2044/// //More code
2045/// }
2046/// \endcode
2047///
2048/// This interface is useful for modifying options in libraries that are out of
2049/// the control of the client. The options should be modified before calling
2050/// llvm::cl::ParseCommandLineOptions().
2051///
2052/// Hopefully this API can be deprecated soon. Any situation where options need
2053/// to be modified by tools or libraries should be handled by sane APIs rather
2054/// than just handing around a global list.
2057
2058/// Use this to get all registered SubCommands from the provided parser.
2059///
2060/// \return A range of all SubCommand pointers registered with the parser.
2061///
2062/// Typical usage:
2063/// \code
2064/// main(int argc, char* argv[]) {
2065/// llvm::cl::ParseCommandLineOptions(argc, argv);
2066/// for (auto* S : llvm::cl::getRegisteredSubcommands()) {
2067/// if (*S) {
2068/// std::cout << "Executing subcommand: " << S->getName() << std::endl;
2069/// // Execute some function based on the name...
2070/// }
2071/// }
2072/// }
2073/// \endcode
2074///
2075/// This interface is useful for defining subcommands in libraries and
2076/// the dispatch from a single point (like in the main function).
2079
2080//===----------------------------------------------------------------------===//
2081// Standalone command line processing utilities.
2082//
2083
2084/// Tokenizes a command line that can contain escapes and quotes.
2085//
2086/// The quoting rules match those used by GCC and other tools that use
2087/// libiberty's buildargv() or expandargv() utilities, and do not match bash.
2088/// They differ from buildargv() on treatment of backslashes that do not escape
2089/// a special character to make it possible to accept most Windows file paths.
2090///
2091/// \param [in] Source The string to be split on whitespace with quotes.
2092/// \param [in] Saver Delegates back to the caller for saving parsed strings.
2093/// \param [in] MarkEOLs true if tokenizing a response file and you want end of
2094/// lines and end of the response file to be marked with a nullptr string.
2095/// \param [out] NewArgv All parsed strings are appended to NewArgv.
2098 bool MarkEOLs = false);
2099
2100/// Tokenizes a string of Windows command line arguments, which may contain
2101/// quotes and escaped quotes.
2102///
2103/// See MSDN docs for CommandLineToArgvW for information on the quoting rules.
2104/// http://msdn.microsoft.com/en-us/library/windows/desktop/17w5ykft(v=vs.85).aspx
2105///
2106/// For handling a full Windows command line including the executable name at
2107/// the start, see TokenizeWindowsCommandLineFull below.
2108///
2109/// \param [in] Source The string to be split on whitespace with quotes.
2110/// \param [in] Saver Delegates back to the caller for saving parsed strings.
2111/// \param [in] MarkEOLs true if tokenizing a response file and you want end of
2112/// lines and end of the response file to be marked with a nullptr string.
2113/// \param [out] NewArgv All parsed strings are appended to NewArgv.
2116 bool MarkEOLs = false);
2117
2118/// Tokenizes a Windows command line while attempting to avoid copies. If no
2119/// quoting or escaping was used, this produces substrings of the original
2120/// string. If a token requires unquoting, it will be allocated with the
2121/// StringSaver.
2122LLVM_ABI void
2125
2126/// Tokenizes a Windows full command line, including command name at the start.
2127///
2128/// This uses the same syntax rules as TokenizeWindowsCommandLine for all but
2129/// the first token. But the first token is expected to be parsed as the
2130/// executable file name in the way CreateProcess would do it, rather than the
2131/// way the C library startup code would do it: CreateProcess does not consider
2132/// that \ is ever an escape character (because " is not a valid filename char,
2133/// hence there's never a need to escape it to be used literally).
2134///
2135/// Parameters are the same as for TokenizeWindowsCommandLine. In particular,
2136/// if you set MarkEOLs = true, then the first word of every line will be
2137/// parsed using the special rules for command names, making this function
2138/// suitable for parsing a file full of commands to execute.
2139LLVM_ABI void
2142 bool MarkEOLs = false);
2143
2144/// String tokenization function type. Should be compatible with either
2145/// Windows or Unix command line tokenizers.
2146using TokenizerCallback = void (*)(StringRef Source, StringSaver &Saver,
2148 bool MarkEOLs);
2149
2150/// Tokenizes content of configuration file.
2151///
2152/// \param [in] Source The string representing content of config file.
2153/// \param [in] Saver Delegates back to the caller for saving parsed strings.
2154/// \param [out] NewArgv All parsed strings are appended to NewArgv.
2155/// \param [in] MarkEOLs Added for compatibility with TokenizerCallback.
2156///
2157/// It works like TokenizeGNUCommandLine with ability to skip comment lines.
2158///
2161 bool MarkEOLs = false);
2162
2163/// Contains options that control response file expansion.
2165 /// Provides persistent storage for parsed strings.
2166 StringSaver Saver;
2167
2168 /// Tokenization strategy. Typically Unix or Windows.
2169 TokenizerCallback Tokenizer;
2170
2171 /// File system used for all file access when running the expansion.
2172 vfs::FileSystem *FS;
2173
2174 /// Path used to resolve relative rsp files. If empty, the file system
2175 /// current directory is used instead.
2176 StringRef CurrentDir;
2177
2178 /// Directories used for search of config files.
2179 ArrayRef<StringRef> SearchDirs;
2180
2181 /// True if names of nested response files must be resolved relative to
2182 /// including file.
2183 bool RelativeNames = false;
2184
2185 /// If true, mark end of lines and the end of the response file with nullptrs
2186 /// in the Argv vector.
2187 bool MarkEOLs = false;
2188
2189 /// If true, body of config file is expanded.
2190 bool InConfigFile = false;
2191
2192 llvm::Error expandResponseFile(StringRef FName,
2194
2195public:
2197 vfs::FileSystem *FS = nullptr);
2198
2200 MarkEOLs = X;
2201 return *this;
2202 }
2203
2205 RelativeNames = X;
2206 return *this;
2207 }
2208
2210 CurrentDir = X;
2211 return *this;
2212 }
2213
2215 SearchDirs = X;
2216 return *this;
2217 }
2218
2220 FS = X;
2221 return *this;
2222 }
2223
2224 /// Looks for the specified configuration file.
2225 ///
2226 /// \param[in] FileName Name of the file to search for.
2227 /// \param[out] FilePath File absolute path, if it was found.
2228 /// \return True if file was found.
2229 ///
2230 /// If the specified file name contains a directory separator, it is searched
2231 /// for by its absolute path. Otherwise looks for file sequentially in
2232 /// directories specified by SearchDirs field.
2233 LLVM_ABI bool findConfigFile(StringRef FileName,
2234 SmallVectorImpl<char> &FilePath);
2235
2236 /// Reads command line options from the given configuration file.
2237 ///
2238 /// \param [in] CfgFile Path to configuration file.
2239 /// \param [out] Argv Array to which the read options are added.
2240 /// \return true if the file was successfully read.
2241 ///
2242 /// It reads content of the specified file, tokenizes it and expands "@file"
2243 /// commands resolving file names in them relative to the directory where
2244 /// CfgFilename resides. It also expands "<CFGDIR>" to the base path of the
2245 /// current config file.
2248
2249 /// Expands constructs "@file" in the provided array of arguments recursively.
2251};
2252
2253/// A convenience helper which concatenates the options specified by the
2254/// environment variable EnvVar and command line options, then expands
2255/// response files recursively.
2256/// \return true if all @files were expanded successfully or there were none.
2257LLVM_ABI bool expandResponseFiles(int Argc, const char *const *Argv,
2258 const char *EnvVar,
2260
2261/// A convenience helper which supports the typical use case of expansion
2262/// function call.
2264 TokenizerCallback Tokenizer,
2266
2267/// A convenience helper which concatenates the options specified by the
2268/// environment variable EnvVar and command line options, then expands response
2269/// files recursively. The tokenizer is a predefined GNU or Windows one.
2270/// \return true if all @files were expanded successfully or there were none.
2271LLVM_ABI bool expandResponseFiles(int Argc, const char *const *Argv,
2272 const char *EnvVar, StringSaver &Saver,
2274
2275/// Mark all options not part of this category as cl::ReallyHidden.
2276///
2277/// \param Category the category of options to keep displaying
2278///
2279/// Some tools (like clang-format) like to be able to hide all options that are
2280/// not specific to the tool. This function allows a tool to specify a single
2281/// option category to display in the -help output.
2284
2285/// Mark all options not part of the categories as cl::ReallyHidden.
2286///
2287/// \param Categories the categories of options to keep displaying.
2288///
2289/// Some tools (like clang-format) like to be able to hide all options that are
2290/// not specific to the tool. This function allows a tool to specify a single
2291/// option category to display in the -help output.
2292LLVM_ABI void
2295
2296/// Reset all command line options to a state that looks as if they have
2297/// never appeared on the command line. This is useful for being able to parse
2298/// a command line multiple times (especially useful for writing tests).
2300
2301/// Reset the command line parser back to its initial state. This
2302/// removes
2303/// all options, categories, and subcommands and returns the parser to a state
2304/// where no options are supported.
2306
2307/// Parses `Arg` into the option handler `Handler`.
2308LLVM_ABI bool ProvidePositionalOption(Option *Handler, StringRef Arg, int i);
2309
2310} // end namespace cl
2311
2312} // end namespace llvm
2313
2314#endif // LLVM_SUPPORT_COMMANDLINE_H
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
aarch64 promote const
This file defines the StringMap class.
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
#define LLVM_ABI
Definition Compiler.h:213
#define LLVM_TEMPLATE_ABI
Definition Compiler.h:214
dxil pretty printer
global merge func
static LVOptions Options
Definition LVOptions.cpp:25
#define F(x, y, z)
Definition MD5.cpp:55
#define G(x, y, z)
Definition MD5.cpp:56
#define T
#define P(N)
static const char * name
This file contains some templates that are useful if you are working with the STL at all.
This file defines the SmallPtrSet class.
This file defines the SmallVector class.
#define error(X)
static TableGen::Emitter::OptClass< SkeletonEmitter > X("gen-skeleton-class", "Generate example skeleton class")
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition ArrayRef.h:41
Lightweight error class with error context and mandatory checking.
Definition Error.h:159
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements.
This class consists of common code factored out of the SmallVector class to reduce code duplication b...
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
StringMap - This is an unconventional map that is specialized for handling keys that are "strings",...
Definition StringMap.h:133
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
std::string str() const
str - Get the contents as an std::string.
Definition StringRef.h:233
Saves strings in the provided stable storage and returns a StringRef with a stable character pointer.
Definition StringSaver.h:22
Twine - A lightweight data structure for efficiently representing the concatenation of temporary valu...
Definition Twine.h:82
LLVM Value Representation.
Definition Value.h:75
LLVM_ABI Value(Type *Ty, unsigned scid)
Definition Value.cpp:53
ExpansionContext & setCurrentDir(StringRef X)
LLVM_ABI ExpansionContext(BumpPtrAllocator &A, TokenizerCallback T, vfs::FileSystem *FS=nullptr)
ExpansionContext & setVFS(vfs::FileSystem *X)
ExpansionContext & setMarkEOLs(bool X)
ExpansionContext & setSearchDirs(ArrayRef< StringRef > X)
ExpansionContext & setRelativeNames(bool X)
LLVM_ABI bool findConfigFile(StringRef FileName, SmallVectorImpl< char > &FilePath)
Looks for the specified configuration file.
LLVM_ABI Error expandResponseFiles(SmallVectorImpl< const char * > &Argv)
Expands constructs "@file" in the provided array of arguments recursively.
LLVM_ABI Error readConfigFile(StringRef CfgFile, SmallVectorImpl< const char * > &Argv)
Reads command line options from the given configuration file.
OptionCategory(StringRef const Name, StringRef const Description="")
StringRef getDescription() const
StringRef getName() const
OptionValueCopy & operator=(const OptionValueCopy &)=default
bool compare(const GenericOptionValue &V) const override
void setValue(const DataType &V)
const DataType & getValue() const
OptionValueCopy(const OptionValueCopy &)=default
bool compare(const DataType &V) const
bool isPositional() const
virtual void getExtraOptionNames(SmallVectorImpl< StringRef > &)
void setValueExpectedFlag(enum ValueExpected Val)
void setPosition(unsigned pos)
bool isConsumeAfter() const
StringRef ValueStr
SmallPtrSet< SubCommand *, 1 > Subs
int getNumOccurrences() const
friend class alias
enum ValueExpected getValueExpectedFlag() const
void setValueStr(StringRef S)
void setNumOccurrencesFlag(enum NumOccurrencesFlag Val)
void setNumAdditionalVals(unsigned n)
void setDescription(StringRef S)
void setFormattingFlag(enum FormattingFlags V)
void setHiddenFlag(enum OptionHidden Val)
void setMiscFlag(enum MiscFlags M)
enum FormattingFlags getFormattingFlag() const
virtual void printOptionInfo(size_t GlobalWidth) const =0
enum NumOccurrencesFlag getNumOccurrencesFlag() const
SmallVector< OptionCategory *, 1 > Categories
bool isSink() const
void addSubCommand(SubCommand &S)
bool hasArgStr() const
bool isDefaultOption() const
unsigned getMiscFlags() const
virtual void setDefault()=0
virtual void printOptionValue(size_t GlobalWidth, bool Force) const =0
virtual ~Option()=default
static void printEnumValHelpStr(StringRef HelpStr, size_t Indent, size_t FirstLineIndentedBy)
unsigned getNumAdditionalVals() const
void removeArgument()
Unregisters this option from the CommandLine system.
Option(enum NumOccurrencesFlag OccurrencesFlag, enum OptionHidden Hidden)
enum OptionHidden getOptionHiddenFlag() const
bool error(const Twine &Message, raw_ostream &Errs)
static void printHelpStr(StringRef HelpStr, size_t Indent, size_t FirstLineIndentedBy)
virtual size_t getOptionWidth() const =0
StringRef HelpStr
unsigned getPosition() const
SubCommandGroup(std::initializer_list< SubCommand * > IL)
ArrayRef< SubCommand * > getSubCommands() const
StringRef getName() const
SubCommand(StringRef Name, StringRef Description="")
SmallVector< Option *, 4 > SinkOpts
static LLVM_ABI SubCommand & getTopLevel()
LLVM_ABI void unregisterSubCommand()
static LLVM_ABI SubCommand & getAll()
LLVM_ABI void reset()
LLVM_ABI void registerSubCommand()
SmallVector< Option *, 4 > PositionalOpts
StringMap< Option * > OptionsMap
StringRef getDescription() const
void apply(Opt &O) const
ValuesClass(std::initializer_list< OptionEnumValue > Options)
alias(const alias &)=delete
void setAliasFor(Option &O)
alias & operator=(const alias &)=delete
alias(const Mods &... Ms)
enum ValueExpected getValueExpectedFlagDefault() const
void getExtraOptionNames(SmallVectorImpl< StringRef > &)
virtual StringRef getValueName() const
virtual ~basic_parser_impl()=default
OptionValue< DataType > OptVal
bool isSet(const T &V)
void addValue(const T &V)
bool setLocation(Option &O, unsigned &L)
bits & operator=(const bits &)=delete
bits(const Mods &... Ms)
ParserClass & getParser()
unsigned getPosition(unsigned optnum) const
void setCallback(std::function< void(const typename ParserClass::parser_data_type &)> CB)
std::function< void(const typename ParserClass::parser_data_type &)> Callback
bits(const bits &)=delete
GenericOptionInfo(StringRef name, StringRef helpStr)
virtual size_t getOptionWidth(const Option &O) const
virtual StringRef getDescription(unsigned N) const =0
virtual const GenericOptionValue & getOptionValue(unsigned N) const =0
virtual unsigned getNumOptions() const =0
virtual StringRef getOption(unsigned N) const =0
void printOptionDiff(const Option &O, const AnyOptionValue &V, const AnyOptionValue &Default, size_t GlobalWidth) const
void printGenericOptionDiff(const Option &O, const GenericOptionValue &V, const GenericOptionValue &Default, size_t GlobalWidth) const
virtual void printOptionInfo(const Option &O, size_t GlobalWidth) const
unsigned findOption(StringRef Name)
virtual ~generic_parser_base()=default
void getExtraOptionNames(SmallVectorImpl< StringRef > &OptionNames)
enum ValueExpected getValueExpectedFlagDefault() const
typename std::vector< DataType >::const_iterator const_iterator
typename std::vector< DataType >::const_reference const_reference
iterator erase(const_iterator first, const_iterator last)
iterator insert(const_iterator pos, const DataType &value)
iterator erase(iterator first, iterator last)
const_reference operator[](size_type pos) const
void addValue(const T &V, bool initial=false)
void push_back(const DataType &value)
typename std::vector< DataType >::reference reference
const std::vector< DataType > * operator&() const
iterator insert(iterator pos, const DataType &value)
typename std::vector< DataType >::size_type size_type
iterator insert(const_iterator pos, DataType &&value)
std::vector< DataType > * operator&()
const std::vector< OptionValue< DataType > > & getDefault() const
iterator erase(const_iterator pos)
iterator insert(iterator pos, DataType &&value)
typename std::vector< DataType >::iterator iterator
const std::vector< OptionValue< DataType > > & getDefault() const
void addValue(const T &V, bool initial=false)
bool setLocation(Option &O, StorageClass &L)
list(const Mods &... Ms)
void setCallback(std::function< void(const typename ParserClass::parser_data_type &)> CB)
list(const list &)=delete
void setInitialValues(ArrayRef< DataType > Vs)
std::function< void(const typename ParserClass::parser_data_type &)> Callback
list & operator=(const list &)=delete
ParserClass & getParser()
unsigned getPosition(unsigned optnum) const
void setNumAdditionalVals(unsigned n)
const OptionValue< DataType > & getDefault() const
void setValue(const T &V, bool initial=false)
void setValue(const T &V, bool initial=false)
const OptionValue< DataType > & getDefault() const
const DataType & getValue() const
bool setLocation(Option &O, DataType &L)
void setValue(const T &V, bool initial=false)
const OptionValue< DataType > & getDefault() const
ParserClass & getParser()
opt & operator=(const opt &)=delete
void setInitialValue(const DataType &V)
void setCallback(std::function< void(const typename ParserClass::parser_data_type &)> CB)
opt(const opt &)=delete
DataType & operator=(const T &Val)
opt(const Mods &... Ms)
DataType & operator=(T &&Val)
std::function< void(const typename ParserClass::parser_data_type &)> Callback
OptionInfo(StringRef name, DataType v, StringRef helpStr)
OptionValue< DataType > V
bool parse(Option &O, StringRef ArgName, StringRef Arg, boolOrDefault &Val)
void printOptionDiff(const Option &O, boolOrDefault V, OptVal Default, size_t GlobalWidth) const
StringRef getValueName() const override
enum ValueExpected getValueExpectedFlagDefault() const
enum ValueExpected getValueExpectedFlagDefault() const
void printOptionDiff(const Option &O, bool V, OptVal Default, size_t GlobalWidth) const
bool parse(Option &O, StringRef ArgName, StringRef Arg, bool &Val)
StringRef getValueName() const override
void anchor() override
bool parse(Option &, StringRef, StringRef Arg, char &Value)
void printOptionDiff(const Option &O, char V, OptVal Default, size_t GlobalWidth) const
StringRef getValueName() const override
void anchor() override
void printOptionDiff(const Option &O, double V, OptVal Default, size_t GlobalWidth) const
StringRef getValueName() const override
bool parse(Option &O, StringRef ArgName, StringRef Arg, double &Val)
bool parse(Option &O, StringRef ArgName, StringRef Arg, float &Val)
void anchor() override
StringRef getValueName() const override
void printOptionDiff(const Option &O, float V, OptVal Default, size_t GlobalWidth) const
StringRef getValueName() const override
void printOptionDiff(const Option &O, int V, OptVal Default, size_t GlobalWidth) const
void anchor() override
bool parse(Option &O, StringRef ArgName, StringRef Arg, int &Val)
StringRef getValueName() const override
bool parse(Option &O, StringRef ArgName, StringRef Arg, long &Val)
void printOptionDiff(const Option &O, long V, OptVal Default, size_t GlobalWidth) const
void anchor() override
bool parse(Option &O, StringRef ArgName, StringRef Arg, long long &Val)
StringRef getValueName() const override
void printOptionDiff(const Option &O, long long V, OptVal Default, size_t GlobalWidth) const
StringRef getValueName() const override
void printOptionDiff(const Option &O, StringRef V, const OptVal &Default, size_t GlobalWidth) const
bool parse(Option &, StringRef, StringRef Arg, std::string &Value)
bool parse(Option &O, StringRef ArgName, StringRef Arg, unsigned &Val)
void printOptionDiff(const Option &O, unsigned V, OptVal Default, size_t GlobalWidth) const
StringRef getValueName() const override
StringRef getValueName() const override
void printOptionDiff(const Option &O, unsigned long V, OptVal Default, size_t GlobalWidth) const
bool parse(Option &O, StringRef ArgName, StringRef Arg, unsigned long &Val)
StringRef getValueName() const override
void printOptionDiff(const Option &O, unsigned long long V, OptVal Default, size_t GlobalWidth) const
bool parse(Option &O, StringRef ArgName, StringRef Arg, unsigned long long &Val)
DataType parser_data_type
SmallVector< OptionInfo, 8 > Values
parser(Option &O)
void removeLiteralOption(StringRef Name)
Remove the specified option.
StringRef getDescription(unsigned N) const override
void addLiteralOption(StringRef Name, const DT &V, StringRef HelpStr)
Add an entry to the mapping table.
const GenericOptionValue & getOptionValue(unsigned N) const override
StringRef getOption(unsigned N) const override
bool parse(Option &O, StringRef ArgName, StringRef Arg, DataType &V)
unsigned getNumOptions() const override
A range adaptor for a pair of iterators.
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition raw_ostream.h:53
The virtual file system interface.
This provides a very simple, boring adaptor for a begin and end iterator into a range type.
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
@ C
The default llvm calling convention, compatible with C.
Definition CallingConv.h:34
This namespace contains all of the command line option processing machinery.
Definition CommandLine.h:53
LLVM_ABI void PrintVersionMessage()
Utility function for printing version number.
LLVM_ABI bool ExpandResponseFiles(StringSaver &Saver, TokenizerCallback Tokenizer, SmallVectorImpl< const char * > &Argv)
A convenience helper which supports the typical use case of expansion function call.
LLVM_ABI void TokenizeWindowsCommandLine(StringRef Source, StringSaver &Saver, SmallVectorImpl< const char * > &NewArgv, bool MarkEOLs=false)
Tokenizes a string of Windows command line arguments, which may contain quotes and escaped quotes.
list_initializer< Ty > list_init(ArrayRef< Ty > Vals)
LLVM_ABI OptionCategory & getGeneralCategory()
@ ValueDisallowed
LLVM_ABI void ResetAllOptionOccurrences()
Reset all command line options to a state that looks as if they have never appeared on the command li...
LLVM_ABI void SetVersionPrinter(VersionPrinterTy func)
===------------------------------------------------------------------—===// Override the default (LLV...
LLVM_ABI void tokenizeConfigFile(StringRef Source, StringSaver &Saver, SmallVectorImpl< const char * > &NewArgv, bool MarkEOLs=false)
Tokenizes content of configuration file.
LLVM_ABI StringMap< Option * > & getRegisteredOptions(SubCommand &Sub=SubCommand::getTopLevel())
Use this to get a StringMap to all registered named options (e.g.
LLVM_ABI void ResetCommandLineParser()
Reset the command line parser back to its initial state.
LLVM_ABI void PrintOptionValues()
LLVM_ABI iterator_range< typename SmallPtrSet< SubCommand *, 4 >::iterator > getRegisteredSubcommands()
Use this to get all registered SubCommands from the provided parser.
void apply(Opt *O, const Mod &M, const Mods &... Ms)
LLVM_ABI void AddLiteralOption(Option &O, StringRef Name)
Adds a new option for parsing and provides the option it refers to.
void printOptionDiff(const Option &O, const generic_parser_base &P, const DT &V, const OptionValue< DT > &Default, size_t GlobalWidth)
LLVM_ABI void TokenizeWindowsCommandLineNoCopy(StringRef Source, StringSaver &Saver, SmallVectorImpl< StringRef > &NewArgv)
Tokenizes a Windows command line while attempting to avoid copies.
ValuesClass values(OptsTy... Options)
Helper to build a ValuesClass by forwarding a variable number of arguments as an initializer list to ...
template class LLVM_TEMPLATE_ABI basic_parser< bool >
LLVM_ABI void printBuildConfig(raw_ostream &OS)
Prints the compiler build configuration.
void(*)(StringRef Source, StringSaver &Saver, SmallVectorImpl< const char * > &NewArgv, bool MarkEOLs) TokenizerCallback
String tokenization function type.
LLVM_ABI bool ProvidePositionalOption(Option *Handler, StringRef Arg, int i)
Parses Arg into the option handler Handler.
LLVM_ABI bool expandResponseFiles(int Argc, const char *const *Argv, const char *EnvVar, SmallVectorImpl< const char * > &NewArgv)
A convenience helper which concatenates the options specified by the environment variable EnvVar and ...
initializer< Ty > init(const Ty &Val)
std::function< void(raw_ostream &)> VersionPrinterTy
Definition CommandLine.h:77
@ PositionalEatsArgs
LLVM_ABI ArrayRef< StringRef > getCompilerBuildConfig()
An array of optional enabled settings in the LLVM build configuration, which may be of interest to co...
LocationClass< Ty > location(Ty &L)
cb< typename detail::callback_traits< F >::result_type, typename detail::callback_traits< F >::arg_type > callback(F CB)
LLVM_ABI void HideUnrelatedOptions(cl::OptionCategory &Category, SubCommand &Sub=SubCommand::getTopLevel())
Mark all options not part of this category as cl::ReallyHidden.
LLVM_ABI void AddExtraVersionPrinter(VersionPrinterTy func)
===------------------------------------------------------------------—===// Add an extra printer to u...
LLVM_ABI void PrintHelpMessage(bool Hidden=false, bool Categorized=false)
This function just prints the help message, exactly the same way as if the -help or -help-hidden opti...
LLVM_ABI void TokenizeWindowsCommandLineFull(StringRef Source, StringSaver &Saver, SmallVectorImpl< const char * > &NewArgv, bool MarkEOLs=false)
Tokenizes a Windows full command line, including command name at the start.
LLVM_ABI bool ParseCommandLineOptions(int argc, const char *const *argv, StringRef Overview="", raw_ostream *Errs=nullptr, vfs::FileSystem *VFS=nullptr, const char *EnvVar=nullptr, bool LongOptionsUseDoubleDash=false)
@ NormalFormatting
LLVM_ABI void TokenizeGNUCommandLine(StringRef Source, StringSaver &Saver, SmallVectorImpl< const char * > &NewArgv, bool MarkEOLs=false)
Tokenizes a command line that can contain escapes and quotes.
This is an optimization pass for GlobalISel generic memory operations.
auto size(R &&Range, std::enable_if_t< std::is_base_of< std::random_access_iterator_tag, typename std::iterator_traits< decltype(Range.begin())>::iterator_category >::value, void > *=nullptr)
Get the size of a range.
Definition STLExtras.h:1657
LLVM_ABI void report_fatal_error(Error Err, bool gen_crash_diag=true)
Definition Error.cpp:167
BumpPtrAllocatorImpl BumpPtrAllocator
The standard BumpPtrAllocator which just uses the default template parameters.
Definition Allocator.h:383
LLVM_ABI raw_fd_ostream & errs()
This returns a reference to a raw_ostream for standard error.
@ Mod
The access may modify the value stored in memory.
Definition ModRef.h:34
@ Sub
Subtraction of integers.
ArrayRef(const T &OneElt) -> ArrayRef< T >
@ Default
The result values are uniform if and only if all operands are uniform.
Definition Uniformity.h:20
Implement std::hash so that hash_code can be used in STL containers.
Definition BitVector.h:851
#define N
GenericOptionValue(const GenericOptionValue &)=default
GenericOptionValue & operator=(const GenericOptionValue &)=default
virtual bool compare(const GenericOptionValue &V) const =0
void apply(Opt &O) const
void print(const Option &O, const parser< DT > &P, const DT &V, const OptionValue< DT > &Default, size_t GlobalWidth)
void print(const Option &O, const parser< ParserDT > &P, const ValDT &, const OptionValue< ValDT > &, size_t GlobalWidth)
OptionValueBase & operator=(const OptionValueBase &)=default
OptionValueBase(const OptionValueBase &)=default
bool compare(const DataType &) const
const DataType & getValue() const
bool compare(const GenericOptionValue &) const override
OptionValue< DataType > WrapperType
void setValue(const DT &)
OptionValue< cl::boolOrDefault > & operator=(const cl::boolOrDefault &V)
OptionValue(const cl::boolOrDefault &V)
OptionValue< std::string > & operator=(const std::string &V)
OptionValue(const std::string &V)
OptionValue(const DataType &V)
OptionValue< DataType > & operator=(const DT &V)
void apply(alias &A) const
static void opt(FormattingFlags FF, Option &O)
static void opt(MiscFlags MF, Option &O)
static void opt(NumOccurrencesFlag N, Option &O)
static void opt(OptionHidden OH, Option &O)
static void opt(StringRef Str, Opt &O)
static void opt(ValueExpected VE, Option &O)
static void opt(StringRef Str, Opt &O)
static void opt(StringRef Str, Opt &O)
static void opt(const Mod &M, Opt &O)
void apply(Opt &O) const
cat(OptionCategory &c)
OptionCategory & Category
void apply(Opt &O) const
cb(std::function< R(Ty)> CB)
std::function< R(Ty)> CB
desc(StringRef Str)
void apply(Option &O) const
StringRef Desc
std::tuple_element_t< 0, std::tuple< Args... > > arg_type
LLVM_ABI extrahelp(StringRef help)
initializer(const Ty &Val)
void apply(Opt &O) const
list_initializer(ArrayRef< Ty > Vals)
void apply(Opt &O) const
multi_val(unsigned N)
void apply(list< D, S, P > &L) const
sub(SubCommand &S)
SubCommand * Sub
sub(SubCommandGroup &G)
void apply(Opt &O) const
SubCommandGroup * Group
void apply(Option &O) const
value_desc(StringRef Str)