xref: /freebsd/contrib/llvm-project/clang/utils/TableGen/ClangOptionDocEmitter.cpp (revision 0fca6ea1d4eea4c934cfff25ac9ee8ad6fe95583)
1 //===- ClangOptionDocEmitter.cpp - Documentation for command line flags ---===//
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 // FIXME: Once this has stabilized, consider moving it to LLVM.
8 //
9 //===----------------------------------------------------------------------===//
10 
11 #include "TableGenBackends.h"
12 #include "llvm/TableGen/Error.h"
13 #include "llvm/ADT/STLExtras.h"
14 #include "llvm/ADT/SmallString.h"
15 #include "llvm/ADT/StringSwitch.h"
16 #include "llvm/ADT/Twine.h"
17 #include "llvm/TableGen/Record.h"
18 #include "llvm/TableGen/TableGenBackend.h"
19 #include <cctype>
20 #include <cstring>
21 #include <map>
22 
23 using namespace llvm;
24 
25 namespace {
26 struct DocumentedOption {
27   Record *Option;
28   std::vector<Record*> Aliases;
29 };
30 struct DocumentedGroup;
31 struct Documentation {
32   std::vector<DocumentedGroup> Groups;
33   std::vector<DocumentedOption> Options;
34 
empty__anond28699730111::Documentation35   bool empty() {
36     return Groups.empty() && Options.empty();
37   }
38 };
39 struct DocumentedGroup : Documentation {
40   Record *Group;
41 };
42 
hasFlag(const Record * Option,StringRef OptionFlag,StringRef FlagsField)43 static bool hasFlag(const Record *Option, StringRef OptionFlag,
44                     StringRef FlagsField) {
45   for (const Record *Flag : Option->getValueAsListOfDefs(FlagsField))
46     if (Flag->getName() == OptionFlag)
47       return true;
48   if (const DefInit *DI = dyn_cast<DefInit>(Option->getValueInit("Group")))
49     for (const Record *Flag : DI->getDef()->getValueAsListOfDefs(FlagsField))
50       if (Flag->getName() == OptionFlag)
51         return true;
52   return false;
53 }
54 
isOptionVisible(const Record * Option,const Record * DocInfo)55 static bool isOptionVisible(const Record *Option, const Record *DocInfo) {
56   for (StringRef IgnoredFlag : DocInfo->getValueAsListOfStrings("IgnoreFlags"))
57     if (hasFlag(Option, IgnoredFlag, "Flags"))
58       return false;
59   for (StringRef Mask : DocInfo->getValueAsListOfStrings("VisibilityMask"))
60     if (hasFlag(Option, Mask, "Visibility"))
61       return true;
62   return false;
63 }
64 
65 // Reorganize the records into a suitable form for emitting documentation.
extractDocumentation(RecordKeeper & Records,const Record * DocInfo)66 Documentation extractDocumentation(RecordKeeper &Records,
67                                    const Record *DocInfo) {
68   Documentation Result;
69 
70   // Build the tree of groups. The root in the tree is the fake option group
71   // (Record*)nullptr, which contains all top-level groups and options.
72   std::map<Record*, std::vector<Record*> > OptionsInGroup;
73   std::map<Record*, std::vector<Record*> > GroupsInGroup;
74   std::map<Record*, std::vector<Record*> > Aliases;
75 
76   std::map<std::string, Record*> OptionsByName;
77   for (Record *R : Records.getAllDerivedDefinitions("Option"))
78     OptionsByName[std::string(R->getValueAsString("Name"))] = R;
79 
80   auto Flatten = [](Record *R) {
81     return R->getValue("DocFlatten") && R->getValueAsBit("DocFlatten");
82   };
83 
84   auto SkipFlattened = [&](Record *R) -> Record* {
85     while (R && Flatten(R)) {
86       auto *G = dyn_cast<DefInit>(R->getValueInit("Group"));
87       if (!G)
88         return nullptr;
89       R = G->getDef();
90     }
91     return R;
92   };
93 
94   for (Record *R : Records.getAllDerivedDefinitions("OptionGroup")) {
95     if (Flatten(R))
96       continue;
97 
98     Record *Group = nullptr;
99     if (auto *G = dyn_cast<DefInit>(R->getValueInit("Group")))
100       Group = SkipFlattened(G->getDef());
101     GroupsInGroup[Group].push_back(R);
102   }
103 
104   for (Record *R : Records.getAllDerivedDefinitions("Option")) {
105     if (auto *A = dyn_cast<DefInit>(R->getValueInit("Alias"))) {
106       Aliases[A->getDef()].push_back(R);
107       continue;
108     }
109 
110     // Pretend no-X and Xno-Y options are aliases of X and XY.
111     std::string Name = std::string(R->getValueAsString("Name"));
112     if (Name.size() >= 4) {
113       if (Name.substr(0, 3) == "no-" && OptionsByName[Name.substr(3)]) {
114         Aliases[OptionsByName[Name.substr(3)]].push_back(R);
115         continue;
116       }
117       if (Name.substr(1, 3) == "no-" && OptionsByName[Name[0] + Name.substr(4)]) {
118         Aliases[OptionsByName[Name[0] + Name.substr(4)]].push_back(R);
119         continue;
120       }
121     }
122 
123     Record *Group = nullptr;
124     if (auto *G = dyn_cast<DefInit>(R->getValueInit("Group")))
125       Group = SkipFlattened(G->getDef());
126     OptionsInGroup[Group].push_back(R);
127   }
128 
129   auto CompareByName = [](Record *A, Record *B) {
130     return A->getValueAsString("Name") < B->getValueAsString("Name");
131   };
132 
133   auto CompareByLocation = [](Record *A, Record *B) {
134     return A->getLoc()[0].getPointer() < B->getLoc()[0].getPointer();
135   };
136 
137   auto DocumentationForOption = [&](Record *R) -> DocumentedOption {
138     auto &A = Aliases[R];
139     llvm::sort(A, CompareByName);
140     return {R, std::move(A)};
141   };
142 
143   std::function<Documentation(Record *)> DocumentationForGroup =
144       [&](Record *R) -> Documentation {
145     Documentation D;
146 
147     auto &Groups = GroupsInGroup[R];
148     llvm::sort(Groups, CompareByLocation);
149     for (Record *G : Groups) {
150       D.Groups.emplace_back();
151       D.Groups.back().Group = G;
152       Documentation &Base = D.Groups.back();
153       Base = DocumentationForGroup(G);
154       if (Base.empty())
155         D.Groups.pop_back();
156     }
157 
158     auto &Options = OptionsInGroup[R];
159     llvm::sort(Options, CompareByName);
160     for (Record *O : Options)
161       if (isOptionVisible(O, DocInfo))
162         D.Options.push_back(DocumentationForOption(O));
163 
164     return D;
165   };
166 
167   return DocumentationForGroup(nullptr);
168 }
169 
170 // Get the first and successive separators to use for an OptionKind.
getSeparatorsForKind(const Record * OptionKind)171 std::pair<StringRef,StringRef> getSeparatorsForKind(const Record *OptionKind) {
172   return StringSwitch<std::pair<StringRef, StringRef>>(OptionKind->getName())
173     .Cases("KIND_JOINED", "KIND_JOINED_OR_SEPARATE",
174            "KIND_JOINED_AND_SEPARATE",
175            "KIND_REMAINING_ARGS_JOINED", {"", " "})
176     .Case("KIND_COMMAJOINED", {"", ","})
177     .Default({" ", " "});
178 }
179 
180 const unsigned UnlimitedArgs = unsigned(-1);
181 
182 // Get the number of arguments expected for an option, or -1 if any number of
183 // arguments are accepted.
getNumArgsForKind(Record * OptionKind,const Record * Option)184 unsigned getNumArgsForKind(Record *OptionKind, const Record *Option) {
185   return StringSwitch<unsigned>(OptionKind->getName())
186     .Cases("KIND_JOINED", "KIND_JOINED_OR_SEPARATE", "KIND_SEPARATE", 1)
187     .Cases("KIND_REMAINING_ARGS", "KIND_REMAINING_ARGS_JOINED",
188            "KIND_COMMAJOINED", UnlimitedArgs)
189     .Case("KIND_JOINED_AND_SEPARATE", 2)
190     .Case("KIND_MULTIARG", Option->getValueAsInt("NumArgs"))
191     .Default(0);
192 }
193 
escapeRST(StringRef Str)194 std::string escapeRST(StringRef Str) {
195   std::string Out;
196   for (auto K : Str) {
197     if (StringRef("`*|[]\\").count(K))
198       Out.push_back('\\');
199     Out.push_back(K);
200   }
201   return Out;
202 }
203 
getSphinxOptionID(StringRef OptionName)204 StringRef getSphinxOptionID(StringRef OptionName) {
205   for (auto I = OptionName.begin(), E = OptionName.end(); I != E; ++I)
206     if (!isalnum(*I) && *I != '-')
207       return OptionName.substr(0, I - OptionName.begin());
208   return OptionName;
209 }
210 
canSphinxCopeWithOption(const Record * Option)211 bool canSphinxCopeWithOption(const Record *Option) {
212   // HACK: Work arond sphinx's inability to cope with punctuation-only options
213   // such as /? by suppressing them from the option list.
214   for (char C : Option->getValueAsString("Name"))
215     if (isalnum(C))
216       return true;
217   return false;
218 }
219 
emitHeading(int Depth,std::string Heading,raw_ostream & OS)220 void emitHeading(int Depth, std::string Heading, raw_ostream &OS) {
221   assert(Depth < 8 && "groups nested too deeply");
222   OS << Heading << '\n'
223      << std::string(Heading.size(), "=~-_'+<>"[Depth]) << "\n";
224 }
225 
226 /// Get the value of field \p Primary, if possible. If \p Primary does not
227 /// exist, get the value of \p Fallback and escape it for rST emission.
getRSTStringWithTextFallback(const Record * R,StringRef Primary,StringRef Fallback)228 std::string getRSTStringWithTextFallback(const Record *R, StringRef Primary,
229                                          StringRef Fallback) {
230   for (auto Field : {Primary, Fallback}) {
231     if (auto *V = R->getValue(Field)) {
232       StringRef Value;
233       if (auto *SV = dyn_cast_or_null<StringInit>(V->getValue()))
234         Value = SV->getValue();
235       if (!Value.empty())
236         return Field == Primary ? Value.str() : escapeRST(Value);
237     }
238   }
239   return std::string(StringRef());
240 }
241 
emitOptionWithArgs(StringRef Prefix,const Record * Option,ArrayRef<StringRef> Args,raw_ostream & OS)242 void emitOptionWithArgs(StringRef Prefix, const Record *Option,
243                         ArrayRef<StringRef> Args, raw_ostream &OS) {
244   OS << Prefix << escapeRST(Option->getValueAsString("Name"));
245 
246   std::pair<StringRef, StringRef> Separators =
247       getSeparatorsForKind(Option->getValueAsDef("Kind"));
248 
249   StringRef Separator = Separators.first;
250   for (auto Arg : Args) {
251     OS << Separator << escapeRST(Arg);
252     Separator = Separators.second;
253   }
254 }
255 
256 constexpr StringLiteral DefaultMetaVarName = "<arg>";
257 
emitOptionName(StringRef Prefix,const Record * Option,raw_ostream & OS)258 void emitOptionName(StringRef Prefix, const Record *Option, raw_ostream &OS) {
259   // Find the arguments to list after the option.
260   unsigned NumArgs = getNumArgsForKind(Option->getValueAsDef("Kind"), Option);
261   bool HasMetaVarName = !Option->isValueUnset("MetaVarName");
262 
263   std::vector<std::string> Args;
264   if (HasMetaVarName)
265     Args.push_back(std::string(Option->getValueAsString("MetaVarName")));
266   else if (NumArgs == 1)
267     Args.push_back(DefaultMetaVarName.str());
268 
269   // Fill up arguments if this option didn't provide a meta var name or it
270   // supports an unlimited number of arguments. We can't see how many arguments
271   // already are in a meta var name, so assume it has right number. This is
272   // needed for JoinedAndSeparate options so that there arent't too many
273   // arguments.
274   if (!HasMetaVarName || NumArgs == UnlimitedArgs) {
275     while (Args.size() < NumArgs) {
276       Args.push_back(("<arg" + Twine(Args.size() + 1) + ">").str());
277       // Use '--args <arg1> <arg2>...' if any number of args are allowed.
278       if (Args.size() == 2 && NumArgs == UnlimitedArgs) {
279         Args.back() += "...";
280         break;
281       }
282     }
283   }
284 
285   emitOptionWithArgs(Prefix, Option, std::vector<StringRef>(Args.begin(), Args.end()), OS);
286 
287   auto AliasArgs = Option->getValueAsListOfStrings("AliasArgs");
288   if (!AliasArgs.empty()) {
289     Record *Alias = Option->getValueAsDef("Alias");
290     OS << " (equivalent to ";
291     emitOptionWithArgs(
292         Alias->getValueAsListOfStrings("Prefixes").front(), Alias,
293         AliasArgs, OS);
294     OS << ")";
295   }
296 }
297 
emitOptionNames(const Record * Option,raw_ostream & OS,bool EmittedAny)298 bool emitOptionNames(const Record *Option, raw_ostream &OS, bool EmittedAny) {
299   for (auto &Prefix : Option->getValueAsListOfStrings("Prefixes")) {
300     if (EmittedAny)
301       OS << ", ";
302     emitOptionName(Prefix, Option, OS);
303     EmittedAny = true;
304   }
305   return EmittedAny;
306 }
307 
308 template <typename Fn>
forEachOptionName(const DocumentedOption & Option,const Record * DocInfo,Fn F)309 void forEachOptionName(const DocumentedOption &Option, const Record *DocInfo,
310                        Fn F) {
311   F(Option.Option);
312 
313   for (auto *Alias : Option.Aliases)
314     if (isOptionVisible(Alias, DocInfo) &&
315         canSphinxCopeWithOption(Option.Option))
316       F(Alias);
317 }
318 
emitOption(const DocumentedOption & Option,const Record * DocInfo,raw_ostream & OS)319 void emitOption(const DocumentedOption &Option, const Record *DocInfo,
320                 raw_ostream &OS) {
321   if (Option.Option->getValueAsDef("Kind")->getName() == "KIND_UNKNOWN" ||
322       Option.Option->getValueAsDef("Kind")->getName() == "KIND_INPUT")
323     return;
324   if (!canSphinxCopeWithOption(Option.Option))
325     return;
326 
327   // HACK: Emit a different program name with each option to work around
328   // sphinx's inability to cope with options that differ only by punctuation
329   // (eg -ObjC vs -ObjC++, -G vs -G=).
330   std::vector<std::string> SphinxOptionIDs;
331   forEachOptionName(Option, DocInfo, [&](const Record *Option) {
332     for (auto &Prefix : Option->getValueAsListOfStrings("Prefixes"))
333       SphinxOptionIDs.push_back(std::string(getSphinxOptionID(
334           (Prefix + Option->getValueAsString("Name")).str())));
335   });
336   assert(!SphinxOptionIDs.empty() && "no flags for option");
337   static std::map<std::string, int> NextSuffix;
338   int SphinxWorkaroundSuffix = NextSuffix[*std::max_element(
339       SphinxOptionIDs.begin(), SphinxOptionIDs.end(),
340       [&](const std::string &A, const std::string &B) {
341         return NextSuffix[A] < NextSuffix[B];
342       })];
343   for (auto &S : SphinxOptionIDs)
344     NextSuffix[S] = SphinxWorkaroundSuffix + 1;
345 
346   std::string Program = DocInfo->getValueAsString("Program").lower();
347   if (SphinxWorkaroundSuffix)
348     OS << ".. program:: " << Program << SphinxWorkaroundSuffix << "\n";
349 
350   // Emit the names of the option.
351   OS << ".. option:: ";
352   bool EmittedAny = false;
353   forEachOptionName(Option, DocInfo, [&](const Record *Option) {
354     EmittedAny = emitOptionNames(Option, OS, EmittedAny);
355   });
356   if (SphinxWorkaroundSuffix)
357     OS << "\n.. program:: " << Program;
358   OS << "\n\n";
359 
360   // Emit the description, if we have one.
361   const Record *R = Option.Option;
362   std::string Description;
363 
364   // Prefer a program specific help string.
365   // This is a list of (visibilities, string) pairs.
366   std::vector<Record *> VisibilitiesHelp =
367       R->getValueAsListOfDefs("HelpTextsForVariants");
368   for (Record *VisibilityHelp : VisibilitiesHelp) {
369     // This is a list of visibilities.
370     ArrayRef<Init *> Visibilities =
371         VisibilityHelp->getValueAsListInit("Visibilities")->getValues();
372 
373     // See if any of the program's visibilities are in the list.
374     for (StringRef DocInfoMask :
375          DocInfo->getValueAsListOfStrings("VisibilityMask")) {
376       for (Init *Visibility : Visibilities) {
377         if (Visibility->getAsUnquotedString() == DocInfoMask) {
378           // Use the first one we find.
379           Description = escapeRST(VisibilityHelp->getValueAsString("Text"));
380           break;
381         }
382       }
383       if (!Description.empty())
384         break;
385     }
386 
387     if (!Description.empty())
388       break;
389   }
390 
391   // If there's not a program specific string, use the default one.
392   if (Description.empty())
393     Description = getRSTStringWithTextFallback(R, "DocBrief", "HelpText");
394 
395   if (!isa<UnsetInit>(R->getValueInit("Values"))) {
396     if (!Description.empty() && Description.back() != '.')
397       Description.push_back('.');
398 
399     StringRef MetaVarName;
400     if (!isa<UnsetInit>(R->getValueInit("MetaVarName")))
401       MetaVarName = R->getValueAsString("MetaVarName");
402     else
403       MetaVarName = DefaultMetaVarName;
404 
405     SmallVector<StringRef> Values;
406     SplitString(R->getValueAsString("Values"), Values, ",");
407     Description += (" " + MetaVarName + " must be '").str();
408     if (Values.size() > 1) {
409       Description += join(Values.begin(), Values.end() - 1, "', '");
410       Description += "' or '";
411     }
412     Description += (Values.back() + "'.").str();
413   }
414 
415   if (!Description.empty())
416     OS << Description << "\n\n";
417 }
418 
419 void emitDocumentation(int Depth, const Documentation &Doc,
420                        const Record *DocInfo, raw_ostream &OS);
421 
emitGroup(int Depth,const DocumentedGroup & Group,const Record * DocInfo,raw_ostream & OS)422 void emitGroup(int Depth, const DocumentedGroup &Group, const Record *DocInfo,
423                raw_ostream &OS) {
424   emitHeading(Depth,
425               getRSTStringWithTextFallback(Group.Group, "DocName", "Name"), OS);
426 
427   // Emit the description, if we have one.
428   std::string Description =
429       getRSTStringWithTextFallback(Group.Group, "DocBrief", "HelpText");
430   if (!Description.empty())
431     OS << Description << "\n\n";
432 
433   // Emit contained options and groups.
434   emitDocumentation(Depth + 1, Group, DocInfo, OS);
435 }
436 
emitDocumentation(int Depth,const Documentation & Doc,const Record * DocInfo,raw_ostream & OS)437 void emitDocumentation(int Depth, const Documentation &Doc,
438                        const Record *DocInfo, raw_ostream &OS) {
439   for (auto &O : Doc.Options)
440     emitOption(O, DocInfo, OS);
441   for (auto &G : Doc.Groups)
442     emitGroup(Depth, G, DocInfo, OS);
443 }
444 
445 }  // namespace
446 
EmitClangOptDocs(RecordKeeper & Records,raw_ostream & OS)447 void clang::EmitClangOptDocs(RecordKeeper &Records, raw_ostream &OS) {
448   const Record *DocInfo = Records.getDef("GlobalDocumentation");
449   if (!DocInfo) {
450     PrintFatalError("The GlobalDocumentation top-level definition is missing, "
451                     "no documentation will be generated.");
452     return;
453   }
454   OS << DocInfo->getValueAsString("Intro") << "\n";
455   OS << ".. program:: " << DocInfo->getValueAsString("Program").lower() << "\n";
456 
457   emitDocumentation(0, extractDocumentation(Records, DocInfo), DocInfo, OS);
458 }
459