Doxygen
Loading...
Searching...
No Matches
docparser.cpp
Go to the documentation of this file.
1/******************************************************************************
2 *
3 * Copyright (C) 1997-2022 by Dimitri van Heesch.
4 *
5 * Permission to use, copy, modify, and distribute this software and its
6 * documentation under the terms of the GNU General Public License is hereby
7 * granted. No representations are made about the suitability of this software
8 * for any purpose. It is provided "as is" without express or implied warranty.
9 * See the GNU General Public License for more details.
10 *
11 * Documents produced by Doxygen are derivative works derived from the
12 * input used in their production; they are not affected by this license.
13 *
14 */
15
16#include <stdio.h>
17#include <stdlib.h>
18#include <cassert>
19
20#include <ctype.h>
21
22#include "classlist.h"
23#include "cmdmapper.h"
24#include "config.h"
25#include "debug.h"
26#include "dir.h"
27#include "docparser.h"
28#include "docparser_p.h"
29#include "doxygen.h"
30#include "filedef.h"
31#include "fileinfo.h"
32#include "groupdef.h"
33#include "namespacedef.h"
34#include "message.h"
35#include "pagedef.h"
36#include "portable.h"
37#include "printdocvisitor.h"
38#include "util.h"
39#include "indexlist.h"
40#include "trace.h"
41#include "stringutil.h"
42
43#if !ENABLE_DOCPARSER_TRACING
44#undef AUTO_TRACE
45#undef AUTO_TRACE_ADD
46#undef AUTO_TRACE_EXIT
47#define AUTO_TRACE(...) (void)0
48#define AUTO_TRACE_ADD(...) (void)0
49#define AUTO_TRACE_EXIT(...) (void)0
50#endif
51
52
53//---------------------------------------------------------------------------
54
56{
57 return std::make_unique<DocParser>();
58}
59
61{
62 //QCString indent;
63 //indent.fill(' ',contextStack.size()*2+2);
64 //printf("%sdocParserPushContext() count=%zu\n",qPrint(indent),context.nodeStack.size());
65
66 tokenizer.pushContext();
67 contextStack.emplace();
68 auto &ctx = contextStack.top();
69 ctx = context;
70 ctx.fileName = tokenizer.getFileName();
71 ctx.lineNo = tokenizer.getLineNr();
72 context.token = tokenizer.token();
73}
74
76{
77 auto &ctx = contextStack.top();
78 context = ctx;
79 tokenizer.setFileName(ctx.fileName);
80 tokenizer.setLineNr(ctx.lineNo);
81 contextStack.pop();
82 tokenizer.popContext();
83 context.token = tokenizer.token();
84
85 //QCString indent;
86 //indent.fill(' ',contextStack.size()*2+2);
87 //printf("%sdocParserPopContext() count=%zu\n",qPrint(indent),context.nodeStack.size());
88}
89
90//---------------------------------------------------------------------------
91
92/*! search for an image in the imageNameDict and if found
93 * copies the image to the output directory (which depends on the \a type
94 * parameter).
95 */
97{
98 QCString result;
99 bool ambig = false;
100 FileDef *fd = findFileDef(Doxygen::imageNameLinkedMap,fileName,ambig);
101 //printf("Search for %s\n",fileName);
102 if (fd)
103 {
104 if (ambig & doWarn)
105 {
106 warn_doc_error(context.fileName,tokenizer.getLineNr(),
107 "image file name '{}' is ambiguous.\n"
108 "Possible candidates:\n{}", fileName,showFileDefMatches(Doxygen::imageNameLinkedMap,fileName));
109 }
110
111 QCString inputFile = fd->absFilePath();
112 FileInfo infi(inputFile.str());
113 if (infi.exists())
114 {
115 result = fileName;
116 int i = result.findRev('/');
117 if (i!=-1 || (i=result.findRev('\\'))!=-1)
118 {
119 result = result.right(static_cast<int>(result.length())-i-1);
120 }
121 //printf("fileName=%s result=%s\n",fileName,qPrint(result));
122 QCString outputDir;
123 switch(type)
124 {
125 case DocImage::Html:
126 if (!Config_getBool(GENERATE_HTML)) return result;
127 outputDir = Config_getString(HTML_OUTPUT);
128 break;
129 case DocImage::Latex:
130 if (!Config_getBool(GENERATE_LATEX)) return result;
131 outputDir = Config_getString(LATEX_OUTPUT);
132 break;
134 if (!Config_getBool(GENERATE_DOCBOOK)) return result;
135 outputDir = Config_getString(DOCBOOK_OUTPUT);
136 break;
137 case DocImage::Rtf:
138 if (!Config_getBool(GENERATE_RTF)) return result;
139 outputDir = Config_getString(RTF_OUTPUT);
140 break;
141 case DocImage::Xml:
142 if (!Config_getBool(GENERATE_XML)) return result;
143 outputDir = Config_getString(XML_OUTPUT);
144 break;
145 }
146 QCString outputFile = outputDir+"/"+result;
147 FileInfo outfi(outputFile.str());
148 if (outfi.isSymLink())
149 {
150 Dir().remove(outputFile.str());
151 warn_doc_error(context.fileName,tokenizer.getLineNr(),
152 "destination of image {} is a symlink, replacing with image",
153 outputFile);
154 }
155 if (outputFile!=inputFile) // prevent copying to ourself
156 {
157 if (copyFile(inputFile,outputFile) && type==DocImage::Html)
158 {
159 Doxygen::indexList->addImageFile(result);
160 }
161 }
162 }
163 else
164 {
165 warn_doc_error(context.fileName,tokenizer.getLineNr(),
166 "could not open image {}",fileName);
167 }
168
169 if (type==DocImage::Latex && Config_getBool(USE_PDFLATEX) &&
170 fd->name().endsWith(".eps")
171 )
172 { // we have an .eps image in pdflatex mode => convert it to a pdf.
173 QCString outputDir = Config_getString(LATEX_OUTPUT);
174 QCString baseName = fd->name().left(fd->name().length()-4);
175 QCString epstopdfArgs(4096, QCString::ExplicitSize);
176 epstopdfArgs.sprintf("\"%s/%s.eps\" --outfile=\"%s/%s.pdf\"",
177 qPrint(outputDir), qPrint(baseName),
178 qPrint(outputDir), qPrint(baseName));
179 if (Portable::system("epstopdf",epstopdfArgs)!=0)
180 {
181 err("Problems running epstopdf. Check your TeX installation!\n");
182 }
183 else
184 {
185 Dir().remove(outputDir.str()+"/"+baseName.str()+".eps");
186 }
187 return baseName;
188 }
189 }
190 else
191 {
192 result=fileName;
193 if (!result.startsWith("http:") && !result.startsWith("https:") && doWarn)
194 {
195 warn_doc_error(context.fileName,tokenizer.getLineNr(),
196 "image file {} is not found in IMAGE_PATH: "
197 "assuming external image.",fileName
198 );
199 }
200 }
201 return result;
202}
203
204/*! Collects the parameters found with \@param command
205 * in a list context.paramsFound. If
206 * the parameter is not an actual parameter of the current
207 * member context.memberDef, then a warning is raised (unless warnings
208 * are disabled altogether).
209 */
211{
212 if (!(Config_getBool(WARN_IF_DOC_ERROR) || Config_getBool(WARN_IF_INCOMPLETE_DOC))) return;
213 if (context.memberDef==nullptr) return; // not a member
214 std::string name = context.token->name.str();
215 const ArgumentList &al=context.memberDef->isDocsForDefinition() ?
216 context.memberDef->argumentList() :
217 context.memberDef->declArgumentList();
218 SrcLangExt lang = context.memberDef->getLanguage();
219 context.numParameters = static_cast<int>(al.size());
220 //printf("isDocsForDefinition()=%d\n",context.memberDef->isDocsForDefinition());
221 if (al.empty()) return; // no argument list
222
223 static const reg::Ex re(R"(\$?\w+\.*)");
224 static const reg::Ex re_digits(R"(\d+)");
225 reg::Iterator it(name,re);
227 for (; it!=end ; ++it)
228 {
229 const auto &match = *it;
230 QCString aName=match.str();
231 int number = reg::match(aName.view(),re_digits) ? std::atoi(aName.data()) : -1;
232 if (lang==SrcLangExt::Fortran) aName=aName.lower();
233 //printf("aName='%s'\n",qPrint(aName));
234 bool found=FALSE;
235 int position=1;
236 for (const Argument &a : al)
237 {
238 QCString argName = context.memberDef->isDefine() ? a.type : a.name;
239 if (lang==SrcLangExt::Fortran) argName=argName.lower();
240 argName=argName.stripWhiteSpace();
241 //printf("argName='%s' aName=%s\n",qPrint(argName),qPrint(aName));
242 if (argName.endsWith("...")) argName=argName.left(argName.length()-3);
243 bool sameName = aName==argName;
244 bool samePosition = position==number;
245 if (samePosition || sameName) // @param <number> or @param name
246 {
247 if (!sameName) // replace positional argument with real name or -
248 {
249 context.token->name = argName.isEmpty() ? "-" : argName;
250 }
251 context.paramsFound.insert(aName.str());
252 found=true;
253 break;
254 }
255 else if (aName==".") // replace . by - in the output
256 {
257 context.token->name = "-";
258 }
259 position++;
260 }
261 if (!found)
262 {
263 //printf("member type=%d\n",context.memberDef->memberType());
264 QCString scope=context.memberDef->getScopeString();
265 if (!scope.isEmpty()) scope+="::"; else scope="";
266 QCString inheritedFrom = "";
267 QCString docFile = context.memberDef->docFile();
268 int docLine = context.memberDef->docLine();
269 const MemberDef *inheritedMd = context.memberDef->inheritsDocsFrom();
270 if (inheritedMd) // documentation was inherited
271 {
272 inheritedFrom.sprintf(" inherited from member %s at line "
273 "%d in file %s",qPrint(inheritedMd->name()),
274 inheritedMd->docLine(),qPrint(inheritedMd->docFile()));
275 docFile = context.memberDef->getDefFileName();
276 docLine = context.memberDef->getDefLine();
277 }
278 QCString alStr = argListToString(al);
279 if (number==0)
280 {
281 warn_doc_error(docFile,docLine,
282 "positional argument with value '0' of command @param "
283 "is invalid, first parameter has index '1' for {}{}{}{}",
284 scope, context.memberDef->name(),
285 alStr, inheritedFrom);
286 context.token->name = "-";
287 }
288 else if (number>0)
289 {
290 warn_doc_error(docFile,docLine,
291 "positional argument '{}' of command @param "
292 "is larger than the number of parameters ({}) for {}{}{}{}",
293 number, al.size(), scope, context.memberDef->name(),
294 alStr, inheritedFrom);
295 context.token->name = "-";
296 }
297 else
298 {
299 warn_doc_error(docFile,docLine,
300 "argument '{}' of command @param "
301 "is not found in the argument list of {}{}{}{}",
302 aName, scope, context.memberDef->name(),
303 alStr, inheritedFrom);
304 }
305 }
306 }
307}
308/*! Collects the return values found with \@retval command
309 * in a global list g_parserContext.retvalsFound.
310 */
312{
313 QCString name = context.token->name;
314 if (!Config_getBool(WARN_IF_DOC_ERROR)) return;
315 if (context.memberDef==nullptr || name.isEmpty()) return; // not a member or no valid name
316 if (context.retvalsFound.count(name.str())==1) // only report the first double entry
317 {
318 warn_doc_error(context.memberDef->getDefFileName(),
319 context.memberDef->getDefLine(),
320 "return value '{}' of {} has multiple documentation sections",
321 name, context.memberDef->qualifiedName());
322 }
323 context.retvalsFound.insert(name.str());
324}
325
326/*! Checks if the parameters that have been specified using \@param are
327 * indeed all parameters and that a parameter does not have multiple
328 * \@param blocks.
329 * Must be called after checkArgumentName() has been called for each
330 * argument.
331 */
333{
334 if (context.memberDef && context.hasParamCommand)
335 {
336 const ArgumentList &al=context.memberDef->isDocsForDefinition() ?
337 context.memberDef->argumentList() :
338 context.memberDef->declArgumentList();
339 SrcLangExt lang = context.memberDef->getLanguage();
340 if (!al.empty())
341 {
342 ArgumentList undocParams;
343 int position = 1;
344 for (const Argument &a: al)
345 {
346 QCString argName = context.memberDef->isDefine() ? a.type : a.name;
347 if (lang==SrcLangExt::Fortran) argName = argName.lower();
348 argName=argName.stripWhiteSpace();
349 QCString aName = argName;
350 if (argName.endsWith("...")) argName=argName.left(argName.length()-3);
351 if (lang==SrcLangExt::Python && (argName=="self" || argName=="cls"))
352 {
353 // allow undocumented self / cls parameter for Python
354 }
355 else if (lang==SrcLangExt::Cpp && (a.type=="this" || a.type.startsWith("this ")))
356 {
357 // allow undocumented this (for C++23 deducing this), see issue #11123
358 }
359 else if (!argName.isEmpty())
360 {
361 size_t count_named = context.paramsFound.count(argName.str());
362 size_t count_positional = context.paramsFound.count(std::to_string(position));
363 if (count_named==0 && count_positional==0 && a.docs.isEmpty())
364 {
365 undocParams.push_back(a);
366 }
367 else if (count_named==1 && count_positional==1 && Config_getBool(WARN_IF_DOC_ERROR))
368 {
369 warn_doc_error(context.memberDef->docFile(),
370 context.memberDef->docLine(),
371 "argument {} from the argument list of {} has both named and positional @param documentation sections",
372 aName, context.memberDef->qualifiedName());
373 }
374 else if (count_named+count_positional>1 && Config_getBool(WARN_IF_DOC_ERROR))
375 {
376 warn_doc_error(context.memberDef->docFile(),
377 context.memberDef->docLine(),
378 "argument {} from the argument list of {} has multiple @param documentation sections",
379 aName, context.memberDef->qualifiedName());
380 }
381 }
382 position++;
383 }
384 if (!undocParams.empty() && Config_getBool(WARN_IF_INCOMPLETE_DOC))
385 {
386 bool first=TRUE;
387 QCString errMsg = "The following parameter";
388 if (undocParams.size()>1) errMsg+="s";
389 errMsg+=QCString(" of ")+
390 context.memberDef->qualifiedName() +
391 argListToString(al) +
392 (undocParams.size()>1 ? " are" : " is") + " not documented:\n";
393 for (const Argument &a : undocParams)
394 {
395 QCString argName = context.memberDef->isDefine() ? a.type : a.name;
396 if (lang==SrcLangExt::Fortran) argName = argName.lower();
397 argName=argName.stripWhiteSpace();
398 if (!first) errMsg+="\n";
399 first=FALSE;
400 errMsg+=" parameter '"+argName+"'";
401 }
402 warn_incomplete_doc(context.memberDef->docFile(), context.memberDef->docLine(), "{}", errMsg);
403 }
404
405 if (Config_getBool(WARN_IF_DOC_ERROR) && context.paramPosition-1 > context.numParameters)
406 {
407 warn_doc_error(context.memberDef->docFile(),
408 context.memberDef->docLine(),
409 "too many @param commands for function {}. Found {} while function has {} parameter{}",
410 context.memberDef->qualifiedName(), context.paramPosition-1, context.numParameters, context.numParameters!=1?"s":"");
411 }
412 }
413 else
414 {
415 if (context.paramsFound.empty() && Config_getBool(WARN_IF_DOC_ERROR))
416 {
417 warn_doc_error(context.memberDef->docFile(),
418 context.memberDef->docLine(),
419 "{} has @param documentation sections but no arguments",
420 context.memberDef->qualifiedName());
421 }
422 }
423 }
424}
425
426
427//---------------------------------------------------------------------------
428
429//---------------------------------------------------------------------------
430
431//---------------------------------------------------------------------------
432/*! Looks for a documentation block with name commandName in the current
433 * context (g_parserContext.context). The resulting documentation string is
434 * put in pDoc, the definition in which the documentation was found is
435 * put in pDef.
436 * @retval TRUE if name was found.
437 * @retval FALSE if name was not found.
438 */
440 QCString *pDoc,
441 QCString *pBrief,
442 const Definition **pDef)
443{
444 AUTO_TRACE("commandName={}",commandName);
445 *pDoc="";
446 *pBrief="";
447 *pDef=nullptr;
448 QCString cmdArg=commandName;
449 if (cmdArg.isEmpty())
450 {
451 AUTO_TRACE_EXIT("empty");
452 return false;
453 }
454
455 const FileDef *fd=nullptr;
456 const GroupDef *gd=nullptr;
457 const PageDef *pd=nullptr;
458 gd = Doxygen::groupLinkedMap->find(cmdArg);
459 if (gd) // group
460 {
461 *pDoc=gd->documentation();
462 *pBrief=gd->briefDescription();
463 *pDef=gd;
464 AUTO_TRACE_EXIT("group");
465 return true;
466 }
467 pd = Doxygen::pageLinkedMap->find(cmdArg);
468 if (pd) // page
469 {
470 *pDoc=pd->documentation();
471 *pBrief=pd->briefDescription();
472 *pDef=pd;
473 AUTO_TRACE_EXIT("page");
474 return true;
475 }
476 bool ambig = false;
477 fd = findFileDef(Doxygen::inputNameLinkedMap,cmdArg,ambig);
478 if (fd && !ambig) // file
479 {
480 *pDoc=fd->documentation();
481 *pBrief=fd->briefDescription();
482 *pDef=fd;
483 AUTO_TRACE_EXIT("file");
484 return true;
485 }
486
487 // for symbols we need to normalize the separator, so A#B, or A\B, or A.B becomes A::B
488 cmdArg = substitute(cmdArg,"#","::");
489 cmdArg = substitute(cmdArg,"\\","::");
490 bool extractAnonNs = Config_getBool(EXTRACT_ANON_NSPACES);
491 if (extractAnonNs &&
492 cmdArg.startsWith("anonymous_namespace{")
493 )
494 {
495 size_t rightBracePos = cmdArg.find("}", static_cast<int>(qstrlen("anonymous_namespace{")));
496 QCString leftPart = cmdArg.left(rightBracePos + 1);
497 QCString rightPart = cmdArg.right(cmdArg.size() - rightBracePos - 1);
498 rightPart = substitute(rightPart, ".", "::");
499 cmdArg = leftPart + rightPart;
500 }
501 else
502 {
503 cmdArg = substitute(cmdArg,".","::");
504 }
505
506 int l=static_cast<int>(cmdArg.length());
507
508 int funcStart=cmdArg.find('(');
509 if (funcStart==-1)
510 {
511 funcStart=l;
512 }
513 else
514 {
515 // Check for the case of operator() and the like.
516 // beware of scenarios like operator()((foo)bar)
517 int secondParen = cmdArg.find('(', funcStart+1);
518 int leftParen = cmdArg.find(')', funcStart+1);
519 if (leftParen!=-1 && secondParen!=-1)
520 {
521 if (leftParen<secondParen)
522 {
523 funcStart=secondParen;
524 }
525 }
526 }
527
528 QCString name=removeRedundantWhiteSpace(cmdArg.left(funcStart));
529 QCString args=cmdArg.right(l-funcStart);
530 // try if the link is to a member
531 GetDefInput input(
532 context.context.find('.')==-1 ? context.context : QCString(), // find('.') is a hack to detect files
533 name,
534 args);
535 input.checkCV=true;
536 GetDefResult result = getDefs(input);
537 //printf("found=%d context=%s name=%s\n",result.found,qPrint(context.context),qPrint(name));
538 if (result.found && result.md)
539 {
540 *pDoc=result.md->documentation();
541 *pBrief=result.md->briefDescription();
542 *pDef=result.md;
543 AUTO_TRACE_EXIT("member");
544 return true;
545 }
546
547 int scopeOffset=static_cast<int>(context.context.length());
548 do // for each scope
549 {
550 QCString fullName=cmdArg;
551 if (scopeOffset>0)
552 {
553 fullName.prepend(context.context.left(scopeOffset)+"::");
554 }
555 //printf("Trying fullName='%s'\n",qPrint(fullName));
556
557 // try class, namespace, group, page, file reference
558 const ClassDef *cd = Doxygen::classLinkedMap->find(fullName);
559 if (cd) // class
560 {
561 *pDoc=cd->documentation();
562 *pBrief=cd->briefDescription();
563 *pDef=cd;
564 AUTO_TRACE_EXIT("class");
565 return true;
566 }
567 const NamespaceDef *nd = Doxygen::namespaceLinkedMap->find(fullName);
568 if (nd) // namespace
569 {
570 *pDoc=nd->documentation();
571 *pBrief=nd->briefDescription();
572 *pDef=nd;
573 AUTO_TRACE_EXIT("namespace");
574 return true;
575 }
576 if (scopeOffset==0)
577 {
578 scopeOffset=-1;
579 }
580 else
581 {
582 scopeOffset = context.context.findRev("::",scopeOffset-1);
583 if (scopeOffset==-1) scopeOffset=0;
584 }
585 } while (scopeOffset>=0);
586
587 AUTO_TRACE_EXIT("not found");
588 return FALSE;
589}
590
591//---------------------------------------------------------------------------
593 DocNodeList &children,const QCString &txt)
594{
595 switch (tok.value())
596 {
597 case TokenRetval::TK_COMMAND_AT:
598 // fall through
599 case TokenRetval::TK_COMMAND_BS:
600 {
601 char cs[2] = { tok.command_to_char(), 0 };
602 children.append<DocWord>(this,parent,cs + context.token->name);
603 warn_doc_error(context.fileName,tokenizer.getLineNr(),"Illegal command '{:c}{}' found as part of a {}",
604 tok.command_to_char(),context.token->name,txt);
605 }
606 break;
607 case TokenRetval::TK_SYMBOL:
608 warn_doc_error(context.fileName,tokenizer.getLineNr(),"Unsupported symbol '{}' found as part of a {}",
609 qPrint(context.token->name), qPrint(txt));
610 break;
611 case TokenRetval::TK_HTMLTAG:
612 warn_doc_error(context.fileName,tokenizer.getLineNr(),"Unsupported HTML tag <{}{}> found as part of a {}",
613 context.token->endTag ? "/" : "",context.token->name, txt);
614 break;
615 default:
616 children.append<DocWord>(this,parent,context.token->name);
617 warn_doc_error(context.fileName,tokenizer.getLineNr(),"Unexpected token {} found as part of a {}",
618 tok.to_string(), txt);
619 break;
620 }
621}
622
623//---------------------------------------------------------------------------
624
626{
627 AUTO_TRACE("cmdName={}",cmdName);
628 QCString saveCmdName = cmdName;
629 Token tok=tokenizer.lex();
630 if (!tok.is(TokenRetval::TK_WHITESPACE))
631 {
632 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after \\{} command",
633 saveCmdName);
634 return tok;
635 }
636 tok = tokenizer.lex();
637 while (!tok.is_any_of(TokenRetval::TK_NONE, TokenRetval::TK_EOF, TokenRetval::TK_WHITESPACE,
638 TokenRetval::TK_NEWPARA, TokenRetval::TK_LISTITEM, TokenRetval::TK_ENDLIST)
639 )
640 {
641 static const reg::Ex specialChar(R"([.,|()\‍[\‍]:;?])");
642 if (tok.is(TokenRetval::TK_WORD) && context.token->name.length()==1 &&
643 reg::match(context.token->name.str(),specialChar))
644 {
645 // special character that ends the markup command
646 return tok;
647 }
648 if (!defaultHandleToken(parent,tok,children))
649 {
650 switch (tok.value())
651 {
652 case TokenRetval::TK_HTMLTAG:
653 if (insideLI(parent) && Mappers::htmlTagMapper->map(context.token->name)!=HtmlTagType::UNKNOWN && context.token->endTag)
654 {
655 // ignore </li> as the end of a style command
656 }
657 else
658 {
659 AUTO_TRACE_EXIT("end tok={}",tok.to_string());
660 return tok;
661 }
662 break;
663 default:
664 errorHandleDefaultToken(parent,tok,children,"\\" + saveCmdName + " command");
665 break;
666 }
667 break;
668 }
669 tok = tokenizer.lex();
670 }
671 AUTO_TRACE_EXIT("end tok={}",tok.to_string());
672 return (tok.is_any_of(TokenRetval::TK_NEWPARA,TokenRetval::TK_LISTITEM,TokenRetval::TK_ENDLIST)) ? tok : Token::make_RetVal_OK();
673}
674
675/*! Called when a style change starts. For instance a <b> command is
676 * encountered.
677 */
679 DocStyleChange::Style s,const QCString &tagName,const HtmlAttribList *attribs)
680{
681 AUTO_TRACE("tagName={}",tagName);
682 children.append<DocStyleChange>(this,parent,context.nodeStack.size(),s,tagName,TRUE,
683 context.fileName,tokenizer.getLineNr(),attribs);
684 context.styleStack.push(&children.back());
686}
687
688/*! Called when a style change ends. For instance a </b> command is
689 * encountered.
690 */
692 DocStyleChange::Style s,const QCString &tagName)
693{
694 AUTO_TRACE("tagName={}",tagName);
695 QCString tagNameLower = QCString(tagName).lower();
696
697 auto topStyleChange = [](const DocStyleChangeStack &stack) -> const DocStyleChange &
698 {
699 return std::get<DocStyleChange>(*stack.top());
700 };
701
702 if (context.styleStack.empty() || // no style change
703 topStyleChange(context.styleStack).style()!=s || // wrong style change
704 topStyleChange(context.styleStack).tagName()!=tagNameLower || // wrong style change
705 topStyleChange(context.styleStack).position()!=context.nodeStack.size() // wrong position
706 )
707 {
708 if (context.styleStack.empty())
709 {
710 warn_doc_error(context.fileName,tokenizer.getLineNr(),"found </{0}> tag without matching <{0}>",tagName);
711 }
712 else if (topStyleChange(context.styleStack).tagName()!=tagNameLower ||
713 topStyleChange(context.styleStack).style()!=s)
714 {
715 warn_doc_error(context.fileName,tokenizer.getLineNr(),"found </{}> tag while expecting </{}>",
716 tagName,topStyleChange(context.styleStack).tagName());
717 }
718 else
719 {
720 warn_doc_error(context.fileName,tokenizer.getLineNr(),"found </{}> at different nesting level ({}) than expected ({})",
721 tagName,context.nodeStack.size(),topStyleChange(context.styleStack).position());
722 }
723 }
724 else // end the section
725 {
726 children.append<DocStyleChange>(
727 this,parent,context.nodeStack.size(),s,
728 topStyleChange(context.styleStack).tagName(),FALSE);
729 context.styleStack.pop();
730 }
732 {
733 context.inCodeStyle = false;
734 }
735}
736
737/*! Called at the end of a paragraph to close all open style changes
738 * (e.g. a <b> without a </b>). The closed styles are pushed onto a stack
739 * and entered again at the start of a new paragraph.
740 */
742{
743 AUTO_TRACE();
744 if (!context.styleStack.empty())
745 {
746 const DocStyleChange *sc = &std::get<DocStyleChange>(*context.styleStack.top());
747 while (sc && sc->position()>=context.nodeStack.size())
748 { // there are unclosed style modifiers in the paragraph
749 children.append<DocStyleChange>(this,parent,context.nodeStack.size(),
750 sc->style(),sc->tagName(),FALSE);
751 context.initialStyleStack.push(context.styleStack.top());
752 context.styleStack.pop();
753 sc = !context.styleStack.empty() ? &std::get<DocStyleChange>(*context.styleStack.top()) : nullptr;
754 }
755 }
756}
757
759{
760 AUTO_TRACE();
761 while (!context.initialStyleStack.empty())
762 {
763 const DocStyleChange &sc = std::get<DocStyleChange>(*context.initialStyleStack.top());
764 handleStyleEnter(parent,children,sc.style(),sc.tagName(),&sc.attribs());
765 context.initialStyleStack.pop();
766 }
767}
768
770 const HtmlAttribList &tagHtmlAttribs)
771{
772 AUTO_TRACE();
773 size_t index=0;
774 Token retval = Token::make_RetVal_OK();
775 for (const auto &opt : tagHtmlAttribs)
776 {
777 if (opt.name=="name" || opt.name=="id") // <a name=label> or <a id=label> tag
778 {
779 if (!opt.value.isEmpty())
780 {
781 children.append<DocAnchor>(this,parent,opt.value,TRUE);
782 break; // stop looking for other tag attribs
783 }
784 else
785 {
786 warn_doc_error(context.fileName,tokenizer.getLineNr(),"found <a> tag with name option but without value!");
787 }
788 }
789 else if (opt.name=="href") // <a href=url>..</a> tag
790 {
791 // copy attributes
792 HtmlAttribList attrList = tagHtmlAttribs;
793 // and remove the href attribute
794 attrList.erase(attrList.begin()+index);
795 QCString relPath;
796 if (opt.value.at(0) != '#') relPath = context.relPath;
797 children.append<DocHRef>(this, parent, attrList,
798 opt.value, relPath,
799 convertNameToFile(context.fileName, FALSE, TRUE));
800 context.insideHtmlLink=TRUE;
801 retval = children.get_last<DocHRef>()->parse();
802 context.insideHtmlLink=FALSE;
803 tokenizer.setStatePara();
804 break;
805 }
806 else // unsupported option for tag a
807 {
808 }
809 ++index;
810 }
811 return retval;
812}
813
815{
816 AUTO_TRACE();
817 if (!context.initialStyleStack.empty())
818 {
819 QCString tagName = std::get<DocStyleChange>(*context.initialStyleStack.top()).tagName();
820 QCString fileName = std::get<DocStyleChange>(*context.initialStyleStack.top()).fileName();
821 int lineNr = std::get<DocStyleChange>(*context.initialStyleStack.top()).lineNr();
822 context.initialStyleStack.pop();
824 if (lineNr != -1)
825 {
826 warn_doc_error(context.fileName,tokenizer.getLineNr(),
827 "end of comment block while expecting "
828 "command </{}> (Probable start '{}' at line {})",tagName, fileName, lineNr);
829 }
830 else
831 {
832 warn_doc_error(context.fileName,tokenizer.getLineNr(),
833 "end of comment block while expecting command </{}>",tagName);
834 }
835 }
836}
837
838void DocParser::handleLinkedWord(DocNodeVariant *parent,DocNodeList &children,bool ignoreAutoLinkFlag)
839{
840 // helper to check if word w starts with any of the words in AUTOLINK_IGNORE_WORDS
841 auto ignoreWord = [](const QCString &w) -> bool {
842 const auto &list = Config_getList(AUTOLINK_IGNORE_WORDS);
843 return std::find_if(list.begin(), list.end(),
844 [&w](const auto &ignore) { return w.startsWith(ignore); }
845 )!=list.end();
846 };
847 QCString name = linkToText(context.lang,context.token->name,TRUE);
848 AUTO_TRACE("word={}",name);
849 if (!context.autolinkSupport || ignoreAutoLinkFlag || ignoreWord(context.token->name)) // no autolinking -> add as normal word
850 {
851 children.append<DocWord>(this,parent,name);
852 return;
853 }
854
855 // ------- try to turn the word 'name' into a link
856
857 const Definition *compound=nullptr;
858 const MemberDef *member=nullptr;
859 size_t len = context.token->name.length();
860 ClassDef *cd=nullptr;
861 bool ambig = false;
863 auto lang = context.lang;
864 bool inSeeBlock = context.inSeeBlock || context.inCodeStyle;
865 //printf("handleLinkedWord(%s) context.context=%s\n",qPrint(context.token->name),qPrint(context.context));
866 if (!context.insideHtmlLink &&
867 (resolveRef(context.context,context.token->name,inSeeBlock,&compound,&member,lang,TRUE,fd,TRUE)
868 || (!context.context.isEmpty() && // also try with global scope
869 resolveRef(QCString(),context.token->name,inSeeBlock,&compound,&member,lang,FALSE,nullptr,TRUE))
870 )
871 )
872 {
873 //printf("ADD %s = %p (linkable?=%d)\n",qPrint(context.token->name),(void*)member,member ? member->isLinkable() : FALSE);
874 if (member && member->isLinkable()) // member link
875 {
876 AUTO_TRACE_ADD("resolved reference as member link");
877 if (member->isObjCMethod())
878 {
879 bool localLink = context.memberDef ? member->getClassDef()==context.memberDef->getClassDef() : FALSE;
880 name = member->objCMethodName(localLink,inSeeBlock);
881 }
882 children.append<DocLinkedWord>(
883 this,parent,name,
884 member->getReference(),
885 member->getOutputFileBase(),
886 member->anchor(),
887 member->briefDescriptionAsTooltip());
888 }
889 else if (compound->isLinkable()) // compound link
890 {
891 AUTO_TRACE_ADD("resolved reference as compound link");
892 QCString anchor = compound->anchor();
893 if (compound->definitionType()==Definition::TypeFile)
894 {
895 name=context.token->name;
896 }
897 else if (compound->definitionType()==Definition::TypeGroup)
898 {
899 name=toGroupDef(compound)->groupTitle();
900 }
901 children.append<DocLinkedWord>(
902 this,parent,name,
903 compound->getReference(),
904 compound->getOutputFileBase(),
905 anchor,
906 compound->briefDescriptionAsTooltip());
907 }
908 else if (compound->definitionType()==Definition::TypeFile &&
909 (toFileDef(compound))->generateSourceFile()
910 ) // undocumented file that has source code we can link to
911 {
912 AUTO_TRACE_ADD("resolved reference as source link");
913 children.append<DocLinkedWord>(
914 this,parent,context.token->name,
915 compound->getReference(),
916 compound->getSourceFileBase(),
917 "",
918 compound->briefDescriptionAsTooltip());
919 }
920 else // not linkable
921 {
922 AUTO_TRACE_ADD("resolved reference as unlinkable compound={} (linkable={}) member={} (linkable={})",
923 compound ? compound->name() : "<none>", compound ? (int)compound->isLinkable() : -1,
924 member ? member->name() : "<none>", member ? (int)member->isLinkable() : -1);
925 children.append<DocWord>(this,parent,name);
926 }
927 }
928 else if (!context.insideHtmlLink && len>1 && context.token->name.at(len-1)==':')
929 {
930 // special case, where matching Foo: fails to be an Obj-C reference,
931 // but Foo itself might be linkable.
932 context.token->name=context.token->name.left(len-1);
933 handleLinkedWord(parent,children,ignoreAutoLinkFlag);
934 children.append<DocWord>(this,parent,":");
935 }
936 else if (!context.insideHtmlLink && (cd=getClass(context.token->name+"-p")))
937 {
938 // special case 2, where the token name is not a class, but could
939 // be a Obj-C protocol
940 children.append<DocLinkedWord>(
941 this,parent,name,
942 cd->getReference(),
943 cd->getOutputFileBase(),
944 cd->anchor(),
946 }
947 else if (const RequirementIntf *req = RequirementManager::instance().find(name); req!=nullptr) // link to requirement
948 {
949 if (Config_getBool(GENERATE_REQUIREMENTS))
950 {
951 children.append<DocLinkedWord>(
952 this,parent,name,
953 QCString(), // link to local requirements overview also for external references
954 req->getOutputFileBase(),
955 req->id(),
956 req->title()
957 );
958 }
959 else // cannot link to a page that does not exist
960 {
961 children.append<DocWord>(this,parent,name);
962 }
963 }
964 else // normal non-linkable word
965 {
966 AUTO_TRACE_ADD("non-linkable");
967 if (context.token->name.startsWith("#"))
968 {
969 warn_doc_error(context.fileName,tokenizer.getLineNr(),"explicit link request to '{}' could not be resolved",name);
970 }
971 children.append<DocWord>(this,parent,context.token->name);
972 }
973}
974
976{
977 QCString name = context.token->name; // save token name
978 AUTO_TRACE("name={}",name);
979 QCString name1;
980 int p=0, i=0, ii=0;
981 while ((i=paramTypes.find('|',p))!=-1)
982 {
983 name1 = paramTypes.mid(p,i-p);
984 ii=name1.find('[');
985 context.token->name=ii!=-1 ? name1.mid(0,ii) : name1; // take part without []
986 handleLinkedWord(parent,children);
987 if (ii!=-1) children.append<DocWord>(this,parent,name1.mid(ii)); // add [] part
988 p=i+1;
989 children.append<DocSeparator>(this,parent,"|");
990 }
991 name1 = paramTypes.mid(p);
992 ii=name1.find('[');
993 context.token->name=ii!=-1 ? name1.mid(0,ii) : name1;
994 handleLinkedWord(parent,children);
995 if (ii!=-1) children.append<DocWord>(this,parent,name1.mid(ii));
996 context.token->name = name; // restore original token name
997}
998
1000{
1001 Token tok=tokenizer.lex();
1002 QCString tokenName = context.token->name;
1003 AUTO_TRACE("name={}",tokenName);
1004 if (!tok.is(TokenRetval::TK_WHITESPACE))
1005 {
1006 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after \\{} command", tokenName);
1007 return;
1008 }
1009 tokenizer.setStateInternalRef();
1010 tok=tokenizer.lex(); // get the reference id
1011 if (!tok.is_any_of(TokenRetval::TK_WORD,TokenRetval::TK_LNKWORD))
1012 {
1013 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected token {} as the argument of {}",
1014 tok.to_string(),tokenName);
1015 return;
1016 }
1017 children.append<DocInternalRef>(this,parent,context.token->name);
1018 children.get_last<DocInternalRef>()->parse();
1019}
1020
1022{
1023 AUTO_TRACE();
1024 Token tok=tokenizer.lex();
1025 if (!tok.is(TokenRetval::TK_WHITESPACE))
1026 {
1027 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after \\{} command",
1028 context.token->name);
1029 return;
1030 }
1031 tokenizer.setStateAnchor();
1032 tok=tokenizer.lex();
1033 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1034 {
1035 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected end of comment block while parsing the "
1036 "argument of command {}",context.token->name);
1037 return;
1038 }
1039 else if (!tok.is_any_of(TokenRetval::TK_WORD,TokenRetval::TK_LNKWORD))
1040 {
1041 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected token {} as the argument of {}",
1042 tok.to_string(),context.token->name);
1043 return;
1044 }
1045 tokenizer.setStatePara();
1046 children.append<DocAnchor>(this,parent,context.token->name,FALSE);
1047}
1048
1050{
1051 AUTO_TRACE();
1052 Token tok=tokenizer.lex();
1053 if (!tok.is(TokenRetval::TK_WHITESPACE))
1054 {
1055 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after \\{} command", context.token->name);
1056 return;
1057 }
1058 tokenizer.setStatePrefix();
1059 tok=tokenizer.lex();
1060 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1061 {
1062 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected end of comment block while parsing the "
1063 "argument of command {}",context.token->name);
1064 return;
1065 }
1066 else if (!tok.is(TokenRetval::TK_WORD))
1067 {
1068 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected token {} as the argument of {}",
1069 tok.to_string(),context.token->name);
1070 return;
1071 }
1072 context.prefix = context.token->name;
1073 tokenizer.setStatePara();
1074}
1075
1076/* Helper function that deals with the title, width, and height arguments of various commands.
1077 * @param[in] cmd Command id for which to extract caption and size info.
1078 * @param[in] parent Parent node, owner of the children list passed as
1079 * the third argument.
1080 * @param[in] children The list of child nodes to which the node representing
1081 * the token can be added.
1082 * @param[out] width the extracted width specifier
1083 * @param[out] height the extracted height specifier
1084 */
1086{
1087 AUTO_TRACE();
1088 auto ns = AutoNodeStack(this,parent);
1089
1090 // parse title
1091 tokenizer.setStateTitle();
1092 Token tok = tokenizer.lex();
1093 while (!tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1094 {
1095 if (tok.is(TokenRetval::TK_WORD) && (context.token->name=="width=" || context.token->name=="height="))
1096 {
1097 // special case: no title, but we do have a size indicator
1098 break;
1099 }
1100 else if (tok.is(TokenRetval::TK_HTMLTAG))
1101 {
1102 tokenizer.unputString(context.token->text);
1103 break;
1104 }
1105 if (!defaultHandleToken(parent,tok,children))
1106 {
1107 errorHandleDefaultToken(parent,tok,children,Mappers::cmdMapper->find(cmd));
1108 }
1109 tok = tokenizer.lex();
1110 }
1111 // parse size attributes
1112 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1113 {
1114 tok=tokenizer.lex();
1115 }
1116 while (tok.is_any_of(TokenRetval::TK_WHITESPACE,TokenRetval::TK_WORD,TokenRetval::TK_HTMLTAG)) // there are values following the title
1117 {
1118 if (tok.is(TokenRetval::TK_WORD))
1119 {
1120 if (context.token->name=="width=" || context.token->name=="height=")
1121 {
1122 tokenizer.setStateTitleAttrValue();
1123 context.token->name = context.token->name.left(context.token->name.length()-1);
1124 }
1125
1126 if (context.token->name=="width")
1127 {
1128 width = context.token->chars;
1129 }
1130 else if (context.token->name=="height")
1131 {
1132 height = context.token->chars;
1133 }
1134 else // other text after the title -> treat as normal text
1135 {
1136 tokenizer.unputString(context.token->name);
1137 //warn_doc_error(context.fileName,tokenizer.getLineNr(),"Unknown option '{}' after \\{} command, expected 'width' or 'height'",
1138 // context.token->name, Mappers::cmdMapper->find(cmd));
1139 break;
1140 }
1141 }
1142
1143 tok=tokenizer.lex();
1144 // if we found something we did not expect, push it back to the stream
1145 // so it can still be processed
1146 if (tok.is_any_of(TokenRetval::TK_COMMAND_AT,TokenRetval::TK_COMMAND_BS))
1147 {
1148 tokenizer.unputString(context.token->name);
1149 tokenizer.unputString(tok.is(TokenRetval::TK_COMMAND_AT) ? "@" : "\\");
1150 break;
1151 }
1152 else if (tok.is(TokenRetval::TK_SYMBOL))
1153 {
1154 tokenizer.unputString(context.token->name);
1155 break;
1156 }
1157 else if (tok.is(TokenRetval::TK_HTMLTAG))
1158 {
1159 tokenizer.unputString(context.token->text);
1160 break;
1161 }
1162 }
1163 tokenizer.setStatePara();
1164
1166 AUTO_TRACE_EXIT("width={} height={}",width,height);
1167}
1168
1170{
1171 AUTO_TRACE();
1172 bool inlineImage = false;
1173 QCString anchorStr;
1174
1175 Token tok=tokenizer.lex();
1176 if (!tok.is(TokenRetval::TK_WHITESPACE))
1177 {
1178 if (tok.is(TokenRetval::TK_WORD))
1179 {
1180 if (context.token->name == "{")
1181 {
1182 tokenizer.setStateOptions();
1183 tokenizer.lex();
1184 tokenizer.setStatePara();
1185 StringVector optList=split(context.token->name.str(),",");
1186 for (const auto &opt : optList)
1187 {
1188 if (opt.empty()) continue;
1189 QCString locOpt(opt);
1190 QCString locOptLow;
1191 locOpt = locOpt.stripWhiteSpace();
1192 locOptLow = locOpt.lower();
1193 if (locOptLow == "inline")
1194 {
1195 inlineImage = true;
1196 }
1197 else if (locOptLow.startsWith("anchor:"))
1198 {
1199 if (!anchorStr.isEmpty())
1200 {
1201 warn_doc_error(context.fileName,tokenizer.getLineNr(),
1202 "multiple use of option 'anchor' for 'image' command, ignoring: '{}'",
1203 locOpt.mid(7));
1204 }
1205 else
1206 {
1207 anchorStr = locOpt.mid(7);
1208 }
1209 }
1210 else
1211 {
1212 warn_doc_error(context.fileName,tokenizer.getLineNr(),
1213 "unknown option '{}' for 'image' command specified",
1214 locOpt);
1215 }
1216 }
1217 tok=tokenizer.lex();
1218 if (!tok.is(TokenRetval::TK_WHITESPACE))
1219 {
1220 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after \\image command");
1221 return;
1222 }
1223 }
1224 }
1225 else
1226 {
1227 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after \\image command");
1228 return;
1229 }
1230 }
1231 tok=tokenizer.lex();
1232 if (!tok.is_any_of(TokenRetval::TK_WORD,TokenRetval::TK_LNKWORD))
1233 {
1234 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected token {} as the argument of \\image",
1235 tok.to_string());
1236 return;
1237 }
1238 tok=tokenizer.lex();
1239 if (!tok.is(TokenRetval::TK_WHITESPACE))
1240 {
1241 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after \\image command");
1242 return;
1243 }
1245 QCString imgType = context.token->name.lower();
1246 if (imgType=="html") t=DocImage::Html;
1247 else if (imgType=="latex") t=DocImage::Latex;
1248 else if (imgType=="docbook") t=DocImage::DocBook;
1249 else if (imgType=="rtf") t=DocImage::Rtf;
1250 else if (imgType=="xml") t=DocImage::Xml;
1251 else
1252 {
1253 warn_doc_error(context.fileName,tokenizer.getLineNr(),"output format `{}` specified as the first argument of "
1254 "\\image command is not valid", imgType);
1255 return;
1256 }
1257 tokenizer.setStateFile();
1258 tok=tokenizer.lex();
1259 tokenizer.setStatePara();
1260 if (!tok.is(TokenRetval::TK_WORD))
1261 {
1262 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected token {} as the argument of \\image", tok.to_string());
1263 return;
1264 }
1265 if (!anchorStr.isEmpty())
1266 {
1267 children.append<DocAnchor>(this,parent,anchorStr,true);
1268 }
1269 HtmlAttribList attrList;
1270 children.append<DocImage>(this,parent,attrList,
1271 findAndCopyImage(context.token->name,t),t,"",inlineImage);
1272 children.get_last<DocImage>()->parse();
1273}
1274
1275void DocParser::handleRef(DocNodeVariant *parent, DocNodeList &children, char cmdChar, const QCString &cmdName)
1276{
1277 AUTO_TRACE("cmdName={}",cmdName);
1278 QCString saveCmdName = cmdName;
1279 tokenizer.pushState();
1280 Token tok=tokenizer.lex();
1281 if (!tok.is(TokenRetval::TK_WHITESPACE))
1282 {
1283 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after '{:c}{}' command",
1284 cmdChar,qPrint(saveCmdName));
1285 goto endref;
1286 }
1287 tokenizer.setStateRef();
1288 tok=tokenizer.lex(); // get the reference id
1289 if (!tok.is(TokenRetval::TK_WORD))
1290 {
1291 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected token {} as the argument of '{:c}{}'",
1292 tok.to_string(),cmdChar,saveCmdName);
1293 goto endref;
1294 }
1295 children.append<DocRef>(this,parent,
1296 context.token->name,
1297 context.context);
1298 children.get_last<DocRef>()->parse(cmdChar,saveCmdName);
1299endref:
1300 tokenizer.popState();
1301}
1302
1303void DocParser::handleIFile(char cmdChar,const QCString &cmdName)
1304{
1305 AUTO_TRACE();
1306 Token tok=tokenizer.lex();
1307 if (!tok.is(TokenRetval::TK_WHITESPACE))
1308 {
1309 warn_doc_error(context.fileName,tokenizer.getLineNr(),"expected whitespace after '{:c}{}' command",
1310 cmdChar,cmdName);
1311 return;
1312 }
1313 tokenizer.setStateFile();
1314 tok=tokenizer.lex();
1315 tokenizer.setStatePara();
1316 if (!tok.is(TokenRetval::TK_WORD))
1317 {
1318 warn_doc_error(context.fileName,tokenizer.getLineNr(),"unexpected token {} as the argument of '{:c}{}'",
1319 tok.to_string(),cmdChar,cmdName);
1320 return;
1321 }
1322 context.fileName = context.token->name;
1323 tokenizer.setStatePara();
1324}
1325
1326void DocParser::handleILine(char cmdChar,const QCString &cmdName)
1327{
1328 AUTO_TRACE();
1329 tokenizer.setStateILine();
1330 Token tok = tokenizer.lex();
1331 if (!tok.is(TokenRetval::TK_WORD))
1332 {
1333 warn_doc_error(context.fileName,tokenizer.getLineNr(),"invalid argument for command '{:c}{}'",
1334 cmdChar,cmdName);
1335 return;
1336 }
1337 tokenizer.setStatePara();
1338}
1339
1340/* Helper function that deals with the most common tokens allowed in
1341 * title like sections.
1342 * @param parent Parent node, owner of the children list passed as
1343 * the third argument.
1344 * @param tok The token to process.
1345 * @param children The list of child nodes to which the node representing
1346 * the token can be added.
1347 * @param handleWord Indicates if word token should be processed
1348 * @retval TRUE The token was handled.
1349 * @retval FALSE The token was not handled.
1350 */
1352{
1353 AUTO_TRACE("token={} handleWord={}",tok.to_string(),handleWord);
1354 if (tok.is_any_of(TokenRetval::TK_WORD,TokenRetval::TK_LNKWORD,TokenRetval::TK_SYMBOL,TokenRetval::TK_URL,
1355 TokenRetval::TK_COMMAND_AT,TokenRetval::TK_COMMAND_BS,TokenRetval::TK_HTMLTAG)
1356 )
1357 {
1358 }
1359reparsetoken:
1360 QCString tokenName = context.token->name;
1361 AUTO_TRACE_ADD("tokenName={}",tokenName);
1362 switch (tok.value())
1363 {
1364 case TokenRetval::TK_COMMAND_AT:
1365 // fall through
1366 case TokenRetval::TK_COMMAND_BS:
1367 switch (Mappers::cmdMapper->map(tokenName))
1368 {
1371 break;
1374 break;
1377 break;
1380 break;
1383 break;
1386 break;
1389 break;
1392 break;
1395 break;
1399 break;
1404 break;
1407 break;
1410 break;
1413 break;
1416 break;
1419 break;
1422 break;
1425 break;
1427 {
1428 children.append<DocStyleChange>(this,parent,context.nodeStack.size(),DocStyleChange::Italic,tokenName,TRUE);
1429 tok=handleStyleArgument(parent,children,tokenName);
1430 children.append<DocStyleChange>(this,parent,context.nodeStack.size(),DocStyleChange::Italic,tokenName,FALSE);
1431 if (!tok.is(TokenRetval::TK_WORD)) children.append<DocWhiteSpace>(this,parent," ");
1432 if (tok.is(TokenRetval::TK_NEWPARA)) goto handlepara;
1433 else if (tok.is_any_of(TokenRetval::TK_WORD,TokenRetval::TK_HTMLTAG))
1434 {
1435 AUTO_TRACE_ADD("CommandType::CMD_EMPHASIS: reparsing");
1436 goto reparsetoken;
1437 }
1438 }
1439 break;
1441 {
1442 children.append<DocStyleChange>(this,parent,context.nodeStack.size(),DocStyleChange::Bold,tokenName,TRUE);
1443 tok=handleStyleArgument(parent,children,tokenName);
1444 children.append<DocStyleChange>(this,parent,context.nodeStack.size(),DocStyleChange::Bold,tokenName,FALSE);
1445 if (!tok.is(TokenRetval::TK_WORD)) children.append<DocWhiteSpace>(this,parent," ");
1446 if (tok.is(TokenRetval::TK_NEWPARA)) goto handlepara;
1447 else if (tok.is_any_of(TokenRetval::TK_WORD,TokenRetval::TK_HTMLTAG))
1448 {
1449 AUTO_TRACE_ADD("CommandType::CMD_BOLD: reparsing");
1450 goto reparsetoken;
1451 }
1452 }
1453 break;
1455 {
1456 children.append<DocStyleChange>(this,parent,context.nodeStack.size(),DocStyleChange::Code,tokenName,TRUE);
1457 tok=handleStyleArgument(parent,children,tokenName);
1458 children.append<DocStyleChange>(this,parent,context.nodeStack.size(),DocStyleChange::Code,tokenName,FALSE);
1459 if (!tok.is(TokenRetval::TK_WORD)) children.append<DocWhiteSpace>(this,parent," ");
1460 if (tok.is(TokenRetval::TK_NEWPARA)) goto handlepara;
1461 else if (tok.is_any_of(TokenRetval::TK_WORD,TokenRetval::TK_HTMLTAG))
1462 {
1463 AUTO_TRACE_ADD("CommandType::CMD_CODE: reparsing");
1464 goto reparsetoken;
1465 }
1466 }
1467 break;
1469 {
1470 tokenizer.setStateHtmlOnly();
1471 tok = tokenizer.lex();
1472 children.append<DocVerbatim>(this,parent,context.context,context.token->verb,DocVerbatim::HtmlOnly,context.isExample,context.exampleName,context.token->name=="block");
1473 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1474 {
1475 warn_doc_error(context.fileName,tokenizer.getLineNr(),"htmlonly section ended without end marker");
1476 }
1477 tokenizer.setStatePara();
1478 }
1479 break;
1481 {
1482 tokenizer.setStateManOnly();
1483 tok = tokenizer.lex();
1484 children.append<DocVerbatim>(this,parent,context.context,context.token->verb,DocVerbatim::ManOnly,context.isExample,context.exampleName);
1485 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1486 {
1487 warn_doc_error(context.fileName,tokenizer.getLineNr(),"manonly section ended without end marker");
1488 }
1489 tokenizer.setStatePara();
1490 }
1491 break;
1493 {
1494 tokenizer.setStateRtfOnly();
1495 tok = tokenizer.lex();
1496 children.append<DocVerbatim>(this,parent,context.context,context.token->verb,DocVerbatim::RtfOnly,context.isExample,context.exampleName);
1497 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1498 {
1499 warn_doc_error(context.fileName,tokenizer.getLineNr(),"rtfonly section ended without end marker");
1500 }
1501 tokenizer.setStatePara();
1502 }
1503 break;
1505 {
1506 tokenizer.setStateLatexOnly();
1507 tok = tokenizer.lex();
1508 children.append<DocVerbatim>(this,parent,context.context,context.token->verb,DocVerbatim::LatexOnly,context.isExample,context.exampleName);
1509 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1510 {
1511 warn_doc_error(context.fileName,tokenizer.getLineNr(),"latexonly section ended without end marker");
1512 }
1513 tokenizer.setStatePara();
1514 }
1515 break;
1517 {
1518 tokenizer.setStateXmlOnly();
1519 tok = tokenizer.lex();
1520 children.append<DocVerbatim>(this,parent,context.context,context.token->verb,DocVerbatim::XmlOnly,context.isExample,context.exampleName);
1521 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1522 {
1523 warn_doc_error(context.fileName,tokenizer.getLineNr(),"xmlonly section ended without end marker");
1524 }
1525 tokenizer.setStatePara();
1526 }
1527 break;
1529 {
1530 tokenizer.setStateDbOnly();
1531 tok = tokenizer.lex();
1532 children.append<DocVerbatim>(this,parent,context.context,context.token->verb,DocVerbatim::DocbookOnly,context.isExample,context.exampleName);
1533 if (tok.is_any_of(TokenRetval::TK_NONE,TokenRetval::TK_EOF))
1534 {
1535 warn_doc_error(context.fileName,tokenizer.getLineNr(),"docbookonly section ended without end marker");
1536 }
1537 tokenizer.setStatePara();
1538 }
1539 break;
1541 {
1542 children.append<DocFormula>(this,parent,context.token->id);
1543 }
1544 break;
1547 {
1548 handleAnchor(parent,children);
1549 }
1550 break;
1552 {
1553 handlePrefix(parent,children);
1554 }
1555 break;
1557 {
1558 handleInternalRef(parent,children);
1559 tokenizer.setStatePara();
1560 }
1561 break;
1563 {
1564 tokenizer.setStateSetScope();
1565 (void)tokenizer.lex();
1566 context.context = context.token->name;
1567 //printf("Found scope='%s'\n",qPrint(context.context));
1568 tokenizer.setStatePara();
1569 }
1570 break;
1572 handleImage(parent,children);
1573 break;
1575 handleILine(tok.command_to_char(),tokenName);
1576 break;
1578 handleIFile(tok.command_to_char(),tokenName);
1579 break;
1580 default:
1581 return FALSE;
1582 }
1583 break;
1584 case TokenRetval::TK_HTMLTAG:
1585 {
1586 auto handleEnterLeaveStyle = [this,&parent,&children,&tokenName](DocStyleChange::Style style) {
1587 if (!context.token->endTag)
1588 {
1589 handleStyleEnter(parent,children,style,tokenName,&context.token->attribs);
1590 }
1591 else
1592 {
1593 handleStyleLeave(parent,children,style,tokenName);
1594 }
1595 };
1596 switch (Mappers::htmlTagMapper->map(tokenName))
1597 {
1599 warn_doc_error(context.fileName,tokenizer.getLineNr(),"found <div> tag in heading");
1600 break;
1602 warn_doc_error(context.fileName,tokenizer.getLineNr(),"found <pre> tag in heading");
1603 break;
1605 handleEnterLeaveStyle(DocStyleChange::Span);
1606 break;
1608 handleEnterLeaveStyle(DocStyleChange::Bold);
1609 break;
1611 handleEnterLeaveStyle(DocStyleChange::S);
1612 break;
1614 handleEnterLeaveStyle(DocStyleChange::Strike);
1615 break;
1617 handleEnterLeaveStyle(DocStyleChange::Del);
1618 break;
1620 handleEnterLeaveStyle(DocStyleChange::Underline);
1621 break;
1623 handleEnterLeaveStyle(DocStyleChange::Ins);
1624 break;
1626 case HtmlTagType::XML_C:
1627 handleEnterLeaveStyle(DocStyleChange::Code);
1628 break;
1630 handleEnterLeaveStyle(DocStyleChange::Kbd);
1631 break;
1633 handleEnterLeaveStyle(DocStyleChange::Typewriter);
1634 break;
1636 handleEnterLeaveStyle(DocStyleChange::Italic);
1637 break;
1639 handleEnterLeaveStyle(DocStyleChange::Subscript);
1640 break;
1642 handleEnterLeaveStyle(DocStyleChange::Superscript);
1643 break;
1645 handleEnterLeaveStyle(DocStyleChange::Center);
1646 break;
1648 handleEnterLeaveStyle(DocStyleChange::Small);
1649 break;
1651 handleEnterLeaveStyle(DocStyleChange::Cite);
1652 break;
1654 if (!context.token->endTag)
1655 {
1656 handleImg(parent,children,context.token->attribs);
1657 }
1658 break;
1659 default:
1660 return FALSE;
1661 break;
1662 }
1663 }
1664 break;
1665 case TokenRetval::TK_SYMBOL:
1666 {
1669 {
1670 children.append<DocSymbol>(this,parent,s);
1671 }
1672 else
1673 {
1674 return FALSE;
1675 }
1676 }
1677 break;
1678 case TokenRetval::TK_WHITESPACE:
1679 case TokenRetval::TK_NEWPARA:
1680handlepara:
1681 if (insidePRE(parent) || !children.empty())
1682 {
1683 children.append<DocWhiteSpace>(this,parent,context.token->chars);
1684 }
1685 break;
1686 case TokenRetval::TK_LNKWORD:
1687 if (handleWord)
1688 {
1689 handleLinkedWord(parent,children);
1690 }
1691 else
1692 return FALSE;
1693 break;
1694 case TokenRetval::TK_WORD:
1695 if (handleWord)
1696 {
1697 children.append<DocWord>(this,parent,context.token->name);
1698 }
1699 else
1700 return FALSE;
1701 break;
1702 case TokenRetval::TK_URL:
1703 if (context.insideHtmlLink)
1704 {
1705 children.append<DocWord>(this,parent,context.token->name);
1706 }
1707 else
1708 {
1709 children.append<DocURL>(this,parent,context.token->name,context.token->isEMailAddr);
1710 }
1711 break;
1712 default:
1713 return FALSE;
1714 }
1715 return TRUE;
1716}
1717
1718//---------------------------------------------------------------------------
1719
1721{
1722 AUTO_TRACE();
1723 bool found=FALSE;
1724 size_t index=0;
1725 for (const auto &opt : tagHtmlAttribs)
1726 {
1727 AUTO_TRACE_ADD("option name={} value='{}'",opt.name,opt.value);
1728 if (opt.name=="src" && !opt.value.isEmpty())
1729 {
1730 // copy attributes
1731 HtmlAttribList attrList = tagHtmlAttribs;
1732 // and remove the src attribute
1733 attrList.erase(attrList.begin()+index);
1735 children.append<DocImage>(
1736 this,parent,attrList,
1737 findAndCopyImage(opt.value,t,false),
1738 t,opt.value);
1739 found = TRUE;
1740 }
1741 ++index;
1742 }
1743 if (!found)
1744 {
1745 warn_doc_error(context.fileName,tokenizer.getLineNr(),"IMG tag does not have a SRC attribute!");
1746 }
1747}
1748
1749//---------------------------------------------------------------------------
1750
1752 const QCString &doc)
1753{
1754 AUTO_TRACE();
1755 Token retval = Token::make_RetVal_OK();
1756
1757 if (doc.isEmpty()) return retval;
1758
1759 tokenizer.init(doc.data(),context.fileName,context.markdownSupport,context.insideHtmlLink);
1760
1761 // first parse any number of paragraphs
1762 bool isFirst=TRUE;
1763 DocPara *lastPar=!children.empty() ? std::get_if<DocPara>(&children.back()): nullptr;
1764 if (lastPar)
1765 { // last child item was a paragraph
1766 isFirst=FALSE;
1767 }
1768 do
1769 {
1770 children.append<DocPara>(this,parent);
1771 DocPara *par = children.get_last<DocPara>();
1772 if (isFirst) { par->markFirst(); isFirst=FALSE; }
1773 retval=par->parse();
1774 if (!par->isEmpty())
1775 {
1776 if (lastPar) lastPar->markLast(FALSE);
1777 lastPar=par;
1778 }
1779 else
1780 {
1781 children.pop_back();
1782 }
1783 } while (retval.is(TokenRetval::TK_NEWPARA));
1784 if (lastPar) lastPar->markLast();
1785
1786 AUTO_TRACE_EXIT("isFirst={} isLast={}",lastPar?lastPar->isFirst():-1,lastPar?lastPar->isLast():-1);
1787 return retval;
1788}
1789
1790//---------------------------------------------------------------------------
1791
1793{
1794 AUTO_TRACE("file={} text={}",file,text);
1795 bool ambig = false;
1796 QCString filePath = findFilePath(file,ambig);
1797 if (!filePath.isEmpty())
1798 {
1799 size_t indent = 0;
1800 text = detab(fileToString(filePath,Config_getBool(FILTER_SOURCE_FILES)),indent);
1801 if (ambig)
1802 {
1803 warn_doc_error(context.fileName,tokenizer.getLineNr(),"included file name '{}' is ambiguous"
1804 "Possible candidates:\n{}",file, showFileDefMatches(Doxygen::exampleNameLinkedMap,file));
1805 }
1806 }
1807 else
1808 {
1809 warn_doc_error(context.fileName,tokenizer.getLineNr(),"included file '{}' is not found. "
1810 "Check your EXAMPLE_PATH",file);
1811 }
1812}
1813
1814//---------------------------------------------------------------------------
1815
1816static QCString extractCopyDocId(const char *data, size_t &j, size_t len)
1817{
1818 size_t s=j;
1819 int round=0;
1820 bool insideDQuote=FALSE;
1821 bool insideSQuote=FALSE;
1822 bool found=FALSE;
1823 while (j<len && !found)
1824 {
1825 if (!insideSQuote && !insideDQuote)
1826 {
1827 switch (data[j])
1828 {
1829 case '(': round++; break;
1830 case ')': round--; break;
1831 case '"': insideDQuote=TRUE; break;
1832 case '\'': insideSQuote=TRUE; break;
1833 case '\\': // fall through, begin of command
1834 case '@': // fall through, begin of command
1835 case '\t': // fall through
1836 case '\n':
1837 found=(round==0);
1838 break;
1839 case ' ': // allow spaces in cast operator (see issue #11169)
1840 found=(round==0) && (j<8 || !literal_at(data+j-8,"operator"));
1841 break;
1842 }
1843 }
1844 else if (insideSQuote) // look for single quote end
1845 {
1846 if (data[j]=='\'' && (j==0 || data[j]!='\\'))
1847 {
1848 insideSQuote=FALSE;
1849 }
1850 }
1851 else if (insideDQuote) // look for double quote end
1852 {
1853 if (data[j]=='"' && (j==0 || data[j]!='\\'))
1854 {
1855 insideDQuote=FALSE;
1856 }
1857 }
1858 if (!found) j++;
1859 }
1860
1861 // include const and volatile
1862 if (literal_at(data+j," const"))
1863 {
1864 j+=6;
1865 }
1866 else if (literal_at(data+j," volatile"))
1867 {
1868 j+=9;
1869 }
1870
1871 // allow '&' or '&&' or ' &' or ' &&' at the end
1872 size_t k=j;
1873 while (k<len && data[k]==' ') k++;
1874 if (k<len-1 && data[k]=='&' && data[k+1]=='&') j=k+2;
1875 else if (k<len && data[k]=='&' ) j=k+1;
1876
1877 // do not include punctuation added by Definition::_setBriefDescription()
1878 size_t e=j;
1879 if (j>0 && data[j-1]=='.') { e--; }
1880 QCString id(data+s,e-s);
1881 //printf("extractCopyDocId='%s' input='%s'\n",qPrint(id),&data[s]);
1882 return id;
1883}
1884
1885// macro to check if the input starts with a specific command.
1886// note that data[i] should point to the start of the command (\ or @ character)
1887// and the sizeof(str) returns the size of str including the '\0' terminator;
1888// a fact we abuse to skip over the start of the command character.
1889#define CHECK_FOR_COMMAND(str,action) \
1890 do if ((i+sizeof(str)<len) && literal_at(data+i+1,str)) \
1891 { j=i+sizeof(str); action; } while(0)
1892
1893static size_t isCopyBriefOrDetailsCmd(const char *data, size_t i,size_t len,bool &brief)
1894{
1895 size_t j=0;
1896 if (i==0 || (data[i-1]!='@' && data[i-1]!='\\')) // not an escaped command
1897 {
1898 CHECK_FOR_COMMAND("copybrief",brief=TRUE); // @copybrief or \copybrief
1899 CHECK_FOR_COMMAND("copydetails",brief=FALSE); // @copydetails or \copydetails
1900 }
1901 return j;
1902}
1903
1904static size_t isVerbatimSection(const char *data,size_t i,size_t len,QCString &endMarker)
1905{
1906 size_t j=0;
1907 if (i==0 || (data[i-1]!='@' && data[i-1]!='\\')) // not an escaped command
1908 {
1909 CHECK_FOR_COMMAND("dot",endMarker="enddot");
1910 CHECK_FOR_COMMAND("icode",endMarker="endicode");
1911 CHECK_FOR_COMMAND("code",endMarker="endcode");
1912 CHECK_FOR_COMMAND("msc",endMarker="endmsc");
1913 CHECK_FOR_COMMAND("iverbatim",endMarker="endiverbatim");
1914 CHECK_FOR_COMMAND("verbatim",endMarker="endverbatim");
1915 CHECK_FOR_COMMAND("iliteral",endMarker="endiliteral");
1916 CHECK_FOR_COMMAND("latexonly",endMarker="endlatexonly");
1917 CHECK_FOR_COMMAND("htmlonly",endMarker="endhtmlonly");
1918 CHECK_FOR_COMMAND("xmlonly",endMarker="endxmlonly");
1919 CHECK_FOR_COMMAND("rtfonly",endMarker="endrtfonly");
1920 CHECK_FOR_COMMAND("manonly",endMarker="endmanonly");
1921 CHECK_FOR_COMMAND("docbookonly",endMarker="enddocbookonly");
1922 CHECK_FOR_COMMAND("startuml",endMarker="enduml");
1923 }
1924 //printf("isVerbatimSection(%s)=%d)\n",qPrint(QCString(&data[i]).left(10)),j);
1925 return j;
1926}
1927
1928static size_t skipToEndMarker(const char *data,size_t i,size_t len,const QCString &endMarker)
1929{
1930 while (i<len)
1931 {
1932 if ((data[i]=='@' || data[i]=='\\') && // start of command character
1933 (i==0 || (data[i-1]!='@' && data[i-1]!='\\'))) // that is not escaped
1934 {
1935 if (i+endMarker.length()+1<=len && qstrncmp(data+i+1,endMarker.data(),endMarker.length())==0)
1936 {
1937 return i+endMarker.length()+1;
1938 }
1939 }
1940 i++;
1941 }
1942 // oops no endmarker found...
1943 return i<len ? i+1 : len;
1944}
1945
1946
1947QCString DocParser::processCopyDoc(const char *data,size_t &len)
1948{
1949 AUTO_TRACE("data={} len={}",Trace::trunc(data),len);
1950 QCString result;
1951 result.reserve(len+32);
1952 size_t i=0;
1953 int lineNr = tokenizer.getLineNr();
1954 while (i<len)
1955 {
1956 char c = data[i];
1957 if (c=='@' || c=='\\') // look for a command
1958 {
1959 bool isBrief=TRUE;
1960 size_t j=isCopyBriefOrDetailsCmd(data,i,len,isBrief);
1961 if (j>0)
1962 {
1963 // skip whitespace
1964 while (j<len && (data[j]==' ' || data[j]=='\t')) j++;
1965 // extract the argument
1966 QCString id = extractCopyDocId(data,j,len);
1967 const Definition *def = nullptr;
1968 QCString doc,brief;
1969 //printf("resolving docs='%s'\n",qPrint(id));
1970 bool found = findDocsForMemberOrCompound(id,&doc,&brief,&def);
1971 if (found && def->isReference())
1972 {
1973 warn_doc_error(context.fileName,tokenizer.getLineNr(),
1974 "@copy{} or @copydoc target '{}' found but is from a tag file, skipped",
1975 isBrief?"brief":"details", id);
1976 }
1977 else if (found)
1978 {
1979 //printf("found it def=%p brief='%s' doc='%s' isBrief=%d\n",def,qPrint(brief),qPrint(doc),isBrief);
1980 auto it = std::find(context.copyStack.begin(),context.copyStack.end(),def);
1981 if (it==context.copyStack.end()) // definition not parsed earlier
1982 {
1983 QCString orgFileName = context.fileName;
1984 context.copyStack.push_back(def);
1985 auto addDocs = [&](const QCString &file_,int line_,const QCString &doc_)
1986 {
1987 result+=" \\ifile \""+file_+"\" ";
1988 result+="\\iline "+QCString().setNum(line_)+" \\ilinebr ";
1989 size_t len_ = doc_.length();
1990 result+=processCopyDoc(doc_.data(),len_);
1991 };
1992 if (isBrief)
1993 {
1994 addDocs(def->briefFile(),def->briefLine(),brief);
1995 }
1996 else
1997 {
1998 addDocs(def->docFile(),def->docLine(),doc);
2000 {
2001 const MemberDef *md = toMemberDef(def);
2002 const ArgumentList &docArgList = md->templateMaster() ?
2003 md->templateMaster()->argumentList() :
2004 md->argumentList();
2005 result+=inlineArgListToDoc(docArgList);
2006 }
2007 }
2008 context.copyStack.pop_back();
2009 result+=" \\ilinebr \\ifile \""+context.fileName+"\" ";
2010 result+="\\iline "+QCString().setNum(lineNr)+" ";
2011 }
2012 else
2013 {
2014 warn_doc_error(context.fileName,tokenizer.getLineNr(),
2015 "Found recursive @copy{} or @copydoc relation for argument '{}'.",
2016 isBrief?"brief":"details",id);
2017 }
2018 }
2019 else
2020 {
2021 warn_doc_error(context.fileName,tokenizer.getLineNr(),
2022 "@copy{} or @copydoc target '{}' not found", isBrief?"brief":"details",id);
2023 }
2024 // skip over command
2025 i=j;
2026 }
2027 else
2028 {
2029 QCString endMarker;
2030 size_t k = isVerbatimSection(data,i,len,endMarker);
2031 if (k>0)
2032 {
2033 size_t orgPos = i;
2034 i=skipToEndMarker(data,k,len,endMarker);
2035 result+=QCString(data+orgPos,i-orgPos);
2036 // TODO: adjust lineNr
2037 }
2038 else
2039 {
2040 result+=c;
2041 i++;
2042 }
2043 }
2044 }
2045 else // not a command, just copy
2046 {
2047 result+=c;
2048 i++;
2049 lineNr += (c=='\n') ? 1 : 0;
2050 }
2051 }
2052 len = result.length();
2053 AUTO_TRACE_EXIT("result={}",Trace::trunc(result));
2054 return result;
2055}
2056
2057
2058//---------------------------------------------------------------------------
2059
2061 const QCString &fileName,
2062 int startLine,
2063 const Definition *ctx,
2064 const MemberDef *md,
2065 const QCString &input,
2066 const DocOptions &options)
2067{
2068 DocParser *parser = dynamic_cast<DocParser*>(&parserIntf);
2069 assert(parser!=nullptr);
2070 if (parser==nullptr) return nullptr;
2071 //printf("validatingParseDoc(%s,%s)=[%s]\n",ctx?qPrint(ctx->name()):"<none>",
2072 // md?qPrint(md->name()):"<none>",
2073 // qPrint(input));
2074 //printf("========== validating %s at line %d\n",qPrint(fileName),startLine);
2075 //printf("---------------- input --------------------\n%s\n----------- end input -------------------\n",qPrint(input));
2076
2077 // set initial token
2078 parser->context.token = parser->tokenizer.resetToken();
2079
2080 if (ctx && ctx!=Doxygen::globalScope &&
2083 )
2084 )
2085 {
2087 }
2088 else if (ctx && ctx->definitionType()==Definition::TypePage)
2089 {
2090 const Definition *scope = (toPageDef(ctx))->getPageScope();
2091 if (scope && scope!=Doxygen::globalScope)
2092 {
2093 parser->context.context = substitute(scope->name(),getLanguageSpecificSeparator(scope->getLanguage(),true),"::");
2094 }
2095 }
2096 else if (ctx && ctx->definitionType()==Definition::TypeGroup)
2097 {
2098 const Definition *scope = (toGroupDef(ctx))->getGroupScope();
2099 if (scope && scope!=Doxygen::globalScope)
2100 {
2101 parser->context.context = substitute(scope->name(),getLanguageSpecificSeparator(scope->getLanguage(),true),"::");
2102 }
2103 }
2104 else
2105 {
2106 parser->context.context = "";
2107 }
2108 parser->context.scope = ctx;
2109 parser->context.lang = getLanguageFromFileName(fileName);
2110
2111 if (options.indexWords() && Doxygen::searchIndex.enabled())
2112 {
2113 if (md)
2114 {
2115 parser->context.searchUrl=md->getOutputFileBase();
2116 Doxygen::searchIndex.setCurrentDoc(md,md->anchor(),false);
2117 }
2118 else if (ctx)
2119 {
2120 parser->context.searchUrl=ctx->getOutputFileBase();
2121 Doxygen::searchIndex.setCurrentDoc(ctx,ctx->anchor(),false);
2122 }
2123 }
2124 else
2125 {
2126 parser->context.searchUrl="";
2127 }
2128
2129 parser->context.fileName = fileName;
2130 parser->context.relPath = (!options.linkFromIndex() && ctx) ?
2132 QCString("");
2133 //printf("ctx->name=%s relPath=%s\n",qPrint(ctx->name()),qPrint(parser->context.relPath));
2134 parser->context.memberDef = md;
2135 while (!parser->context.nodeStack.empty()) parser->context.nodeStack.pop();
2136 while (!parser->context.styleStack.empty()) parser->context.styleStack.pop();
2137 while (!parser->context.initialStyleStack.empty()) parser->context.initialStyleStack.pop();
2138 parser->context.inSeeBlock = FALSE;
2139 parser->context.inCodeStyle = FALSE;
2140 parser->context.xmlComment = FALSE;
2141 parser->context.insideHtmlLink = FALSE;
2142 parser->context.includeFileText = "";
2143 parser->context.includeFileOffset = 0;
2144 parser->context.includeFileLength = 0;
2145 parser->context.isExample = options.isExample();
2146 parser->context.exampleName = options.exampleName();
2147 parser->context.hasParamCommand = FALSE;
2148 parser->context.hasReturnCommand = FALSE;
2149 parser->context.retvalsFound.clear();
2150 parser->context.paramsFound.clear();
2151 parser->context.markdownSupport = options.markdownSupport();
2152 parser->context.autolinkSupport = options.autolinkSupport();
2153 if (md)
2154 {
2155 const ArgumentList &al=md->isDocsForDefinition() ? md->argumentList() : md->declArgumentList();
2156 parser->context.numParameters = static_cast<int>(al.size());
2157 }
2158 else
2159 {
2160 parser->context.numParameters = 0;
2161 }
2162 parser->context.paramPosition = 1;
2163
2164 //printf("Starting comment block at %s:%d\n",qPrint(parser->context.fileName),startLine);
2165 parser->tokenizer.setFileName(fileName);
2166 parser->tokenizer.setLineNr(startLine);
2167 size_t ioLen = input.length();
2168 QCString inpStr = parser->processCopyDoc(input.data(),ioLen);
2169 if (inpStr.isEmpty() || inpStr.at(inpStr.length()-1)!='\n')
2170 {
2171 inpStr+='\n';
2172 }
2173 //printf("processCopyDoc(in='%s' out='%s')\n",qPrint(input),qPrint(inpStr));
2174 parser->tokenizer.init(inpStr.data(),parser->context.fileName,
2176
2177 // build abstract syntax tree
2178 auto ast = std::make_unique<DocNodeAST>(DocRoot(parser,md!=nullptr,options.singleLine()));
2179 std::get<DocRoot>(ast->root).parse();
2180
2182 {
2183 // pretty print the result
2184 std::visit(PrintDocVisitor{},ast->root);
2185 }
2186
2187 if (md && md->isFunction())
2188 {
2190 }
2192
2193 // reset token
2194 parser->tokenizer.resetToken();
2195
2196 //printf(">>>>>> end validatingParseDoc(%s,%s)\n",ctx?qPrint(ctx->name()):"<none>",
2197 // md?qPrint(md->name()):"<none>");
2198
2199 return ast;
2200}
2201
2202IDocNodeASTPtr validatingParseTitle(IDocParser &parserIntf,const QCString &fileName,int lineNr,const QCString &input)
2203{
2204 DocParser *parser = dynamic_cast<DocParser*>(&parserIntf);
2205 assert(parser!=nullptr);
2206 if (parser==nullptr) return nullptr;
2207
2208 // set initial token
2209 parser->context.token = parser->tokenizer.resetToken();
2210
2211 //printf("------------ input ---------\n%s\n"
2212 // "------------ end input -----\n",input);
2213 parser->context.context = "";
2214 parser->context.fileName = fileName;
2215 parser->context.relPath = "";
2216 parser->context.memberDef = nullptr;
2217 while (!parser->context.nodeStack.empty()) parser->context.nodeStack.pop();
2218 while (!parser->context.styleStack.empty()) parser->context.styleStack.pop();
2219 while (!parser->context.initialStyleStack.empty()) parser->context.initialStyleStack.pop();
2220 parser->context.inSeeBlock = FALSE;
2221 parser->context.inCodeStyle = FALSE;
2222 parser->context.xmlComment = FALSE;
2223 parser->context.insideHtmlLink = FALSE;
2224 parser->context.includeFileText = "";
2225 parser->context.includeFileOffset = 0;
2226 parser->context.includeFileLength = 0;
2227 parser->context.isExample = FALSE;
2228 parser->context.exampleName = "";
2229 parser->context.hasParamCommand = FALSE;
2230 parser->context.hasReturnCommand = FALSE;
2231 parser->context.retvalsFound.clear();
2232 parser->context.paramsFound.clear();
2233 parser->context.searchUrl="";
2234 parser->context.lang = SrcLangExt::Unknown;
2235 parser->context.markdownSupport = Config_getBool(MARKDOWN_SUPPORT);
2236 parser->context.autolinkSupport = false;
2237
2238 auto ast = std::make_unique<DocNodeAST>(DocTitle(parser,nullptr));
2239
2240 if (!input.isEmpty())
2241 {
2242 // build abstract syntax tree from title string
2243 std::get<DocTitle>(ast->root).parseFromString(nullptr,input);
2244
2246 {
2247 // pretty print the result
2248 std::visit(PrintDocVisitor{},ast->root);
2249 }
2250 }
2251
2252 return ast;
2253}
2254
2256{
2257 DocParser *parser = dynamic_cast<DocParser*>(&parserIntf);
2258 assert(parser!=nullptr);
2259 if (parser==nullptr) return nullptr;
2260
2261 // set initial token
2262 parser->context.token = parser->tokenizer.resetToken();
2263
2264 //printf("------------ input ---------\n%s\n"
2265 // "------------ end input -----\n",input);
2266 //parser->context.token = new TokenInfo;
2267 parser->context.context = "";
2268 parser->context.fileName = "<parseText>";
2269 parser->context.relPath = "";
2270 parser->context.memberDef = nullptr;
2271 while (!parser->context.nodeStack.empty()) parser->context.nodeStack.pop();
2272 while (!parser->context.styleStack.empty()) parser->context.styleStack.pop();
2273 while (!parser->context.initialStyleStack.empty()) parser->context.initialStyleStack.pop();
2274 parser->context.inSeeBlock = FALSE;
2275 parser->context.inCodeStyle = FALSE;
2276 parser->context.xmlComment = FALSE;
2277 parser->context.insideHtmlLink = FALSE;
2278 parser->context.includeFileText = "";
2279 parser->context.includeFileOffset = 0;
2280 parser->context.includeFileLength = 0;
2281 parser->context.isExample = FALSE;
2282 parser->context.exampleName = "";
2283 parser->context.hasParamCommand = FALSE;
2284 parser->context.hasReturnCommand = FALSE;
2285 parser->context.retvalsFound.clear();
2286 parser->context.paramsFound.clear();
2287 parser->context.searchUrl="";
2288 parser->context.lang = SrcLangExt::Unknown;
2289 parser->context.markdownSupport = Config_getBool(MARKDOWN_SUPPORT);
2290 parser->context.autolinkSupport = FALSE;
2291
2292
2293 auto ast = std::make_unique<DocNodeAST>(DocText(parser));
2294
2295 if (!input.isEmpty())
2296 {
2297 parser->tokenizer.setLineNr(1);
2298 parser->tokenizer.init(input.data(),parser->context.fileName,
2300
2301 // build abstract syntax tree
2302 std::get<DocText>(ast->root).parse();
2303
2305 {
2306 // pretty print the result
2307 std::visit(PrintDocVisitor{},ast->root);
2308 }
2309 }
2310
2311 return ast;
2312}
2313
2314IDocNodeASTPtr createRef(IDocParser &parserIntf,const QCString &target,const QCString &context, const QCString &srcFile, int srcLine )
2315{
2316 DocParser *parser = dynamic_cast<DocParser*>(&parserIntf);
2317 assert(parser!=nullptr);
2318 if (parser==nullptr) return nullptr;
2319 if (!srcFile.isEmpty())
2320 {
2321 parser->context.fileName = srcFile;
2322 parser->tokenizer.setFileName(srcFile);
2323 parser->tokenizer.setLineNr(srcLine);
2324 }
2325 return std::make_unique<DocNodeAST>(DocRef(parser,nullptr,target,context));
2326}
2327
2328void docFindSections(const QCString &input,
2329 const Definition *d,
2330 const QCString &fileName)
2331{
2332 DocParser parser;
2333 parser.tokenizer.findSections(input,d,fileName);
2334}
2335
This class represents an function or template argument list.
Definition arguments.h:65
size_t size() const
Definition arguments.h:100
void push_back(const Argument &a)
Definition arguments.h:102
bool empty() const
Definition arguments.h:99
A abstract class representing of a compound symbol.
Definition classdef.h:104
@ PrintTree
Definition debug.h:34
static bool isFlagSet(const DebugMask mask)
Definition debug.cpp:133
The common base class of all entity definitions found in the sources.
Definition definition.h:77
virtual QCString docFile() const =0
virtual SrcLangExt getLanguage() const =0
Returns the programming language this definition was written in.
virtual int docLine() const =0
virtual bool isLinkable() const =0
virtual DefType definitionType() const =0
virtual QCString anchor() const =0
virtual QCString briefDescriptionAsTooltip() const =0
virtual int briefLine() const =0
virtual QCString briefDescription(bool abbreviate=FALSE) const =0
virtual QCString getReference() const =0
virtual QCString getSourceFileBase() const =0
virtual QCString documentation() const =0
virtual QCString qualifiedName() const =0
virtual QCString briefFile() const =0
virtual QCString getOutputFileBase() const =0
virtual bool isReference() const =0
virtual const QCString & name() const =0
Class representing a directory in the file system.
Definition dir.h:75
bool remove(const std::string &path, bool acceptsAbsPath=true) const
Definition dir.cpp:314
Node representing an anchor.
Definition docnode.h:229
Node representing an item of a cross-referenced list.
Definition docnode.h:529
Node representing a Hypertext reference.
Definition docnode.h:832
Node representing an image.
Definition docnode.h:642
@ DocBook
Definition docnode.h:644
Node representing an internal reference to some item.
Definition docnode.h:816
Node representing a word that can be linked to something.
Definition docnode.h:165
Node representing a paragraph in the documentation tree.
Definition docnode.h:1089
bool isLast() const
Definition docnode.h:1097
void markLast(bool v=TRUE)
Definition docnode.h:1095
bool isFirst() const
Definition docnode.h:1096
std::stack< DocParserContext > contextStack
void handleLinkedWord(DocNodeVariant *parent, DocNodeList &children, bool ignoreAutoLinkFlag=FALSE)
DocTokenizer tokenizer
void handleInternalRef(DocNodeVariant *parent, DocNodeList &children)
void handleParameterType(DocNodeVariant *parent, DocNodeList &children, const QCString &paramTypes)
QCString findAndCopyImage(const QCString &fileName, DocImage::Type type, bool doWarn=true)
Definition docparser.cpp:96
void checkRetvalName()
QCString processCopyDoc(const char *data, size_t &len)
void readTextFileByName(const QCString &file, QCString &text)
bool defaultHandleToken(DocNodeVariant *parent, Token &tok, DocNodeList &children, bool handleWord=TRUE)
void handleRef(DocNodeVariant *parent, DocNodeList &children, char cmdChar, const QCString &cmdName)
Token handleAHref(DocNodeVariant *parent, DocNodeList &children, const HtmlAttribList &tagHtmlAttribs)
Token internalValidatingParseDoc(DocNodeVariant *parent, DocNodeList &children, const QCString &doc)
void handleInitialStyleCommands(DocNodeVariant *parent, DocNodeList &children)
void handleStyleLeave(DocNodeVariant *parent, DocNodeList &children, DocStyleChange::Style s, const QCString &tagName)
void handlePendingStyleCommands(DocNodeVariant *parent, DocNodeList &children)
void checkUnOrMultipleDocumentedParams()
void popContext()
Definition docparser.cpp:75
bool findDocsForMemberOrCompound(const QCString &commandName, QCString *pDoc, QCString *pBrief, const Definition **pDef)
void handleImage(DocNodeVariant *parent, DocNodeList &children)
void handleStyleEnter(DocNodeVariant *parent, DocNodeList &children, DocStyleChange::Style s, const QCString &tagName, const HtmlAttribList *attribs)
void handlePrefix(DocNodeVariant *parent, DocNodeList &children)
Token handleStyleArgument(DocNodeVariant *parent, DocNodeList &children, const QCString &cmdName)
void handleIFile(char cmdChar, const QCString &cmdName)
void handleILine(char cmdChar, const QCString &cmdName)
void checkArgumentName()
DocParserContext context
void handleAnchor(DocNodeVariant *parent, DocNodeList &children)
void handleImg(DocNodeVariant *parent, DocNodeList &children, const HtmlAttribList &tagHtmlAttribs)
void defaultHandleTitleAndSize(const CommandType cmd, DocNodeVariant *parent, DocNodeList &children, QCString &width, QCString &height)
void handleUnclosedStyleCommands()
void pushContext()
Definition docparser.cpp:60
void errorHandleDefaultToken(DocNodeVariant *parent, Token tok, DocNodeList &children, const QCString &txt)
Node representing a reference to some item.
Definition docnode.h:787
Root node of documentation tree.
Definition docnode.h:1319
Node representing a separator.
Definition docnode.h:365
Node representing a style change.
Definition docnode.h:268
const HtmlAttribList & attribs() const
Definition docnode.h:311
QCString tagName() const
Definition docnode.h:312
Style style() const
Definition docnode.h:307
size_t position() const
Definition docnode.h:310
Node representing a special symbol.
Definition docnode.h:328
static HtmlEntityMapper::SymType decodeSymbol(const QCString &symName)
Definition docnode.cpp:155
Root node of a text fragment.
Definition docnode.h:1310
Node representing a simple section title.
Definition docnode.h:608
void init(const char *input, const QCString &fileName, bool markdownSupport, bool insideHtmlLink)
void setLineNr(int lineno)
void setFileName(const QCString &fileName)
void findSections(const QCString &input, const Definition *d, const QCString &fileName)
TokenInfo * resetToken()
Node representing a URL (or email address).
Definition docnode.h:188
Node representing a verbatim, unparsed text fragment.
Definition docnode.h:376
Node representing some amount of white space.
Definition docnode.h:354
Node representing a word.
Definition docnode.h:153
static NamespaceLinkedMap * namespaceLinkedMap
Definition doxygen.h:115
static FileNameLinkedMap * inputNameLinkedMap
Definition doxygen.h:104
static ClassLinkedMap * classLinkedMap
Definition doxygen.h:95
static NamespaceDefMutable * globalScope
Definition doxygen.h:121
static FileNameLinkedMap * imageNameLinkedMap
Definition doxygen.h:105
static IndexList * indexList
Definition doxygen.h:132
static PageLinkedMap * pageLinkedMap
Definition doxygen.h:99
static FileNameLinkedMap * exampleNameLinkedMap
Definition doxygen.h:102
static SearchIndexIntf searchIndex
Definition doxygen.h:124
static GroupLinkedMap * groupLinkedMap
Definition doxygen.h:114
A model of a file symbol.
Definition filedef.h:99
virtual QCString absFilePath() const =0
Minimal replacement for QFileInfo.
Definition fileinfo.h:23
bool isSymLink() const
Definition fileinfo.cpp:77
bool exists() const
Definition fileinfo.cpp:30
A model of a group of symbols.
Definition groupdef.h:52
virtual QCString groupTitle() const =0
T & back()
access the last element
Definition growvector.h:135
void pop_back()
removes the last element
Definition growvector.h:115
bool empty() const
checks whether the container is empty
Definition growvector.h:140
Class representing a list of HTML attributes.
Definition htmlattrib.h:33
opaque parser interface
Definition docparser.h:35
A model of a class/file/namespace member symbol.
Definition memberdef.h:48
virtual bool isObjCMethod() const =0
virtual const ClassDef * getClassDef() const =0
virtual const ArgumentList & argumentList() const =0
virtual bool isFunction() const =0
virtual bool isDocsForDefinition() const =0
virtual QCString objCMethodName(bool localLink, bool showStatic) const =0
virtual const MemberDef * templateMaster() const =0
virtual void detectUndocumentedParams(bool hasParamCommand, bool hasReturnCommand) const =0
virtual const ArgumentList & declArgumentList() const =0
An abstract interface of a namespace symbol.
A model of a page symbol.
Definition pagedef.h:26
This is an alternative implementation of QCString.
Definition qcstring.h:101
int find(char c, int index=0, bool cs=TRUE) const
Definition qcstring.cpp:43
QCString & prepend(const char *s)
Definition qcstring.h:422
size_t length() const
Returns the length of the string, not counting the 0-terminator.
Definition qcstring.h:166
bool startsWith(const char *s) const
Definition qcstring.h:507
QCString mid(size_t index, size_t len=static_cast< size_t >(-1)) const
Definition qcstring.h:241
QCString lower() const
Definition qcstring.h:249
bool endsWith(const char *s) const
Definition qcstring.h:524
char & at(size_t i)
Returns a reference to the character at index i.
Definition qcstring.h:593
bool isEmpty() const
Returns TRUE iff the string is empty.
Definition qcstring.h:163
QCString stripWhiteSpace() const
returns a copy of this string with leading and trailing whitespace removed
Definition qcstring.h:260
const std::string & str() const
Definition qcstring.h:552
QCString & setNum(short n)
Definition qcstring.h:459
QCString right(size_t len) const
Definition qcstring.h:234
size_t size() const
Returns the length of the string, not counting the 0-terminator.
Definition qcstring.h:169
void reserve(size_t size)
Reserve space for size bytes without changing the string contents.
Definition qcstring.h:185
QCString & sprintf(const char *format,...)
Definition qcstring.cpp:29
@ ExplicitSize
Definition qcstring.h:146
int findRev(char c, int index=-1, bool cs=TRUE) const
Definition qcstring.cpp:96
const char * data() const
Returns a pointer to the contents of the string in the form of a 0-terminated C string.
Definition qcstring.h:172
std::string_view view() const
Definition qcstring.h:174
QCString left(size_t len) const
Definition qcstring.h:229
static RequirementManager & instance()
bool is(TokenRetval rv) const
TOKEN_SPECIFICATIONS RETVAL_SPECIFICATIONS const char * to_string() const
TokenRetval value() const
bool is_any_of(ARGS... args) const
char command_to_char() const
ClassDef * getClass(const QCString &n)
Class representing a regular expression.
Definition regex.h:39
Class to iterate through matches.
Definition regex.h:230
CommandType
Definition cmdmapper.h:29
@ CMD_INTERNALREF
Definition cmdmapper.h:65
#define Config_getList(name)
Definition config.h:38
#define Config_getBool(name)
Definition config.h:33
#define Config_getString(name)
Definition config.h:32
std::vector< std::string > StringVector
Definition containers.h:33
DirIterator end(const DirIterator &) noexcept
Definition dir.cpp:175
#define AUTO_TRACE_ADD(...)
Definition docnode.cpp:49
#define AUTO_TRACE(...)
Definition docnode.cpp:48
#define AUTO_TRACE_EXIT(...)
Definition docnode.cpp:50
std::variant< DocWord, DocLinkedWord, DocURL, DocLineBreak, DocHorRuler, DocAnchor, DocCite, DocStyleChange, DocSymbol, DocEmoji, DocWhiteSpace, DocSeparator, DocVerbatim, DocInclude, DocIncOperator, DocFormula, DocIndexEntry, DocAutoList, DocAutoListItem, DocTitle, DocXRefItem, DocImage, DocDotFile, DocMscFile, DocDiaFile, DocVhdlFlow, DocLink, DocRef, DocInternalRef, DocHRef, DocHtmlHeader, DocHtmlDescTitle, DocHtmlDescList, DocSection, DocSecRefItem, DocSecRefList, DocInternal, DocParBlock, DocSimpleList, DocHtmlList, DocSimpleSect, DocSimpleSectSep, DocParamSect, DocPara, DocParamList, DocSimpleListItem, DocHtmlListItem, DocHtmlDescData, DocHtmlCell, DocHtmlCaption, DocHtmlRow, DocHtmlTable, DocHtmlBlockQuote, DocText, DocRoot, DocHtmlDetails, DocHtmlSummary, DocPlantUmlFile, DocMermaidFile > DocNodeVariant
Definition docnode.h:67
constexpr DocNodeVariant * parent(DocNodeVariant *n)
returns the parent node of a given node n or nullptr if the node has no parent.
Definition docnode.h:1336
void docFindSections(const QCString &input, const Definition *d, const QCString &fileName)
static QCString extractCopyDocId(const char *data, size_t &j, size_t len)
IDocNodeASTPtr validatingParseDoc(IDocParser &parserIntf, const QCString &fileName, int startLine, const Definition *ctx, const MemberDef *md, const QCString &input, const DocOptions &options)
static size_t skipToEndMarker(const char *data, size_t i, size_t len, const QCString &endMarker)
IDocNodeASTPtr validatingParseText(IDocParser &parserIntf, const QCString &input)
IDocParserPtr createDocParser()
factory function to create a parser
Definition docparser.cpp:55
IDocNodeASTPtr createRef(IDocParser &parserIntf, const QCString &target, const QCString &context, const QCString &srcFile, int srcLine)
static size_t isVerbatimSection(const char *data, size_t i, size_t len, QCString &endMarker)
IDocNodeASTPtr validatingParseTitle(IDocParser &parserIntf, const QCString &fileName, int lineNr, const QCString &input)
static size_t isCopyBriefOrDetailsCmd(const char *data, size_t i, size_t len, bool &brief)
#define CHECK_FOR_COMMAND(str, action)
std::unique_ptr< IDocNodeAST > IDocNodeASTPtr
Definition docparser.h:57
std::unique_ptr< IDocParser > IDocParserPtr
pointer to parser interface
Definition docparser.h:41
Private header shared between docparser.cpp and docnode.cpp.
IterableStack< const DocNodeVariant * > DocStyleChangeStack
Definition docparser_p.h:55
bool insidePRE(const DocNodeVariant *n)
bool insideLI(const DocNodeVariant *n)
FileDef * toFileDef(Definition *d)
Definition filedef.cpp:1966
GroupDef * toGroupDef(Definition *d)
MemberDef * toMemberDef(Definition *d)
#define warn_incomplete_doc(file, line, fmt,...)
Definition message.h:107
#define err(fmt,...)
Definition message.h:127
#define warn_doc_error(file, line, fmt,...)
Definition message.h:112
const Mapper< HtmlTagType > * htmlTagMapper
const Mapper< CommandType > * cmdMapper
int system(const QCString &command, const QCString &args, bool commandHasConsole=true)
Definition portable.cpp:105
QCString trunc(const QCString &s, size_t numChars=15)
Definition trace.h:56
bool match(std::string_view str, Match &match, const Ex &re)
Matches a given string str for a match against regular expression re.
Definition regex.cpp:855
PageDef * toPageDef(Definition *d)
Definition pagedef.cpp:502
Portable versions of functions that are platform dependent.
QCString substitute(const QCString &s, const QCString &src, const QCString &dst)
substitute all occurrences of src in s by dst
Definition qcstring.cpp:571
int qstrncmp(const char *str1, const char *str2, size_t len)
Definition qcstring.h:75
const char * qPrint(const char *s)
Definition qcstring.h:687
#define TRUE
Definition qcstring.h:37
#define FALSE
Definition qcstring.h:34
uint32_t qstrlen(const char *str)
Returns the length of string str, or 0 if a null pointer is passed.
Definition qcstring.h:58
Some helper functions for std::string.
bool literal_at(const char *data, const char(&str)[N])
returns TRUE iff data points to a substring that matches string literal str
Definition stringutil.h:98
This class contains the information about the argument of a function or template.
Definition arguments.h:27
void append(Args &&... args)
Append a new DocNodeVariant to the list by constructing it with type T and parameters Args.
Definition docnode.h:1405
T * get_last()
Returns a pointer to the last element in the list if that element exists and holds a T,...
Definition docnode.h:1416
bool autolinkSupport() const
Definition docoptions.h:32
bool linkFromIndex() const
Definition docoptions.h:30
bool markdownSupport() const
Definition docoptions.h:31
QCString exampleName() const
Definition docoptions.h:28
bool indexWords() const
Definition docoptions.h:26
bool singleLine() const
Definition docoptions.h:29
bool isExample() const
Definition docoptions.h:27
StringMultiSet retvalsFound
Definition docparser_p.h:76
DocStyleChangeStack styleStack
Definition docparser_p.h:68
size_t includeFileLength
Definition docparser_p.h:90
QCString fileName
Definition docparser_p.h:71
DocNodeStack nodeStack
Definition docparser_p.h:67
StringMultiSet paramsFound
Definition docparser_p.h:77
QCString exampleName
Definition docparser_p.h:82
const Definition * scope
Definition docparser_p.h:61
QCString includeFileText
Definition docparser_p.h:88
TokenInfo * token
Definition docparser_p.h:95
DocStyleChangeStack initialStyleStack
Definition docparser_p.h:69
SrcLangExt lang
Definition docparser_p.h:85
QCString searchUrl
Definition docparser_p.h:83
size_t includeFileOffset
Definition docparser_p.h:89
const MemberDef * memberDef
Definition docparser_p.h:80
bool checkCV
Definition util.h:166
const MemberDef * md
Definition util.h:173
bool found
Definition util.h:172
SrcLangExt
Definition types.h:207
QCString removeRedundantWhiteSpace(const QCString &s)
Definition util.cpp:567
QCString findFilePath(const QCString &file, bool &ambig)
Definition util.cpp:2986
QCString linkToText(SrcLangExt lang, const QCString &link, bool isFileName)
Definition util.cpp:2698
SrcLangExt getLanguageFromFileName(const QCString &fileName, SrcLangExt defLang)
Definition util.cpp:5221
bool resolveRef(const QCString &scName, const QCString &name, bool inSeeBlock, const Definition **resContext, const MemberDef **resMember, SrcLangExt lang, bool lookForSpecialization, const FileDef *currentFile, bool checkScope)
Definition util.cpp:2442
QCString relativePathToRoot(const QCString &name)
Definition util.cpp:3590
QCString showFileDefMatches(const FileNameLinkedMap *fnMap, const QCString &n)
Definition util.cpp:3029
QCString fileToString(const QCString &name, bool filter, bool isSourceCode)
Definition util.cpp:1494
QCString convertNameToFile(const QCString &name, bool allowDots, bool allowUnderscore)
Definition util.cpp:3515
QCString detab(const QCString &s, size_t &refIndent)
Definition util.cpp:6750
QCString argListToString(const ArgumentList &al, bool useCanonicalType, bool showDefVals)
Definition util.cpp:1254
QCString getLanguageSpecificSeparator(SrcLangExt lang, bool classScope)
Returns the scope separator to use given the programming language lang.
Definition util.cpp:5927
GetDefResult getDefs(const GetDefInput &input)
Definition util.cpp:2298
StringVector split(const std::string &s, const std::string &delimiter)
split input string s by string delimiter delimiter.
Definition util.cpp:6648
bool copyFile(const QCString &src, const QCString &dest)
Copies the contents of file with name src to the newly created file with name dest.
Definition util.cpp:5887
QCString inlineArgListToDoc(const ArgumentList &al)
Definition util.cpp:1204
FileDef * findFileDef(const FileNameLinkedMap *fnMap, const QCString &n, bool &ambig)
Definition util.cpp:2894
A bunch of utility functions.