Qt
Internal/Contributor docs for the Qt SDK. Note: These are NOT official API docs; those are found at https://doc.qt.io/
Loading...
Searching...
No Matches
template_declaration.h
Go to the documentation of this file.
1// Copyright (C) 2023 The Qt Company Ltd.
2// SPDX-License-Identifier: LicenseRef-Qt-Commercial OR GPL-3.0-only WITH Qt-GPL-exception-1.0
3
4#pragma once
5
6#include <algorithm>
7#include <cstdint>
8#include <functional>
9#include <numeric>
10#include <optional>
11#include <string>
12#include <vector>
13
14#include <QString>
15
16/*
17 * Represents a general declaration that has a form that can be
18 * described by a type, name and initializer triplet, or any such form
19 * that can be described by zero or more of those same parts.
20 *
21 * For example, it can be used to represent a C++ variable declaration
22 * such as:
23 *
24 * std::vector<int> foo = { 1, 2, 3 };
25 *
26 * Where `std::vector<int>` is the type, `foo` is the name and `{ 1, 2,
27 * 3 }` is the initializer.
28 *
29 * Similarly, it can be used to represent a non-type template parameter
30 * declaration, such as the `foo` parameter in:
31 *
32 * template<int foo = 10>
33 *
34 * Where `int` is the type, `foo` is the name and `10` is the
35 * initializer.
36 *
37 * An instance can be used to represent less information dense elements
38 * by setting one or more of the fields as the empty string.
39 *
40 * For example, a template type parameter such as `T` in:
41 *
42 * template<typename T = int>
43 *
44 * Can be represented by an instance that has an empty string as the
45 * type, `T` as the name and `int` as the initializer.
46 *
47 * In general, it can be used to represent any such element that has
48 * zero or more of the three components, albeit, in QDoc, it is
49 * specifically intended to be used to represent various C++
50 * declarations.
51 *
52 * All three fields are lowered stringified version of the original
53 * declaration, so that the type should be used at the end of a
54 * pipeline where the semantic property of the represented code are not
55 * required.
56 */
58{
60 {
61 bool include_type = true;
62 bool include_name = true;
64 };
65
66 std::string type;
67 std::string name;
69
70 // KLUDGE: Workaround for
71 // https://stackoverflow.com/questions/53408962/try-to-understand-compiler-error-message-default-member-initializer-required-be
73
74 /*
75 * Constructs and returns a human-readable representation of this
76 * declaration.
77 *
78 * The constructed string is formatted so that as to rebuild a
79 * possible version of the C++ code that is modeled by an instance
80 * of this type.
81 *
82 * Each component participates in the human-presentable version if
83 * it they are not the empty string.
84 *
85 * The "type" and "name" component participate with their literal
86 * representation.
87 *
88 * The "iniitlalizer" components contributes an equal symbol,
89 * followed by a space followed by the literal representation of
90 * the component.
91 *
92 * The component contributes in an ordered way, with "type"
93 * contributing first, "name" contributing second and
94 * "initializer" contributing last.
95 *
96 * Each contribution is separated by a space if the component that
97 * comes before it, if any, has contributed to the human-readable
98 * representation.
99 *
100 * For example, an instance of this type that has "type" component
101 * "int", "name" component "foo" and "iniitializer" component
102 * "100", would be represented as:
103 *
104 * int foo = 100
105 *
106 * Where "int" is the "type" component contribution, "foo" is the
107 * "name" component contribution and "= 100" is the "initializer"
108 * component contribution.
109 * Each of those contribution is separated by a space, as each
110 * "preceding" component has contributed to the representation.
111 *
112 * If we provide a similar instance with, for example, the "type"
113 * and "name" components as the empty string, then the
114 * representation would be "= 100", which is the "initializer"
115 * component contribution, the only component that is not the
116 * empty string.
117 *
118 * The policy argument allows to treat certain components as if
119 * they were the empty string.
120 *
121 * For example, given an instance of this type that has "type"
122 * component "double", "name" component "bar" and "iniitializer"
123 * component "10.2", its human-readable representation would be
124 * "double bar = 10.2".
125 *
126 * If the representation of that same instance was obtained by
127 * using a policy that excludes the "name" component, then that
128 * representation would be "double = 10.2", which is equivalent
129 * to the representation of an instance that is the same as the
130 * orginal one with the "name" component as the empty string.
131 */
133 {
134 std::string s{};
135
136 if (!type.empty() && policy.include_type)
137 s += (s.empty() ? "" : " ") + type;
138
139 if (!name.empty() && policy.include_name)
140 s += (s.empty() ? "" : " ") + name;
141
142 if (!initializer.empty() && policy.include_initializer)
143 s += (s.empty() ? "= " : " = ") + initializer;
144
145 return s;
146 }
147};
148
150
157
158/*
159 * Represents a C++ template parameter.
160 *
161 * The model used by this representation is a slighly simplified
162 * model.
163 *
164 * In the model, template parameters are one of:
165 *
166 * - A type template parameter.
167 * - A non type template parameter.
168 * - A template template parameter.
169 *
170 * Furthermore, each parameter can:
171 *
172 * - Be a parameter pack.
173 * - Carry an additional template declaration (as a template template
174 * parameter would).
175 * - Have no declared type.
176 * - Have no declared name.
177 * - Have no declared initializer.
178 *
179 * Due to this simplified model certain incorrect parameters can be
180 * represented.
181 *
182 * For example, it might be possible to represent a parameter pack
183 * that has a default initializer, a non-type template parameter that
184 * has no type or a template template parameter that carries no
185 * template declaration.
186 *
187 * The model further elides some of the semantic that might be carried
188 * by a parameter.
189 * For example, the model has no specific concept for template
190 * constraints.
191 *
192 * Template parameters can be represented as instances of the type.
193 *
194 * For example, a type template parameter `typename T` can be
195 * represented as the following instance:
196 *
197 * RelaxedTemplateParameter{
198 * RelaxedTemplateParameter::Kind::TypeTemplateParameter,
199 * false,
200 * {
201 * "",
202 * "T",
203 * ""
204 * },
205 * {}
206 * };
207 *
208 * And a non-type template parameter pack "int... Args" as:
209 *
210 * RelaxedTemplateParameter{
211 * RelaxedTemplateParameter::Kind::NonTypeTemplateParameter,
212 * true,
213 * {
214 * "int",
215 * "Args",
216 * ""
217 * },
218 * {}
219 * };
220 *
221 * Due to the relaxed constraint and the representable incorrect
222 * parameters, the type is intended to be used for data that is
223 * already validated and known to be correct, such as data that is
224 * extracted from Clang.
225 */
227{
233
238
239 /*
240 * Constructs and returns a human-readable representation of this
241 * parameter.
242 *
243 * The constructed string is formatted so that as to rebuild a
244 * possible version of the C++ code that is modeled by an instance
245 * of this type.
246 *
247 * The format of the representation varies based on the "kind" of
248 * the parameter.
249 *
250 * - A "TypeTemplateParameter", is constructed as the
251 * concatenation of the literal "typename", followed by the
252 * literal "..." if the parameter is a pack, followed by the
253 * human-readable representaion of "valued_declaration".
254 *
255 * If the human-readable representation of
256 * "valued_declaration" is not the empty string, it is
257 * preceded by a space when it contributes to the
258 * representation.
259 *
260 * For example, the C++ type template parameter "typename Foo
261 * = int", would be represented by the instance:
262 *
263 * RelaxedTemplateParameter{
264 * RelaxedTemplateParameter::Kind::TypeTemplateParameter,
265 * false,
266 * {
267 * "",
268 * "Foo",
269 * "int"
270 * },
271 * {}
272 * };
273 *
274 * And its representation would be:
275 *
276 * typename Foo = int
277 *
278 * Where "typename" is the added literal and "Foo = int" is
279 * the representation for "valued_declaration", with a space
280 * in-between the two contributions.
281 *
282 * - A "NonTypeTemplateParameter", is constructed by the
283 * contribution of the "type" compoment of "valued_declaration",
284 * followed by the literal "..." if the parameter is a pack,
285 * followed by the human-presentable version of
286 * "valued_declaration" without its "type" component
287 * contribution.
288 *
289 * If the contribution of the "type" component of
290 * "valued_declaration" is not empty, the next contribution is
291 * preceded by a space.
292 *
293 * For example, the C++ non-type template parameter "int...
294 * SIZE", would be represented by the instance:
295 *
296 *
297 * RelaxedTemplateParameter{
298 * RelaxedTemplateParameter::Kind::NonTypeTemplateParameter,
299 * true,
300 * {
301 * "int",
302 * "SIZE",
303 * ""
304 * },
305 * {}
306 * };
307 *
308 * And its representation would be:
309 *
310 * int... SIZE
311 *
312 * Where "int" is the "type" component contribution of
313 * "valued_declaration", "..." is the added literal due to
314 * the parameter being a pack and " SIZE" being the
315 * human-readable representation of "valued_declaration"
316 * without its "type" component contribution, preceded by a
317 * space.
318 *
319 * - A "TemplateTemplateParameter", is constructed by the
320 * contribution of the human-presentable representation of
321 * "template_declaration", followed by the representation of
322 * this parameter if it was a "TypeTemplateParameter", with a
323 * space between the two contributions if the
324 * human-presentable representation of "template_declaration"
325 * is not empty.
326 *
327 * For example, the C++ template template template parameter
328 * "template<typename> T", would be represented by the
329 * instance:
330 *
331 *
332 * RelaxedTemplateParameter{
333 * RelaxedTemplateParameter::Kind::TemplateTemplateParameter,
334 * false,
335 * {
336 * "",
337 * "T",
338 * ""
339 * },
340 * {
341 * RelaxedTemplateParameter{
342 * RelaxedTemplateParameter::Kind::TypeTemplateParameter,
343 * false,
344 * {
345 * "",
346 * "",
347 * ""
348 * },
349 * {}
350 * }
351 * }
352 * };
353 *
354 * And its representation would be:
355 *
356 * template <typename> typename T
357 *
358 * Where "template <typename>" human-presentable version of
359 * "template_declaration" and "typename T" is the
360 * human-presentable version of this parameter if it was a
361 * type template parameter.
362 *
363 * With a space between the two contributions.
364 */
365 inline std::string to_std_string() const
366 {
367 switch (kind) {
368 // TODO: This can probably be moved under the template
369 // template parameter case and reused through a fallback.
371 std::string valued_declaration_string = valued_declaration.to_std_string();
372
373 return std::string("typename") + (is_parameter_pack ? "..." : "")
374 + (valued_declaration_string.empty() ? "" : " ") + valued_declaration_string;
375 }
377 std::string type_string = valued_declaration.type + (is_parameter_pack ? "..." : "");
378
379 return type_string + (type_string.empty() ? "" : " ")
381 ValuedDeclaration::PrintingPolicy{ false, true, true });
382 }
384 std::string valued_declaration_string = valued_declaration.to_std_string();
385
386 return (template_declaration ? (*template_declaration).to_std_string() + " " : "")
387 + "typename" + (is_parameter_pack ? "..." : "")
388 + (valued_declaration_string.empty() ? "" : " ") + valued_declaration_string;
389 }
390 default:
391 return "";
392 }
393 }
394};
395
396/*
397 * Represents a C++ template declaration as a collection of template
398 * parameters.
399 *
400 * The parameters for the declaration follow the same relaxed rules as
401 * `RelaxedTemplateParameter` and inherit the possibility of
402 * representing incorrect declarations.
403 *
404 * Due to the relaxed constraint and the representable incorrect
405 * parameters, the type is intended to be used for data that is
406 * already validated and known to be correct, such as data that is
407 * extracted from Clang.
408 */
410{
411 inline QString to_qstring() const { return QString::fromStdString(to_std_string()); }
412};
413
414/*
415 * Constructs and returns a human-readable representation of this
416 * declaration.
417 *
418 * The constructed string is formatted so as to rebuild a
419 * possible version of the C++ code that is modeled by an instance
420 * of this type.
421 *
422 * The representation of a declaration is constructed by the literal
423 * "template <", followed by the human-presentable version of each
424 * parameter in "parameters", with a comma and a space between each
425 * parameter, followed by a closing literal ">".
426 *
427 * For example, the empty declaration is represented as "template <>".
428 *
429 * While a template declaration that has a type template parameter
430 * "Foo" with initializer "int" and a non-type template parameter pack
431 * with type "int" and name "S" would be represented as:
432 *
433 * template <typename Foo = int, int... S>
434 */
436{
437 if (parameters.empty())
438 return "template <>";
439
440 return "template <"
441 + std::accumulate(std::next(parameters.cbegin()), parameters.cend(),
442 parameters.front().to_std_string(),
443 [](auto &&acc, const RelaxedTemplateParameter &parameter) {
444 return acc + ", " + parameter.to_std_string();
445 })
446 + ">";
447}
448
449/*
450 * Returns true if the two template declaration represented by left
451 * and right are substitutable.
452 *
453 * QDoc uses a simplified model for template declarations and,
454 * similarly, uses a simplified model of "substitutability".
455 *
456 * Two declarations are substitutable if:
457 *
458 * - They have the same amount of parameters
459 * - For each pair of parameters with the same postion:
460 * - They have the same kind
461 * - They are both parameter packs or both are not parameter packs
462 * - If they are non-type template parameters then they have the same type
463 * - If they are both template template parameters then they both
464 * carry an additional template declaration and the additional
465 * template declarations are substitutable
466 *
467 * This means that in the simplified models, we generally ignore default arguments, name and such.
468 *
469 * This model does not follow the way C++ performs disambiguation but
470 * should be enough to handle most cases in the documentation.
471 */
473 static auto are_template_parameters_substitutable = [](const RelaxedTemplateParameter& left, const RelaxedTemplateParameter& right) {
474 if (left.kind != right.kind) return false;
475 if (left.is_parameter_pack != right.is_parameter_pack) return false;
476
479 return false;
480
482 if (!left.template_declaration && right.template_declaration) return false;
483 if (left.template_declaration && !right.template_declaration) return false;
484
485 if (left.template_declaration && right.template_declaration)
486 return are_template_declarations_substitutable(*left.template_declaration, *right.template_declaration);
487 }
488
489 return true;
490 };
491
492 const auto& left_parameters = left.parameters;
493 const auto& right_parameters = right.parameters;
494
495 if (left_parameters.size() != right_parameters.size()) return false;
496
497 return std::transform_reduce(left_parameters.cbegin(), left_parameters.cend(), right_parameters.cbegin(),
498 true,
499 std::logical_and<bool>{},
500 are_template_parameters_substitutable
501 );
502}
Access
Definition access.h:11
std::optional< PCHFile > buildPCH(QDocDatabase *qdb, QString module_header, const std::set< Config::HeaderFilePath > &all_headers, const std::vector< QByteArray > &include_paths, const QList< QByteArray > &defines, const InclusionPolicy &policy)
Building the PCH must be possible when there are no .cpp files, so it is moved here to its own member...
struct CXTranslationUnitImpl * CXTranslationUnit
ParsedCppFileIR parse_cpp_file(const QString &filePath)
Get ready to parse the C++ cpp file identified by filePath and add its parsed contents to the databas...
ClangCodeParser(QDocDatabase *qdb, Config &, const std::vector< QByteArray > &include_paths, const QList< QByteArray > &defines, std::optional< std::reference_wrapper< const PCHFile > > pch)
The ClassNode represents a C++ class.
Definition classnode.h:21
static void initialize()
All the code markers in the static list are initialized here, after the qdoc configuration file has b...
static void terminate()
All the code markers in the static list are terminated here.
static const QSet< QString > common_meta_commands
Definition codeparser.h:110
virtual void initializeParser()=0
virtual void terminateParser()
Terminating a code parser is trivial.
CodeParser()
The constructor adds this code parser to the static list of code parsers.
static void setLink(Node *node, Node::LinkType linkType, const QString &arg)
virtual QString language()=0
virtual void parseSourceFile(const Location &location, const QString &filePath, CppCodeParser &cpp_code_parser)=0
QDocDatabase * m_qdb
Definition codeparser.h:139
static CodeParser * parserForLanguage(const QString &language)
static CodeParser * parserForSourceFile(const QString &filePath)
static bool isWorthWarningAbout(const Doc &doc)
Test for whether a doc comment warrants warnings.
virtual QStringList sourceFileNameFilter()=0
virtual ~CodeParser()
The destructor removes this code parser from the static list of code parsers.
static void extractPageLinkAndDesc(QStringView arg, QString *link, QString *desc)
static void initialize()
All the code parsers in the static list are initialized here, after the qdoc configuration variables ...
static void terminate()
All the code parsers in the static list are terminated here.
A class for holding the members of a collection of doc pages.
bool asBool() const
Returns this config variable as a boolean.
Definition config.cpp:273
The Config class contains the configuration variables for controlling how qdoc produces documentation...
Definition config.h:85
static const QString dot
Definition config.h:168
bool singleExec() const
Definition config.h:437
@ IncludePaths
Definition config.h:105
const Location & location() const
Definition config.h:126
const ExcludedPaths & getExcludedPaths()
Definition config.cpp:1426
bool dualExec() const
Definition config.h:442
bool preparing() const
Definition config.h:187
bool getDebug() const
Definition config.h:109
CppCodeParser(FnCommandParser &&parser)
void processMetaCommands(const Doc &doc, Node *node)
The topic command has been processed, and now doc and node are passed to this function to get the met...
DocBookGenerator(FileResolver &file_resolver)
Definition doc.h:31
QSet< QString > parameterNames() const
Definition doc.cpp:195
Text legaleseText() const
Definition doc.cpp:187
QList< Text > alsoList() const
Definition doc.cpp:256
const Location & location() const
Returns the starting location of a qdoc comment.
Definition doc.cpp:90
Doc & operator=(const Doc &doc)
Definition doc.cpp:75
Doc(const Location &start_loc, const Location &end_loc, const QString &source, const QSet< QString > &metaCommandSet, const QSet< QString > &topics)
Parse the qdoc comment source.
Definition doc.cpp:47
const QList< Atom * > & tableOfContents() const
Definition doc.cpp:276
static void quoteFromFile(const Location &location, Quoter &quoter, ResolvedFile resolved_file)
Definition doc.cpp:421
bool isInternal() const
Returns true if the set of metacommands used in the doc comment contains {internal}...
Definition doc.cpp:219
bool hasTableOfContents() const
Definition doc.cpp:261
bool hasOverloadCommand() const
Definition doc.h:71
const QList< Atom * > & keywords() const
Definition doc.cpp:288
~Doc()
Definition doc.cpp:69
const Text & body() const
Definition doc.cpp:115
static void initialize(FileResolver &file_resolver)
Definition doc.cpp:316
bool hasKeywords() const
Definition doc.cpp:266
QStringList omitEnumItemNames() const
Definition doc.cpp:205
const QList< Atom * > & targets() const
Definition doc.cpp:294
QMultiMap< ComparisonCategory, Text > * comparesWithMap() const
Definition doc.cpp:305
const QList< int > & tableOfContentsLevels() const
Definition doc.cpp:282
bool hasTargets() const
Definition doc.cpp:271
Text trimmedBriefText(const QString &className) const
Definition doc.cpp:126
Sections
Definition doc.h:34
@ NoSection
Definition doc.h:35
@ Section3
Definition doc.h:38
@ Section1
Definition doc.h:36
@ Section2
Definition doc.h:37
@ Section4
Definition doc.h:39
ArgList metaCommandArgs(const QString &metaCommand) const
Definition doc.cpp:251
Text briefText(bool inclusive=false) const
Definition doc.cpp:121
const Location & startLocation() const
Returns the starting location of a qdoc comment.
Definition doc.cpp:99
Doc()=default
bool isMarkedReimp() const
Returns true if the set of metacommands used in the doc comment contains {reimp}.
Definition doc.cpp:228
static void trimCStyleComment(Location &location, QString &str)
Replaces any asterisks used as a left margin in the comment str with spaces then trims the comment sy...
Definition doc.cpp:381
static void terminate()
All the heap allocated variables are deleted.
Definition doc.cpp:369
QList< ArgPair > overloadList() const
Returns the list of arguments passed to the {\overload} command.
Definition doc.cpp:236
TopicList topicsUsed() const
Returns a reference to the list of topic commands used in the current qdoc comment.
Definition doc.cpp:246
QStringMultiMap * metaTagMap() const
Definition doc.cpp:300
QSet< QString > metaCommandsUsed() const
Definition doc.cpp:210
bool isEmpty() const
Definition doc.cpp:110
Doc(const Doc &doc)
Definition doc.cpp:64
void constructExtra() const
Definition doc.cpp:310
const QString & source() const
Definition doc.cpp:104
QStringList enumItemNames() const
Definition doc.cpp:200
Encapsulate the logic that QDoc uses to find files whose path is provided by the user and that are re...
std::optional< ResolvedFile > resolve(QString filename) const
Returns a ResolvedFile if query can be resolved or std::nullopt otherwise.
FileResolver(std::vector< DirectoryPath > &&search_directories)
Constructs an instance of FileResolver with the directories in search_directories as root directories...
const std::vector< DirectoryPath > & get_search_directories() const
Returns a const-reference to a collection of root search directories that this instance will use duri...
This node is used to represent any kind of function being documented.
static void initialize()
static void terminate()
HtmlGenerator(FileResolver &file_resolver)
Definition inode.h:20
virtual const QString & name() const =0
virtual Genus genus() const =0
virtual NodeType nodeType() const =0
virtual QString fullName() const =0
virtual ~INode()=default
The Location class provides a way to mark a location in a file.
Definition location.h:20
QString fileName() const
Returns the file name part of the file path, ie the current file.
Definition location.cpp:191
void fatal(const QString &message, const QString &details=QString()) const
Writes message and details to stderr as a formatted error message and then exits the program.
Definition location.cpp:269
QString fileSuffix() const
Returns the suffix of the file name.
Definition location.cpp:201
const QString & filePath() const
Returns the current path and file name.
Definition location.h:45
Location(const Location &other)
The copy constructor copies the contents of other into this Location using the assignment operator.
Definition location.cpp:65
void setColumnNo(int no)
Definition location.h:41
void error(const QString &message, const QString &details=QString()) const
Writes message and details to stderr as a formatted error message.
Definition location.cpp:238
int lineNo() const
Returns the current line number.
Definition location.h:48
static int exitCode()
Returns the error code QDoc should exit with; EXIT_SUCCESS or the number of documentation warnings if...
Definition location.cpp:250
void report(const QString &message, const QString &details=QString()) const
Writes message and details to stderr as a formatted report message.
Definition location.cpp:288
QString toString() const
Converts the location to a string to be prepended to error messages.
Definition location.cpp:535
int columnNo() const
Returns the current column number.
Definition location.h:49
void advanceLines(int n)
Definition location.h:31
static void initialize()
Gets several parameters from the config, including tab size, program name, and a regular expression t...
Definition location.cpp:303
Location()
Constructs an empty location.
Definition location.cpp:46
static void information(const QString &message)
Prints message to stdout followed by a {' '}.
Definition location.cpp:463
int depth() const
Definition location.h:44
void push(const QString &filePath)
Pushes filePath onto the file position stack.
Definition location.cpp:135
static void internalError(const QString &hint)
Report a program bug, including the hint.
Definition location.cpp:472
void start()
If the file position on top of the stack has a line number less than 1, set its line number to 1 and ...
Definition location.cpp:101
void warning(const QString &message, const QString &details=QString()) const
Writes message and details to stderr as a formatted warning message.
Definition location.cpp:226
void setEtc(bool etc)
Definition location.h:39
void advance(QChar ch)
Advance the current file position, using ch to decide how to do that.
Definition location.cpp:117
void setLineNo(int no)
Definition location.h:40
Location & operator=(const Location &other)
The assignment operator does a deep copy of the entire state of other into this Location.
Definition location.cpp:75
bool isEmpty() const
Returns true if there is no file name set yet; returns false otherwise.
Definition location.h:43
bool etc() const
Definition location.h:50
~Location()
Definition location.h:25
static void terminate()
Apparently, all this does is delete the regular expression used for intercepting certain error messag...
Definition location.cpp:451
void pop()
Pops the top of the internal stack.
Definition location.cpp:155
Location(const QString &filePath)
Constructs a location with (fileName, 1, 1) on its file position stack.
Definition location.cpp:55
This class represents a C++ namespace.
Tree * tree() const override
Returns a pointer to the Tree that contains this NamespaceNode.
A PageNode is a Node that generates a documentation page.
Definition pagenode.h:19
The Parameter class describes one function parameter.
Definition parameters.h:20
const QString & type() const
Definition parameters.h:30
void set(const QString &type, const QString &name, const QString &defaultValue=QString())
Definition parameters.h:35
const QString & name() const
Definition parameters.h:31
void setDefaultValue(const QString &t)
Definition parameters.h:33
Parameter(QString type, QString name=QString(), QString defaultValue=QString())
Definition parameters.h:23
Parameter()=default
QString signature(bool includeValue=false) const
Reconstructs the text signature for the parameter and returns it.
QString m_name
Definition parameters.h:50
QString m_canonicalType
Definition parameters.h:48
void setCanonicalType(const QString &t)
Definition parameters.h:45
QString m_defaultValue
Definition parameters.h:51
void setName(const QString &name)
Definition parameters.h:28
bool hasType() const
Definition parameters.h:29
const QString & canonicalType() const
Definition parameters.h:44
QString m_type
Definition parameters.h:49
const QString & defaultValue() const
Definition parameters.h:32
This class describes one instance of using the Q_PROPERTY macro.
PureDocParser(const Location &location)
This class provides exclusive access to the qdoc database, which consists of a forrest of trees and a...
static void destroyQdocDB()
Destroys the singleton.
static QDocDatabase * qdocDB()
Creates the singleton.
NamespaceNode * primaryTreeRoot()
Returns a pointer to the root node of the primary tree.
void processForest()
This function calls a set of functions for each tree in the forest that has not already been analyzed...
void clearSearchOrder()
void resolveStuff()
Performs several housekeeping tasks prior to generating the documentation.
static void terminate()
Clear the static maps so that subsequent runs don't try to use contents from a previous run.
SourceFileParser(ClangCodeParser &clang_parser, PureDocParser &pure_parser)
Definition text.h:12
static void terminate()
The heap allocated variables are freed here.
static void initialize()
This class constructs and maintains a tree of instances of the subclasses of Node.
Definition tree.h:57
WebXMLGenerator(FileResolver &file_resolver)
#define COMMAND_QMLINHERITS
Definition codeparser.h:57
#define COMMAND_MODULESTATE
Definition codeparser.h:37
#define COMMAND_INTERNAL
Definition codeparser.h:34
#define COMMAND_NONREENTRANT
Definition codeparser.h:41
#define COMMAND_OBSOLETE
Definition codeparser.h:42
#define COMMAND_INMODULE
Definition codeparser.h:31
#define COMMAND_DEPRECATED
Definition codeparser.h:21
#define COMMAND_PRELIMINARY
Definition codeparser.h:45
#define COMMAND_WRAPPER
Definition codeparser.h:86
#define COMMAND_CMAKETARGETITEM
Definition codeparser.h:17
#define COMMAND_REENTRANT
Definition codeparser.h:72
#define COMMAND_TITLE
Definition codeparser.h:80
#define COMMAND_STARTPAGE
Definition codeparser.h:78
#define COMMAND_QMLDEFAULT
Definition codeparser.h:54
#define COMMAND_SINCE
Definition codeparser.h:75
#define COMMAND_QMLABSTRACT
Definition codeparser.h:48
#define COMMAND_QTVARIABLE
Definition codeparser.h:71
#define COMMAND_QTCMAKEPACKAGE
Definition codeparser.h:69
#define COMMAND_NOAUTOLIST
Definition codeparser.h:40
#define COMMAND_QTCMAKETARGETITEM
Definition codeparser.h:70
#define COMMAND_DEFAULT
Definition codeparser.h:20
#define COMMAND_THREADSAFE
Definition codeparser.h:79
#define COMMAND_CMAKECOMPONENT
Definition codeparser.h:16
#define COMMAND_QMLREADONLY
Definition codeparser.h:64
#define COMMAND_QMLENUMERATORSFROM
Definition codeparser.h:56
#define COMMAND_INPUBLICGROUP
Definition codeparser.h:32
#define COMMAND_QMLREQUIRED
Definition codeparser.h:65
#define COMMAND_ABSTRACT
Definition codeparser.h:13
#define COMMAND_ATTRIBUTION
Definition codeparser.h:87
#define COMMAND_INQMLMODULE
Definition codeparser.h:33
#define COMMAND_CMAKEPACKAGE
Definition codeparser.h:15
#define COMMAND_INGROUP
Definition codeparser.h:29
#define COMMAND_SUBTITLE
Definition codeparser.h:77
static std::string comparisonCategoryAsString(ComparisonCategory category)
static ComparisonCategory comparisonCategoryFromString(const std::string &string)
#define CONFIG_SOURCES
Definition config.h:416
#define CONFIG_VERSION
Definition config.h:427
#define CONFIG_EXAMPLEDIRS
Definition config.h:363
#define CONFIG_INDEXES
Definition config.h:385
#define CONFIG_DEFINES
Definition config.h:357
#define CONFIG_DEPENDS
Definition config.h:358
#define CONFIG_NOLINKERRORS
Definition config.h:398
#define CONFIG_LOGPROGRESS
Definition config.h:390
#define CONFIG_IMAGEDIRS
Definition config.h:381
#define CONFIG_PROJECT
Definition config.h:404
#define CONFIG_SOURCEDIRS
Definition config.h:414
#define CONFIG_HEADERS
Definition config.h:372
#define CONFIG_DOCUMENTATIONINHEADERS
Definition config.h:361
#define CONFIG_NAVIGATION
Definition config.h:397
#define CONFIG_LANDINGPAGE
Definition config.h:386
#define CONFIG_OUTPUTFORMATS
Definition config.h:400
#define CONFIG_LANDINGTITLE
Definition config.h:387
#define CONFIG_MODULEHEADER
Definition config.h:395
#define CONFIG_HEADERDIRS
Definition config.h:371
#define CONFIG_INCLUDEPATHS
Definition config.h:382
QList< Doc > DocList
Definition doc.h:91
Q_DECLARE_TYPEINFO(Doc, Q_RELOCATABLE_TYPE)
std::pair< QString, QString > ArgPair
Definition doc.h:26
QList< ArgPair > ArgList
Definition doc.h:27
QMultiMap< QString, QString > QStringMultiMap
Definition doc.h:28
QHash< QString, Macro > QHash_QString_Macro
QT_BEGIN_NAMESPACE typedef QHash< QString, int > QHash_QString_int
NodeType
Definition genustypes.h:150
@ SharedComment
Definition genustypes.h:173
Q_DECLARE_TYPEINFO(Location, Q_COMPLEX_TYPE)
Q_DECLARE_TYPEINFO(Location::StackEntry, Q_RELOCATABLE_TYPE)
This namespace holds QDoc-internal utility methods.
Definition utilities.h:20
bool debugging()
Definition utilities.cpp:42
QMultiMap< QString, CollectionNode * > CNMultiMap
Definition node.h:52
QList< Node * > NodeList
Definition node.h:44
QList< ClassNode * > ClassList
Definition node.h:45
QList< Node * > NodeVector
Definition node.h:46
QMap< QString, NodeMultiMap > NodeMultiMapMap
Definition node.h:50
QMap< QString, Node * > NodeMap
Definition node.h:47
QMap< QString, NodeMap > NodeMapMap
Definition node.h:48
QMap< QString, CollectionNode * > CNMap
Definition node.h:51
QMultiMap< QString, Node * > NodeMultiMap
Definition node.h:49
QList< Parameter > ParameterVector
Definition parameters.h:54
@ Public
Definition access.h:11
@ Private
Definition access.h:11
@ Protected
Definition access.h:11
static void parseSourceFiles(std::vector< QString > &&sources, SourceFileParser &source_file_parser, CppCodeParser &cpp_code_parser)
Definition main.cpp:65
static void singleExecutionMode()
Definition main.cpp:661
void logStartEndMessage(const QLatin1String &startStop, Config &config)
Definition main.cpp:281
static void processQdocconfFile(const QString &fileName)
Processes the qdoc config file fileName.
Definition main.cpp:303
static void clearModuleDependenciesAndProcessQdocconfFile(const QStringList &qdocFiles)
Definition main.cpp:643
static void dualExecutionMode()
Definition main.cpp:678
bool creationTimeBefore(const QFileInfo &fi1, const QFileInfo &fi2)
Definition main.cpp:46
static void loadIndexFiles(const QSet< QString > &formats)
Read some XML indexes containing definitions from other documentation sets.
Definition main.cpp:129
#define QDOC_REFINED_TYPEDEF(_type, _name)
\macro QDOC_REFINED_TYPEDEF(_type, _name)
int main(int argc, char *argv[])
[ctor_close]
QHash_QString_Macro macroHash
QHash_QString_int cmdHash
FnCommandParser(QDocDatabase *qdb, const std::set< Config::HeaderFilePath > &all_headers, const QList< QByteArray > &defines, std::optional< std::reference_wrapper< const PCHFile > > pch)
std::variant< Node *, FnMatchError > operator()(const Location &location, const QString &fnSignature, const QString &idTag, QStringList context)
Use clang to parse the function signature from a function command.
QString & version()
Definition importrec.h:29
QString m_importId
Definition importrec.h:19
QString & name()
Definition importrec.h:28
bool isEmpty() const
Definition importrec.h:30
QString m_importUri
Definition importrec.h:18
QString m_moduleName
Definition importrec.h:16
ImportRec(QString name, QString version, QString importUri, QStringView importId)
Definition importrec.h:21
QString m_majorMinorVersion
Definition importrec.h:17
Simple structure used by the Doc and DocParser classes.
Location m_defaultDefLocation
Definition macro.h:20
QMap< QString, QString > m_otherDefs
Definition macro.h:21
int numParams
Definition macro.h:22
QString m_defaultDef
Definition macro.h:19
The Node class is the base class for all the nodes in QDoc's parse tree.
void markInternal()
Sets the node's access to Private and its status to Internal.
Definition node.h:210
virtual void setLogicalModuleInfo(const QStringList &)
If this node is a CollectionNode, this function splits arg on the blank character to get a logical mo...
Definition node.h:267
bool isGenericCollection() const
Returns true if the node type is Collection.
Definition node.h:139
QString fullName() const override
Definition node.h:169
bool isExternalPage() const
Returns true if the node type is ExternalPage.
Definition node.h:106
bool isDontDocument() const
Returns true if this node's status is DontDocument.
Definition node.h:99
virtual QString plainName() const
Returns this node's name member.
Definition node.cpp:421
const Doc & doc() const
Returns a reference to the node's Doc data member.
Definition node.h:242
virtual bool setTitle(const QString &)
Sets the node's title, which is used for the title of the documentation page, if one is generated for...
Definition node.h:207
bool isQmlNode() const
Returns true if this node's Genus value is QML.
Definition node.h:126
virtual void appendGroupName(const QString &)
Definition node.h:200
virtual bool isStatic() const
Returns true if the FunctionNode represents a static function.
Definition node.h:159
virtual QString logicalModuleIdentifier() const
If this is a CollectionNode, this function returns the logical module identifier.
Definition node.h:265
void setHadDoc()
Definition node.h:189
void setUrl(const QString &url)
Sets the node's URL to url, which is the url to the page that the node represents.
Definition node.h:184
virtual bool hasClasses() const
Returns true if this is a CollectionNode and its members list contains class nodes.
Definition node.h:195
virtual bool hasNamespaces() const
Returns true if this is a CollectionNode and its members list contains namespace nodes.
Definition node.h:194
bool isEnumType(Genus g) const
Definition node.h:104
bool isGroup() const
Returns true if the node type is Group.
Definition node.h:111
const QString & reconstitutedBrief() const
Definition node.h:254
void setGenus(Genus t)
Definition node.h:93
virtual bool docMustBeGenerated() const
This function is called to perform a test to decide if the node must have documentation generated.
Definition node.h:202
virtual bool isWrapper() const
Returns true if the node is a class node or a QML type node that is marked as being a wrapper class o...
Definition node.cpp:906
bool isPrivate() const
Returns true if this node's access is Private.
Definition node.h:118
virtual QString signature(Node::SignatureOptions) const
void Node::setGenus(Genus t) Sets this node's Genus to t.
Definition node.h:171
bool isActive() const
Returns true if this node's status is Active.
Definition node.h:96
void setAccess(Access t)
Sets the node's access type to t.
Definition node.h:177
const Location & defLocation() const
Returns the Location where this node's dedefinition was seen.
Definition node.h:237
void setIndexNodeFlag(bool isIndexNode=true)
Sets a flag in this Node that indicates the node was created for something in an index file.
Definition node.h:188
virtual void setQmlModule(CollectionNode *)
If this is a QmlTypeNode, this function sets the QML type's QML module pointer to the CollectionNode ...
Definition node.h:269
virtual QString qmlTypeName() const
If this is a QmlPropertyNode or a FunctionNode representing a QML method, this function returns the q...
Definition node.h:261
virtual bool isAbstract() const
Returns true if the ClassNode or QmlTypeNode is marked abstract.
Definition node.h:142
SharedCommentNode * sharedCommentNode()
Definition node.h:258
bool isNamespace() const
Returns true if the node type is Namespace.
Definition node.h:115
bool isTypedef() const
Returns true if the node type is Typedef.
Definition node.h:133
bool isQmlBasicType() const
Returns true if the node type is QmlBasicType.
Definition node.h:124
virtual QString logicalModuleVersion() const
If this is a CollectionNode, this function returns the logical module version number.
Definition node.h:264
QString nodeTypeString() const
Returns this node's type as a string for use as an attribute value in XML or HTML.
Definition node.cpp:617
ComparisonCategory comparisonCategory() const
Definition node.h:191
virtual void addMember(Node *)
In a CollectionNode, this function adds node to the collection node's members list.
Definition node.h:193
bool hasFileNameBase() const
Returns true if the node's file name base has been set.
Definition node.h:174
bool isPage() const
Returns true if the node type is Page.
Definition node.h:116
virtual QString qmlFullBaseName() const
If this is a QmlTypeNode, this function returns the QML full base name.
Definition node.h:262
bool isQmlType() const
Returns true if the node type is QmlType or QmlValueType.
Definition node.h:128
bool isSharedCommentNode() const
Returns true if the node type is SharedComment.
Definition node.h:131
QString physicalModuleName() const
Definition node.h:217
virtual void setCMakePackage(const QString &)
Definition node.h:221
virtual void setDataType(const QString &)
If this node is a PropertyNode or a QmlPropertyNode, its data type data member is set to dataType.
Definition node.h:198
virtual bool isInternal() const
Returns true if the node's status is Internal, or if its parent is a class with Internal status.
Definition node.cpp:802
bool isHeader() const
Returns true if the node type is HeaderFile.
Definition node.h:112
NodeType nodeType() const override
Returns this node's type.
Definition node.h:89
Genus genus() const override
Returns this node's Genus.
Definition node.h:92
virtual bool isPageNode() const
Returns true if this node represents something that generates a documentation page.
Definition node.h:155
void setFileNameBase(const QString &t)
Sets the node's file name base to t.
Definition node.h:175
virtual bool isMacro() const
returns true if either FunctionNode::isMacroWithParams() or FunctionNode::isMacroWithoutParams() retu...
Definition node.h:154
virtual bool isDefault() const
Returns true if the QML property node is marked as default.
Definition node.h:152
bool isEnumType() const
Returns true if the node type is Enum.
Definition node.h:100
virtual Status status() const
Returns the node's status value.
Definition node.h:249
bool isStruct() const
Returns true if the node type is Struct.
Definition node.h:130
virtual bool isTextPageNode() const
Returns true if the node is a PageNode but not an Aggregate.
Definition node.h:160
virtual bool isAttached() const
Returns true if the QML property or QML method node is marked as attached.
Definition node.h:149
Aggregate * parent() const
Returns the node's parent pointer.
Definition node.h:215
static bool fromFlagValue(FlagValue fv, bool defaultValue)
Converts the enum fv back to a boolean value.
Definition node.cpp:701
bool isPublic() const
Returns true if this node's access is Public.
Definition node.h:121
bool isVariable() const
Returns true if the node type is Variable.
Definition node.h:138
void setLocation(const Location &t)
Sets the node's declaration location, its definition location, or both, depending on the suffix of th...
Definition node.cpp:839
virtual void setClassNode(ClassNode *)
If this is a QmlTypeNode, this function sets the C++ class node to cn.
Definition node.h:271
virtual ~Node()=default
The default destructor is virtual so any subclass of Node can be deleted by deleting a pointer to Nod...
QString plainFullName(const Node *relative=nullptr) const
Constructs and returns the node's fully qualified name by recursively ascending the parent links and ...
Definition node.cpp:435
virtual bool isDeprecated() const
Returns true if this node's status is Deprecated.
Definition node.h:141
virtual bool isAggregate() const
Returns true if this node is an aggregate, which means it inherits Aggregate and can therefore have c...
Definition node.h:143
FlagValue
A value used in PropertyNode and QmlPropertyNode that can be -1, 0, or +1.
Definition node.h:82
@ FlagValueDefault
Definition node.h:82
@ FlagValueTrue
Definition node.h:82
@ FlagValueFalse
Definition node.h:82
QString qualifyQmlName()
Returns the QML node's qualified name by prepending the logical module name.
Definition node.cpp:896
void setSharedCommentNode(SharedCommentNode *t)
Definition node.h:257
void setTemplateDecl(std::optional< RelaxedTemplateDeclaration > t)
Definition node.h:185
virtual void setRelatedNonmember(bool b)
Sets a flag in the node indicating whether this node is a related nonmember of something.
Definition node.h:192
virtual Node * clone(Aggregate *)
When reimplemented in a subclass, this function creates a clone of this node on the heap and makes th...
Definition node.h:85
virtual void markReadOnly(bool)
If this node is a QmlPropertyNode, then the property's read-only flag is set to flag.
Definition node.h:213
void setComparisonCategory(const ComparisonCategory &category)
Definition node.h:190
static bool nodeNameLessThan(const Node *first, const Node *second)
Returns true if the node n1 is less than node n2.
Definition node.cpp:59
QString qualifyCppName()
Returns the CPP node's qualified name by prepending the namespaces name + "::" if there isw a namespa...
Definition node.cpp:874
ThreadSafeness inheritedThreadSafeness() const
If this node has a parent, the parent's thread safeness value is returned.
Definition node.cpp:791
const Location & location() const
If this node's definition location is empty, this function returns this node's declaration location.
Definition node.h:238
bool isProxyNode() const
Returns true if the node type is Proxy.
Definition node.h:120
virtual bool wasSeen() const
Returns the seen flag data member of this node if it is a NamespaceNode or a CollectionNode.
Definition node.h:199
bool hadDoc() const
Definition node.h:248
const std::optional< RelaxedTemplateDeclaration > & templateDecl() const
Definition node.h:253
Access access() const
Returns the node's Access setting, which can be Public, Protected, or Private.
Definition node.h:235
virtual void setWrapper()
If this node is a ClassNode or a QmlTypeNode, the node's wrapper flag data member is set to true.
Definition node.h:197
virtual QString cmakeComponent() const
Definition node.h:225
bool isFunction(Genus g=Genus::DontCare) const
Returns true if this is a FunctionNode and its Genus is set to g.
Definition node.h:107
virtual void markDefault()
If this node is a QmlPropertyNode, it is marked as the default property.
Definition node.h:212
ThreadSafeness threadSafeness() const
Returns the thread safeness value for whatever this node represents.
Definition node.cpp:779
virtual QString qtVariable() const
If this node is a CollectionNode, its QT variable is returned.
Definition node.h:220
virtual QString logicalModuleName() const
If this is a CollectionNode, this function returns the logical module name.
Definition node.h:263
Aggregate * root() const
virtual bool isFirstClassAggregate() const
Returns true if this Node is an Aggregate but not a ProxyNode.
Definition node.h:144
virtual bool isMarkedReimp() const
Returns true if the FunctionNode is marked as a reimplemented function.
Definition node.h:157
bool isProperty() const
Returns true if the node type is Property.
Definition node.h:119
virtual QString cmakePackage() const
Definition node.h:224
QString fullDocumentName() const
Construct the full document name for this node and return it.
Definition node.cpp:914
QString url() const
Returns the node's URL, which is the url of the documentation page created for the node or the url of...
Definition node.h:218
bool isTypeAlias() const
Returns true if the node type is Typedef.
Definition node.h:132
virtual Tree * tree() const
Returns a pointer to the Tree this node is in.
Definition node.cpp:829
const Location & declLocation() const
Returns the Location where this node's declaration was seen.
Definition node.h:236
NodeContext createContext() const
Definition node.cpp:116
void setDoc(const Doc &doc, bool replace=false)
Sets this Node's Doc to doc.
Definition node.cpp:496
virtual QString title() const
Returns a string that can be used to print a title in the documentation for whatever this Node is.
Definition node.h:204
virtual void setCMakeComponent(const QString &)
Definition node.h:222
virtual bool setSubtitle(const QString &)
Sets the node's subtitle, which is used for the subtitle of the documentation page,...
Definition node.h:208
bool isModule() const
Returns true if the node type is Module.
Definition node.h:114
virtual bool isAlias() const
Returns true if this QML property is marked as an alias.
Definition node.h:148
virtual QString element() const
If this node is a QmlPropertyNode or a FunctionNode, this function returns the name of the parent nod...
Definition node.h:201
virtual QString subtitle() const
Returns a string that can be used to print a subtitle in the documentation for whatever this Node is.
Definition node.h:205
Node(NodeType type, Aggregate *parent, QString name)
Construct a node with the given type and having the given parent and name.
Definition node.cpp:536
virtual ClassNode * classNode()
If this is a QmlTypeNode, this function returns the pointer to the C++ ClassNode that this QML type r...
Definition node.h:270
bool isClass() const
Returns true if the node type is Class.
Definition node.h:97
const QString & fileNameBase() const
Returns the node's file name base string, which is built once, when Generator::fileBase() is called a...
Definition node.h:173
virtual bool isPropertyGroup() const
Returns true if the node is a SharedCommentNode for documenting multiple C++ properties or multiple Q...
Definition node.h:158
ThreadSafeness
An unsigned char that specifies the degree of thread-safeness of the element.
Definition node.h:65
@ ThreadSafe
Definition node.h:69
@ NonReentrant
Definition node.h:67
@ UnspecifiedSafeness
Definition node.h:66
@ Reentrant
Definition node.h:68
virtual QString fullTitle() const
Returns a string that can be used as the full title for the documentation of this node.
Definition node.h:206
static QString nodeTypeString(NodeType t)
Returns the node type t as a string for use as an attribute value in XML or HTML.
Definition node.cpp:630
bool isSharingComment() const
This function returns true if the node is sharing a comment with other nodes.
Definition node.h:256
QString fullName(const Node *relative) const
Constructs and returns this node's full name.
Definition node.cpp:481
virtual void setCMakeTargetItem(const QString &)
Definition node.h:223
virtual bool isPureVirtual() const
Definition node.h:123
virtual CollectionNode * logicalModule() const
If this is a QmlTypeNode, a pointer to its QML module is returned, which is a pointer to a Collection...
Definition node.h:268
QString since() const
Returns the node's since string, which can be empty.
Definition node.h:252
virtual void setAbstract(bool)
If this node is a ClassNode or a QmlTypeNode, the node's abstract flag data member is set to b.
Definition node.h:196
bool hasDoc() const
Returns true if this node is documented, or it represents a documented node read from the index ('had...
Definition node.cpp:859
virtual bool isInAPI() const
Definition node.h:243
void setParent(Aggregate *n)
Sets the node's parent pointer to n.
Definition node.h:187
static Genus getGenus(NodeType t)
Determines the appropriate Genus value for the NodeType value t and returns that Genus value.
Definition node.cpp:559
bool isPreliminary() const
Returns true if this node's status is Preliminary.
Definition node.h:117
static FlagValue toFlagValue(bool b)
Converts the boolean value b to an enum representation of the boolean type, which includes an enum va...
Definition node.cpp:690
void setReconstitutedBrief(const QString &t)
When reading an index file, this function is called with the reconstituted brief clause t to set the ...
Definition node.h:186
virtual bool hasTag(const QString &) const
If this node is a FunctionNode, the function returns true if the function has the tag t.
Definition node.h:227
virtual QString cmakeTargetItem() const
Definition node.h:226
bool isRelatedNonmember() const
Returns true if this is a related nonmember of something.
Definition node.h:129
void setSince(const QString &since)
Sets the information about the project and version a node was introduced in, unless the version is lo...
Definition node.cpp:731
virtual bool isClassNode() const
Returns true if this is an instance of ClassNode.
Definition node.h:150
bool isCppNode() const
Returns true if this node's Genus value is CPP.
Definition node.h:98
void setStatus(Status t)
Sets the node's status to t.
Definition node.cpp:510
QString extractClassName(const QString &string) const
Extract a class name from the type string and return it.
Definition node.cpp:751
void setDeprecated(const QString &sinceVersion)
Sets the Node status to Node::Deprecated, unless sinceVersion represents a future version.
Definition node.cpp:961
virtual bool isRelatableType() const
Returns true if this node is something you can relate things to with the relates command.
Definition node.h:156
virtual bool isCollectionNode() const
Returns true if this is an instance of CollectionNode.
Definition node.h:151
static bool nodeSortKeyOrNameLessThan(const Node *n1, const Node *n2)
Returns true if node n1 is less than node n2 when comparing the sort keys, defined with.
Definition node.cpp:102
void setThreadSafeness(ThreadSafeness t)
Sets the node's thread safeness to t.
Definition node.h:181
void setPhysicalModuleName(const QString &name)
Sets the node's physical module name.
Definition node.h:183
Status
An unsigned char that specifies the status of the documentation element in the documentation set.
Definition node.h:57
@ Internal
Definition node.h:61
@ Active
Definition node.h:60
@ DontDocument
Definition node.h:62
@ Deprecated
Definition node.h:58
@ Preliminary
Definition node.h:59
bool isQmlModule() const
Returns true if the node type is QmlModule.
Definition node.h:125
SignatureOption
Definition node.h:72
@ SignatureReturnType
Definition node.h:75
@ SignatureDefaultValues
Definition node.h:74
@ SignaturePlain
Definition node.h:73
@ SignatureTemplateParams
Definition node.h:76
bool isProtected() const
Returns true if this node's access is Protected.
Definition node.h:122
bool isExample() const
Returns true if the node type is Example.
Definition node.h:105
QString qualifyWithParentName()
Return the name of this node qualified with the parent name and "::" if there is a parent name.
Definition node.cpp:885
bool isIndexNode() const
Returns true if this node was created from something in an index file.
Definition node.h:113
QString name() const
Returns the node's name data member.
QString plainSignature() const
Constructs and returns the node's fully qualified signature by recursively ascending the parent links...
Definition node.cpp:459
bool isUnion() const
Returns true if the node type is Union.
Definition node.h:137
const QString & deprecatedSince() const
Definition node.h:230
bool isQmlProperty() const
Returns true if the node type is QmlProperty.
Definition node.h:127
virtual void setQtVariable(const QString &)
If this node is a CollectionNode, its QT variable is set to v.
Definition node.h:219
QByteArray name
QTemporaryDir dir
A class for parsing and managing a function parameter list.
Definition main.cpp:28
Parameter & operator[](int index)
Definition parameters.h:77
const ParameterVector & parameters() const
Definition parameters.h:68
bool isEmpty() const
Definition parameters.h:70
void append(const QString &type)
Definition parameters.h:80
void pop_back()
Definition parameters.h:81
QSet< QString > getNames() const
Insert all the parameter names into names.
bool match(const Parameters &parameters) const
Returns true if parameters contains the same parameter signature as this.
void reserve(int count)
Definition parameters.h:73
Parameters(const QString &signature)
QString rawSignature(bool names=false, bool values=false) const
Returns the signature of all the parameters with all the spaces and commas removed.
QString generateTypeList() const
Construct a list of the parameter types and return it.
bool isValid() const
Definition parameters.h:71
void clear()
Definition parameters.h:62
Parameter & last()
Definition parameters.h:75
bool isPrivateSignal() const
Definition parameters.h:69
const Parameter & at(int i) const
Definition parameters.h:74
void append(const QString &type, const QString &name)
Definition parameters.h:79
QString signature(bool includeValues=false) const
Returns the list of reconstructed parameters.
const Parameter & last() const
Definition parameters.h:76
int count() const
Definition parameters.h:72
QString generateTypeAndNameList() const
Construct a list of the parameter type/name pairs and return it.
void append(const QString &type, const QString &name, const QString &value)
Append a Parameter constructed from type, name, and value to the parameter vector.
void set(const QString &signature)
Parse the parameter signature by splitting the string, and store the individual parameters in the par...
void setPrivateSignal()
Definition parameters.h:82
Processes parser errors and outputs warnings for them.
Definition parsererror.h:20
A struct for indicating that a ClassNode is related in some way to another ClassNode.
Access m_access
ClassNode * m_node
RelatedClass(Access access, ClassNode *node)
This is the constructor used when the related class has been resolved.
RelatedClass(Access access, QStringList path)
RelatedClass()=default
The default constructor does nothing.
QStringList m_path
bool isPrivate() const
Returns true if this RelatedClass is marked as Access::Private.
ValuedDeclaration valued_declaration
std::optional< TemplateDeclarationStorage > template_declaration
std::string to_std_string() const
Represents a file that is reachable by QDoc based on its current configuration.
const QString & get_path() const
Returns a string representing the canonicalized path to the file that was resolved.
ResolvedFile(QString query, FilePath filepath)
Constructs an instance of this type from query and filepath.
const QString & get_query() const
Returns a string representing the user-inputted path that was used to resolve the file.
std::vector< RelaxedTemplateParameter > parameters
Definition topic.h:9
QString m_topic
Definition topic.h:22
Topic(QString &t, QString a)
Definition topic.h:12
Topic()=default
QString m_args
Definition topic.h:23
~Topic()=default
bool isEmpty() const
Definition topic.h:15
void clear()
Definition topic.h:16
QStringList context
Definition codeparser.h:99
std::string to_std_string(PrintingPolicy policy=default_printing_policy()) const
static PrintingPolicy default_printing_policy()
bool are_template_declarations_substitutable(const TemplateDeclarationStorage &left, const TemplateDeclarationStorage &right)
QList< Topic > TopicList
Definition topic.h:25