xref: /freebsd/contrib/llvm-project/clang/lib/AST/StmtPrinter.cpp (revision 7ef62cebc2f965b0f640263e179276928885e33d)
1 //===- StmtPrinter.cpp - Printing implementation for Stmt ASTs ------------===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 //
9 // This file implements the Stmt::dumpPretty/Stmt::printPretty methods, which
10 // pretty print the AST back out to C code.
11 //
12 //===----------------------------------------------------------------------===//
13 
14 #include "clang/AST/ASTContext.h"
15 #include "clang/AST/Attr.h"
16 #include "clang/AST/Decl.h"
17 #include "clang/AST/DeclBase.h"
18 #include "clang/AST/DeclCXX.h"
19 #include "clang/AST/DeclObjC.h"
20 #include "clang/AST/DeclOpenMP.h"
21 #include "clang/AST/DeclTemplate.h"
22 #include "clang/AST/Expr.h"
23 #include "clang/AST/ExprCXX.h"
24 #include "clang/AST/ExprObjC.h"
25 #include "clang/AST/ExprOpenMP.h"
26 #include "clang/AST/NestedNameSpecifier.h"
27 #include "clang/AST/OpenMPClause.h"
28 #include "clang/AST/PrettyPrinter.h"
29 #include "clang/AST/Stmt.h"
30 #include "clang/AST/StmtCXX.h"
31 #include "clang/AST/StmtObjC.h"
32 #include "clang/AST/StmtOpenMP.h"
33 #include "clang/AST/StmtVisitor.h"
34 #include "clang/AST/TemplateBase.h"
35 #include "clang/AST/Type.h"
36 #include "clang/Basic/CharInfo.h"
37 #include "clang/Basic/ExpressionTraits.h"
38 #include "clang/Basic/IdentifierTable.h"
39 #include "clang/Basic/JsonSupport.h"
40 #include "clang/Basic/LLVM.h"
41 #include "clang/Basic/Lambda.h"
42 #include "clang/Basic/OpenMPKinds.h"
43 #include "clang/Basic/OperatorKinds.h"
44 #include "clang/Basic/SourceLocation.h"
45 #include "clang/Basic/TypeTraits.h"
46 #include "clang/Lex/Lexer.h"
47 #include "llvm/ADT/ArrayRef.h"
48 #include "llvm/ADT/SmallString.h"
49 #include "llvm/ADT/SmallVector.h"
50 #include "llvm/ADT/StringExtras.h"
51 #include "llvm/ADT/StringRef.h"
52 #include "llvm/Support/Casting.h"
53 #include "llvm/Support/Compiler.h"
54 #include "llvm/Support/ErrorHandling.h"
55 #include "llvm/Support/raw_ostream.h"
56 #include <cassert>
57 #include <optional>
58 #include <string>
59 
60 using namespace clang;
61 
62 //===----------------------------------------------------------------------===//
63 // StmtPrinter Visitor
64 //===----------------------------------------------------------------------===//
65 
66 namespace {
67 
68   class StmtPrinter : public StmtVisitor<StmtPrinter> {
69     raw_ostream &OS;
70     unsigned IndentLevel;
71     PrinterHelper* Helper;
72     PrintingPolicy Policy;
73     std::string NL;
74     const ASTContext *Context;
75 
76   public:
77     StmtPrinter(raw_ostream &os, PrinterHelper *helper,
78                 const PrintingPolicy &Policy, unsigned Indentation = 0,
79                 StringRef NL = "\n", const ASTContext *Context = nullptr)
80         : OS(os), IndentLevel(Indentation), Helper(helper), Policy(Policy),
81           NL(NL), Context(Context) {}
82 
83     void PrintStmt(Stmt *S) { PrintStmt(S, Policy.Indentation); }
84 
85     void PrintStmt(Stmt *S, int SubIndent) {
86       IndentLevel += SubIndent;
87       if (S && isa<Expr>(S)) {
88         // If this is an expr used in a stmt context, indent and newline it.
89         Indent();
90         Visit(S);
91         OS << ";" << NL;
92       } else if (S) {
93         Visit(S);
94       } else {
95         Indent() << "<<<NULL STATEMENT>>>" << NL;
96       }
97       IndentLevel -= SubIndent;
98     }
99 
100     void PrintInitStmt(Stmt *S, unsigned PrefixWidth) {
101       // FIXME: Cope better with odd prefix widths.
102       IndentLevel += (PrefixWidth + 1) / 2;
103       if (auto *DS = dyn_cast<DeclStmt>(S))
104         PrintRawDeclStmt(DS);
105       else
106         PrintExpr(cast<Expr>(S));
107       OS << "; ";
108       IndentLevel -= (PrefixWidth + 1) / 2;
109     }
110 
111     void PrintControlledStmt(Stmt *S) {
112       if (auto *CS = dyn_cast<CompoundStmt>(S)) {
113         OS << " ";
114         PrintRawCompoundStmt(CS);
115         OS << NL;
116       } else {
117         OS << NL;
118         PrintStmt(S);
119       }
120     }
121 
122     void PrintRawCompoundStmt(CompoundStmt *S);
123     void PrintRawDecl(Decl *D);
124     void PrintRawDeclStmt(const DeclStmt *S);
125     void PrintRawIfStmt(IfStmt *If);
126     void PrintRawCXXCatchStmt(CXXCatchStmt *Catch);
127     void PrintCallArgs(CallExpr *E);
128     void PrintRawSEHExceptHandler(SEHExceptStmt *S);
129     void PrintRawSEHFinallyStmt(SEHFinallyStmt *S);
130     void PrintOMPExecutableDirective(OMPExecutableDirective *S,
131                                      bool ForceNoStmt = false);
132     void PrintFPPragmas(CompoundStmt *S);
133 
134     void PrintExpr(Expr *E) {
135       if (E)
136         Visit(E);
137       else
138         OS << "<null expr>";
139     }
140 
141     raw_ostream &Indent(int Delta = 0) {
142       for (int i = 0, e = IndentLevel+Delta; i < e; ++i)
143         OS << "  ";
144       return OS;
145     }
146 
147     void Visit(Stmt* S) {
148       if (Helper && Helper->handledStmt(S,OS))
149           return;
150       else StmtVisitor<StmtPrinter>::Visit(S);
151     }
152 
153     void VisitStmt(Stmt *Node) LLVM_ATTRIBUTE_UNUSED {
154       Indent() << "<<unknown stmt type>>" << NL;
155     }
156 
157     void VisitExpr(Expr *Node) LLVM_ATTRIBUTE_UNUSED {
158       OS << "<<unknown expr type>>";
159     }
160 
161     void VisitCXXNamedCastExpr(CXXNamedCastExpr *Node);
162 
163 #define ABSTRACT_STMT(CLASS)
164 #define STMT(CLASS, PARENT) \
165     void Visit##CLASS(CLASS *Node);
166 #include "clang/AST/StmtNodes.inc"
167   };
168 
169 } // namespace
170 
171 //===----------------------------------------------------------------------===//
172 //  Stmt printing methods.
173 //===----------------------------------------------------------------------===//
174 
175 /// PrintRawCompoundStmt - Print a compound stmt without indenting the {, and
176 /// with no newline after the }.
177 void StmtPrinter::PrintRawCompoundStmt(CompoundStmt *Node) {
178   OS << "{" << NL;
179   PrintFPPragmas(Node);
180   for (auto *I : Node->body())
181     PrintStmt(I);
182 
183   Indent() << "}";
184 }
185 
186 void StmtPrinter::PrintFPPragmas(CompoundStmt *S) {
187   if (!S->hasStoredFPFeatures())
188     return;
189   FPOptionsOverride FPO = S->getStoredFPFeatures();
190   bool FEnvAccess = false;
191   if (FPO.hasAllowFEnvAccessOverride()) {
192     FEnvAccess = FPO.getAllowFEnvAccessOverride();
193     Indent() << "#pragma STDC FENV_ACCESS " << (FEnvAccess ? "ON" : "OFF")
194              << NL;
195   }
196   if (FPO.hasSpecifiedExceptionModeOverride()) {
197     LangOptions::FPExceptionModeKind EM =
198         FPO.getSpecifiedExceptionModeOverride();
199     if (!FEnvAccess || EM != LangOptions::FPE_Strict) {
200       Indent() << "#pragma clang fp exceptions(";
201       switch (FPO.getSpecifiedExceptionModeOverride()) {
202       default:
203         break;
204       case LangOptions::FPE_Ignore:
205         OS << "ignore";
206         break;
207       case LangOptions::FPE_MayTrap:
208         OS << "maytrap";
209         break;
210       case LangOptions::FPE_Strict:
211         OS << "strict";
212         break;
213       }
214       OS << ")\n";
215     }
216   }
217   if (FPO.hasConstRoundingModeOverride()) {
218     LangOptions::RoundingMode RM = FPO.getConstRoundingModeOverride();
219     Indent() << "#pragma STDC FENV_ROUND ";
220     switch (RM) {
221     case llvm::RoundingMode::TowardZero:
222       OS << "FE_TOWARDZERO";
223       break;
224     case llvm::RoundingMode::NearestTiesToEven:
225       OS << "FE_TONEAREST";
226       break;
227     case llvm::RoundingMode::TowardPositive:
228       OS << "FE_UPWARD";
229       break;
230     case llvm::RoundingMode::TowardNegative:
231       OS << "FE_DOWNWARD";
232       break;
233     case llvm::RoundingMode::NearestTiesToAway:
234       OS << "FE_TONEARESTFROMZERO";
235       break;
236     case llvm::RoundingMode::Dynamic:
237       OS << "FE_DYNAMIC";
238       break;
239     default:
240       llvm_unreachable("Invalid rounding mode");
241     }
242     OS << NL;
243   }
244 }
245 
246 void StmtPrinter::PrintRawDecl(Decl *D) {
247   D->print(OS, Policy, IndentLevel);
248 }
249 
250 void StmtPrinter::PrintRawDeclStmt(const DeclStmt *S) {
251   SmallVector<Decl *, 2> Decls(S->decls());
252   Decl::printGroup(Decls.data(), Decls.size(), OS, Policy, IndentLevel);
253 }
254 
255 void StmtPrinter::VisitNullStmt(NullStmt *Node) {
256   Indent() << ";" << NL;
257 }
258 
259 void StmtPrinter::VisitDeclStmt(DeclStmt *Node) {
260   Indent();
261   PrintRawDeclStmt(Node);
262   OS << ";" << NL;
263 }
264 
265 void StmtPrinter::VisitCompoundStmt(CompoundStmt *Node) {
266   Indent();
267   PrintRawCompoundStmt(Node);
268   OS << "" << NL;
269 }
270 
271 void StmtPrinter::VisitCaseStmt(CaseStmt *Node) {
272   Indent(-1) << "case ";
273   PrintExpr(Node->getLHS());
274   if (Node->getRHS()) {
275     OS << " ... ";
276     PrintExpr(Node->getRHS());
277   }
278   OS << ":" << NL;
279 
280   PrintStmt(Node->getSubStmt(), 0);
281 }
282 
283 void StmtPrinter::VisitDefaultStmt(DefaultStmt *Node) {
284   Indent(-1) << "default:" << NL;
285   PrintStmt(Node->getSubStmt(), 0);
286 }
287 
288 void StmtPrinter::VisitLabelStmt(LabelStmt *Node) {
289   Indent(-1) << Node->getName() << ":" << NL;
290   PrintStmt(Node->getSubStmt(), 0);
291 }
292 
293 void StmtPrinter::VisitAttributedStmt(AttributedStmt *Node) {
294   for (const auto *Attr : Node->getAttrs()) {
295     Attr->printPretty(OS, Policy);
296   }
297 
298   PrintStmt(Node->getSubStmt(), 0);
299 }
300 
301 void StmtPrinter::PrintRawIfStmt(IfStmt *If) {
302   if (If->isConsteval()) {
303     OS << "if ";
304     if (If->isNegatedConsteval())
305       OS << "!";
306     OS << "consteval";
307     OS << NL;
308     PrintStmt(If->getThen());
309     if (Stmt *Else = If->getElse()) {
310       Indent();
311       OS << "else";
312       PrintStmt(Else);
313       OS << NL;
314     }
315     return;
316   }
317 
318   OS << "if (";
319   if (If->getInit())
320     PrintInitStmt(If->getInit(), 4);
321   if (const DeclStmt *DS = If->getConditionVariableDeclStmt())
322     PrintRawDeclStmt(DS);
323   else
324     PrintExpr(If->getCond());
325   OS << ')';
326 
327   if (auto *CS = dyn_cast<CompoundStmt>(If->getThen())) {
328     OS << ' ';
329     PrintRawCompoundStmt(CS);
330     OS << (If->getElse() ? " " : NL);
331   } else {
332     OS << NL;
333     PrintStmt(If->getThen());
334     if (If->getElse()) Indent();
335   }
336 
337   if (Stmt *Else = If->getElse()) {
338     OS << "else";
339 
340     if (auto *CS = dyn_cast<CompoundStmt>(Else)) {
341       OS << ' ';
342       PrintRawCompoundStmt(CS);
343       OS << NL;
344     } else if (auto *ElseIf = dyn_cast<IfStmt>(Else)) {
345       OS << ' ';
346       PrintRawIfStmt(ElseIf);
347     } else {
348       OS << NL;
349       PrintStmt(If->getElse());
350     }
351   }
352 }
353 
354 void StmtPrinter::VisitIfStmt(IfStmt *If) {
355   Indent();
356   PrintRawIfStmt(If);
357 }
358 
359 void StmtPrinter::VisitSwitchStmt(SwitchStmt *Node) {
360   Indent() << "switch (";
361   if (Node->getInit())
362     PrintInitStmt(Node->getInit(), 8);
363   if (const DeclStmt *DS = Node->getConditionVariableDeclStmt())
364     PrintRawDeclStmt(DS);
365   else
366     PrintExpr(Node->getCond());
367   OS << ")";
368   PrintControlledStmt(Node->getBody());
369 }
370 
371 void StmtPrinter::VisitWhileStmt(WhileStmt *Node) {
372   Indent() << "while (";
373   if (const DeclStmt *DS = Node->getConditionVariableDeclStmt())
374     PrintRawDeclStmt(DS);
375   else
376     PrintExpr(Node->getCond());
377   OS << ")" << NL;
378   PrintStmt(Node->getBody());
379 }
380 
381 void StmtPrinter::VisitDoStmt(DoStmt *Node) {
382   Indent() << "do ";
383   if (auto *CS = dyn_cast<CompoundStmt>(Node->getBody())) {
384     PrintRawCompoundStmt(CS);
385     OS << " ";
386   } else {
387     OS << NL;
388     PrintStmt(Node->getBody());
389     Indent();
390   }
391 
392   OS << "while (";
393   PrintExpr(Node->getCond());
394   OS << ");" << NL;
395 }
396 
397 void StmtPrinter::VisitForStmt(ForStmt *Node) {
398   Indent() << "for (";
399   if (Node->getInit())
400     PrintInitStmt(Node->getInit(), 5);
401   else
402     OS << (Node->getCond() ? "; " : ";");
403   if (Node->getCond())
404     PrintExpr(Node->getCond());
405   OS << ";";
406   if (Node->getInc()) {
407     OS << " ";
408     PrintExpr(Node->getInc());
409   }
410   OS << ")";
411   PrintControlledStmt(Node->getBody());
412 }
413 
414 void StmtPrinter::VisitObjCForCollectionStmt(ObjCForCollectionStmt *Node) {
415   Indent() << "for (";
416   if (auto *DS = dyn_cast<DeclStmt>(Node->getElement()))
417     PrintRawDeclStmt(DS);
418   else
419     PrintExpr(cast<Expr>(Node->getElement()));
420   OS << " in ";
421   PrintExpr(Node->getCollection());
422   OS << ")";
423   PrintControlledStmt(Node->getBody());
424 }
425 
426 void StmtPrinter::VisitCXXForRangeStmt(CXXForRangeStmt *Node) {
427   Indent() << "for (";
428   if (Node->getInit())
429     PrintInitStmt(Node->getInit(), 5);
430   PrintingPolicy SubPolicy(Policy);
431   SubPolicy.SuppressInitializers = true;
432   Node->getLoopVariable()->print(OS, SubPolicy, IndentLevel);
433   OS << " : ";
434   PrintExpr(Node->getRangeInit());
435   OS << ")";
436   PrintControlledStmt(Node->getBody());
437 }
438 
439 void StmtPrinter::VisitMSDependentExistsStmt(MSDependentExistsStmt *Node) {
440   Indent();
441   if (Node->isIfExists())
442     OS << "__if_exists (";
443   else
444     OS << "__if_not_exists (";
445 
446   if (NestedNameSpecifier *Qualifier
447         = Node->getQualifierLoc().getNestedNameSpecifier())
448     Qualifier->print(OS, Policy);
449 
450   OS << Node->getNameInfo() << ") ";
451 
452   PrintRawCompoundStmt(Node->getSubStmt());
453 }
454 
455 void StmtPrinter::VisitGotoStmt(GotoStmt *Node) {
456   Indent() << "goto " << Node->getLabel()->getName() << ";";
457   if (Policy.IncludeNewlines) OS << NL;
458 }
459 
460 void StmtPrinter::VisitIndirectGotoStmt(IndirectGotoStmt *Node) {
461   Indent() << "goto *";
462   PrintExpr(Node->getTarget());
463   OS << ";";
464   if (Policy.IncludeNewlines) OS << NL;
465 }
466 
467 void StmtPrinter::VisitContinueStmt(ContinueStmt *Node) {
468   Indent() << "continue;";
469   if (Policy.IncludeNewlines) OS << NL;
470 }
471 
472 void StmtPrinter::VisitBreakStmt(BreakStmt *Node) {
473   Indent() << "break;";
474   if (Policy.IncludeNewlines) OS << NL;
475 }
476 
477 void StmtPrinter::VisitReturnStmt(ReturnStmt *Node) {
478   Indent() << "return";
479   if (Node->getRetValue()) {
480     OS << " ";
481     PrintExpr(Node->getRetValue());
482   }
483   OS << ";";
484   if (Policy.IncludeNewlines) OS << NL;
485 }
486 
487 void StmtPrinter::VisitGCCAsmStmt(GCCAsmStmt *Node) {
488   Indent() << "asm ";
489 
490   if (Node->isVolatile())
491     OS << "volatile ";
492 
493   if (Node->isAsmGoto())
494     OS << "goto ";
495 
496   OS << "(";
497   VisitStringLiteral(Node->getAsmString());
498 
499   // Outputs
500   if (Node->getNumOutputs() != 0 || Node->getNumInputs() != 0 ||
501       Node->getNumClobbers() != 0 || Node->getNumLabels() != 0)
502     OS << " : ";
503 
504   for (unsigned i = 0, e = Node->getNumOutputs(); i != e; ++i) {
505     if (i != 0)
506       OS << ", ";
507 
508     if (!Node->getOutputName(i).empty()) {
509       OS << '[';
510       OS << Node->getOutputName(i);
511       OS << "] ";
512     }
513 
514     VisitStringLiteral(Node->getOutputConstraintLiteral(i));
515     OS << " (";
516     Visit(Node->getOutputExpr(i));
517     OS << ")";
518   }
519 
520   // Inputs
521   if (Node->getNumInputs() != 0 || Node->getNumClobbers() != 0 ||
522       Node->getNumLabels() != 0)
523     OS << " : ";
524 
525   for (unsigned i = 0, e = Node->getNumInputs(); i != e; ++i) {
526     if (i != 0)
527       OS << ", ";
528 
529     if (!Node->getInputName(i).empty()) {
530       OS << '[';
531       OS << Node->getInputName(i);
532       OS << "] ";
533     }
534 
535     VisitStringLiteral(Node->getInputConstraintLiteral(i));
536     OS << " (";
537     Visit(Node->getInputExpr(i));
538     OS << ")";
539   }
540 
541   // Clobbers
542   if (Node->getNumClobbers() != 0 || Node->getNumLabels())
543     OS << " : ";
544 
545   for (unsigned i = 0, e = Node->getNumClobbers(); i != e; ++i) {
546     if (i != 0)
547       OS << ", ";
548 
549     VisitStringLiteral(Node->getClobberStringLiteral(i));
550   }
551 
552   // Labels
553   if (Node->getNumLabels() != 0)
554     OS << " : ";
555 
556   for (unsigned i = 0, e = Node->getNumLabels(); i != e; ++i) {
557     if (i != 0)
558       OS << ", ";
559     OS << Node->getLabelName(i);
560   }
561 
562   OS << ");";
563   if (Policy.IncludeNewlines) OS << NL;
564 }
565 
566 void StmtPrinter::VisitMSAsmStmt(MSAsmStmt *Node) {
567   // FIXME: Implement MS style inline asm statement printer.
568   Indent() << "__asm ";
569   if (Node->hasBraces())
570     OS << "{" << NL;
571   OS << Node->getAsmString() << NL;
572   if (Node->hasBraces())
573     Indent() << "}" << NL;
574 }
575 
576 void StmtPrinter::VisitCapturedStmt(CapturedStmt *Node) {
577   PrintStmt(Node->getCapturedDecl()->getBody());
578 }
579 
580 void StmtPrinter::VisitObjCAtTryStmt(ObjCAtTryStmt *Node) {
581   Indent() << "@try";
582   if (auto *TS = dyn_cast<CompoundStmt>(Node->getTryBody())) {
583     PrintRawCompoundStmt(TS);
584     OS << NL;
585   }
586 
587   for (ObjCAtCatchStmt *catchStmt : Node->catch_stmts()) {
588     Indent() << "@catch(";
589     if (Decl *DS = catchStmt->getCatchParamDecl())
590       PrintRawDecl(DS);
591     OS << ")";
592     if (auto *CS = dyn_cast<CompoundStmt>(catchStmt->getCatchBody())) {
593       PrintRawCompoundStmt(CS);
594       OS << NL;
595     }
596   }
597 
598   if (auto *FS = static_cast<ObjCAtFinallyStmt *>(Node->getFinallyStmt())) {
599     Indent() << "@finally";
600     PrintRawCompoundStmt(dyn_cast<CompoundStmt>(FS->getFinallyBody()));
601     OS << NL;
602   }
603 }
604 
605 void StmtPrinter::VisitObjCAtFinallyStmt(ObjCAtFinallyStmt *Node) {
606 }
607 
608 void StmtPrinter::VisitObjCAtCatchStmt (ObjCAtCatchStmt *Node) {
609   Indent() << "@catch (...) { /* todo */ } " << NL;
610 }
611 
612 void StmtPrinter::VisitObjCAtThrowStmt(ObjCAtThrowStmt *Node) {
613   Indent() << "@throw";
614   if (Node->getThrowExpr()) {
615     OS << " ";
616     PrintExpr(Node->getThrowExpr());
617   }
618   OS << ";" << NL;
619 }
620 
621 void StmtPrinter::VisitObjCAvailabilityCheckExpr(
622     ObjCAvailabilityCheckExpr *Node) {
623   OS << "@available(...)";
624 }
625 
626 void StmtPrinter::VisitObjCAtSynchronizedStmt(ObjCAtSynchronizedStmt *Node) {
627   Indent() << "@synchronized (";
628   PrintExpr(Node->getSynchExpr());
629   OS << ")";
630   PrintRawCompoundStmt(Node->getSynchBody());
631   OS << NL;
632 }
633 
634 void StmtPrinter::VisitObjCAutoreleasePoolStmt(ObjCAutoreleasePoolStmt *Node) {
635   Indent() << "@autoreleasepool";
636   PrintRawCompoundStmt(dyn_cast<CompoundStmt>(Node->getSubStmt()));
637   OS << NL;
638 }
639 
640 void StmtPrinter::PrintRawCXXCatchStmt(CXXCatchStmt *Node) {
641   OS << "catch (";
642   if (Decl *ExDecl = Node->getExceptionDecl())
643     PrintRawDecl(ExDecl);
644   else
645     OS << "...";
646   OS << ") ";
647   PrintRawCompoundStmt(cast<CompoundStmt>(Node->getHandlerBlock()));
648 }
649 
650 void StmtPrinter::VisitCXXCatchStmt(CXXCatchStmt *Node) {
651   Indent();
652   PrintRawCXXCatchStmt(Node);
653   OS << NL;
654 }
655 
656 void StmtPrinter::VisitCXXTryStmt(CXXTryStmt *Node) {
657   Indent() << "try ";
658   PrintRawCompoundStmt(Node->getTryBlock());
659   for (unsigned i = 0, e = Node->getNumHandlers(); i < e; ++i) {
660     OS << " ";
661     PrintRawCXXCatchStmt(Node->getHandler(i));
662   }
663   OS << NL;
664 }
665 
666 void StmtPrinter::VisitSEHTryStmt(SEHTryStmt *Node) {
667   Indent() << (Node->getIsCXXTry() ? "try " : "__try ");
668   PrintRawCompoundStmt(Node->getTryBlock());
669   SEHExceptStmt *E = Node->getExceptHandler();
670   SEHFinallyStmt *F = Node->getFinallyHandler();
671   if(E)
672     PrintRawSEHExceptHandler(E);
673   else {
674     assert(F && "Must have a finally block...");
675     PrintRawSEHFinallyStmt(F);
676   }
677   OS << NL;
678 }
679 
680 void StmtPrinter::PrintRawSEHFinallyStmt(SEHFinallyStmt *Node) {
681   OS << "__finally ";
682   PrintRawCompoundStmt(Node->getBlock());
683   OS << NL;
684 }
685 
686 void StmtPrinter::PrintRawSEHExceptHandler(SEHExceptStmt *Node) {
687   OS << "__except (";
688   VisitExpr(Node->getFilterExpr());
689   OS << ")" << NL;
690   PrintRawCompoundStmt(Node->getBlock());
691   OS << NL;
692 }
693 
694 void StmtPrinter::VisitSEHExceptStmt(SEHExceptStmt *Node) {
695   Indent();
696   PrintRawSEHExceptHandler(Node);
697   OS << NL;
698 }
699 
700 void StmtPrinter::VisitSEHFinallyStmt(SEHFinallyStmt *Node) {
701   Indent();
702   PrintRawSEHFinallyStmt(Node);
703   OS << NL;
704 }
705 
706 void StmtPrinter::VisitSEHLeaveStmt(SEHLeaveStmt *Node) {
707   Indent() << "__leave;";
708   if (Policy.IncludeNewlines) OS << NL;
709 }
710 
711 //===----------------------------------------------------------------------===//
712 //  OpenMP directives printing methods
713 //===----------------------------------------------------------------------===//
714 
715 void StmtPrinter::VisitOMPCanonicalLoop(OMPCanonicalLoop *Node) {
716   PrintStmt(Node->getLoopStmt());
717 }
718 
719 void StmtPrinter::PrintOMPExecutableDirective(OMPExecutableDirective *S,
720                                               bool ForceNoStmt) {
721   OMPClausePrinter Printer(OS, Policy);
722   ArrayRef<OMPClause *> Clauses = S->clauses();
723   for (auto *Clause : Clauses)
724     if (Clause && !Clause->isImplicit()) {
725       OS << ' ';
726       Printer.Visit(Clause);
727     }
728   OS << NL;
729   if (!ForceNoStmt && S->hasAssociatedStmt())
730     PrintStmt(S->getRawStmt());
731 }
732 
733 void StmtPrinter::VisitOMPMetaDirective(OMPMetaDirective *Node) {
734   Indent() << "#pragma omp metadirective";
735   PrintOMPExecutableDirective(Node);
736 }
737 
738 void StmtPrinter::VisitOMPParallelDirective(OMPParallelDirective *Node) {
739   Indent() << "#pragma omp parallel";
740   PrintOMPExecutableDirective(Node);
741 }
742 
743 void StmtPrinter::VisitOMPSimdDirective(OMPSimdDirective *Node) {
744   Indent() << "#pragma omp simd";
745   PrintOMPExecutableDirective(Node);
746 }
747 
748 void StmtPrinter::VisitOMPTileDirective(OMPTileDirective *Node) {
749   Indent() << "#pragma omp tile";
750   PrintOMPExecutableDirective(Node);
751 }
752 
753 void StmtPrinter::VisitOMPUnrollDirective(OMPUnrollDirective *Node) {
754   Indent() << "#pragma omp unroll";
755   PrintOMPExecutableDirective(Node);
756 }
757 
758 void StmtPrinter::VisitOMPForDirective(OMPForDirective *Node) {
759   Indent() << "#pragma omp for";
760   PrintOMPExecutableDirective(Node);
761 }
762 
763 void StmtPrinter::VisitOMPForSimdDirective(OMPForSimdDirective *Node) {
764   Indent() << "#pragma omp for simd";
765   PrintOMPExecutableDirective(Node);
766 }
767 
768 void StmtPrinter::VisitOMPSectionsDirective(OMPSectionsDirective *Node) {
769   Indent() << "#pragma omp sections";
770   PrintOMPExecutableDirective(Node);
771 }
772 
773 void StmtPrinter::VisitOMPSectionDirective(OMPSectionDirective *Node) {
774   Indent() << "#pragma omp section";
775   PrintOMPExecutableDirective(Node);
776 }
777 
778 void StmtPrinter::VisitOMPSingleDirective(OMPSingleDirective *Node) {
779   Indent() << "#pragma omp single";
780   PrintOMPExecutableDirective(Node);
781 }
782 
783 void StmtPrinter::VisitOMPMasterDirective(OMPMasterDirective *Node) {
784   Indent() << "#pragma omp master";
785   PrintOMPExecutableDirective(Node);
786 }
787 
788 void StmtPrinter::VisitOMPCriticalDirective(OMPCriticalDirective *Node) {
789   Indent() << "#pragma omp critical";
790   if (Node->getDirectiveName().getName()) {
791     OS << " (";
792     Node->getDirectiveName().printName(OS, Policy);
793     OS << ")";
794   }
795   PrintOMPExecutableDirective(Node);
796 }
797 
798 void StmtPrinter::VisitOMPParallelForDirective(OMPParallelForDirective *Node) {
799   Indent() << "#pragma omp parallel for";
800   PrintOMPExecutableDirective(Node);
801 }
802 
803 void StmtPrinter::VisitOMPParallelForSimdDirective(
804     OMPParallelForSimdDirective *Node) {
805   Indent() << "#pragma omp parallel for simd";
806   PrintOMPExecutableDirective(Node);
807 }
808 
809 void StmtPrinter::VisitOMPParallelMasterDirective(
810     OMPParallelMasterDirective *Node) {
811   Indent() << "#pragma omp parallel master";
812   PrintOMPExecutableDirective(Node);
813 }
814 
815 void StmtPrinter::VisitOMPParallelMaskedDirective(
816     OMPParallelMaskedDirective *Node) {
817   Indent() << "#pragma omp parallel masked";
818   PrintOMPExecutableDirective(Node);
819 }
820 
821 void StmtPrinter::VisitOMPParallelSectionsDirective(
822     OMPParallelSectionsDirective *Node) {
823   Indent() << "#pragma omp parallel sections";
824   PrintOMPExecutableDirective(Node);
825 }
826 
827 void StmtPrinter::VisitOMPTaskDirective(OMPTaskDirective *Node) {
828   Indent() << "#pragma omp task";
829   PrintOMPExecutableDirective(Node);
830 }
831 
832 void StmtPrinter::VisitOMPTaskyieldDirective(OMPTaskyieldDirective *Node) {
833   Indent() << "#pragma omp taskyield";
834   PrintOMPExecutableDirective(Node);
835 }
836 
837 void StmtPrinter::VisitOMPBarrierDirective(OMPBarrierDirective *Node) {
838   Indent() << "#pragma omp barrier";
839   PrintOMPExecutableDirective(Node);
840 }
841 
842 void StmtPrinter::VisitOMPTaskwaitDirective(OMPTaskwaitDirective *Node) {
843   Indent() << "#pragma omp taskwait";
844   PrintOMPExecutableDirective(Node);
845 }
846 
847 void StmtPrinter::VisitOMPErrorDirective(OMPErrorDirective *Node) {
848   Indent() << "#pragma omp error";
849   PrintOMPExecutableDirective(Node);
850 }
851 
852 void StmtPrinter::VisitOMPTaskgroupDirective(OMPTaskgroupDirective *Node) {
853   Indent() << "#pragma omp taskgroup";
854   PrintOMPExecutableDirective(Node);
855 }
856 
857 void StmtPrinter::VisitOMPFlushDirective(OMPFlushDirective *Node) {
858   Indent() << "#pragma omp flush";
859   PrintOMPExecutableDirective(Node);
860 }
861 
862 void StmtPrinter::VisitOMPDepobjDirective(OMPDepobjDirective *Node) {
863   Indent() << "#pragma omp depobj";
864   PrintOMPExecutableDirective(Node);
865 }
866 
867 void StmtPrinter::VisitOMPScanDirective(OMPScanDirective *Node) {
868   Indent() << "#pragma omp scan";
869   PrintOMPExecutableDirective(Node);
870 }
871 
872 void StmtPrinter::VisitOMPOrderedDirective(OMPOrderedDirective *Node) {
873   Indent() << "#pragma omp ordered";
874   PrintOMPExecutableDirective(Node, Node->hasClausesOfKind<OMPDependClause>());
875 }
876 
877 void StmtPrinter::VisitOMPAtomicDirective(OMPAtomicDirective *Node) {
878   Indent() << "#pragma omp atomic";
879   PrintOMPExecutableDirective(Node);
880 }
881 
882 void StmtPrinter::VisitOMPTargetDirective(OMPTargetDirective *Node) {
883   Indent() << "#pragma omp target";
884   PrintOMPExecutableDirective(Node);
885 }
886 
887 void StmtPrinter::VisitOMPTargetDataDirective(OMPTargetDataDirective *Node) {
888   Indent() << "#pragma omp target data";
889   PrintOMPExecutableDirective(Node);
890 }
891 
892 void StmtPrinter::VisitOMPTargetEnterDataDirective(
893     OMPTargetEnterDataDirective *Node) {
894   Indent() << "#pragma omp target enter data";
895   PrintOMPExecutableDirective(Node, /*ForceNoStmt=*/true);
896 }
897 
898 void StmtPrinter::VisitOMPTargetExitDataDirective(
899     OMPTargetExitDataDirective *Node) {
900   Indent() << "#pragma omp target exit data";
901   PrintOMPExecutableDirective(Node, /*ForceNoStmt=*/true);
902 }
903 
904 void StmtPrinter::VisitOMPTargetParallelDirective(
905     OMPTargetParallelDirective *Node) {
906   Indent() << "#pragma omp target parallel";
907   PrintOMPExecutableDirective(Node);
908 }
909 
910 void StmtPrinter::VisitOMPTargetParallelForDirective(
911     OMPTargetParallelForDirective *Node) {
912   Indent() << "#pragma omp target parallel for";
913   PrintOMPExecutableDirective(Node);
914 }
915 
916 void StmtPrinter::VisitOMPTeamsDirective(OMPTeamsDirective *Node) {
917   Indent() << "#pragma omp teams";
918   PrintOMPExecutableDirective(Node);
919 }
920 
921 void StmtPrinter::VisitOMPCancellationPointDirective(
922     OMPCancellationPointDirective *Node) {
923   Indent() << "#pragma omp cancellation point "
924            << getOpenMPDirectiveName(Node->getCancelRegion());
925   PrintOMPExecutableDirective(Node);
926 }
927 
928 void StmtPrinter::VisitOMPCancelDirective(OMPCancelDirective *Node) {
929   Indent() << "#pragma omp cancel "
930            << getOpenMPDirectiveName(Node->getCancelRegion());
931   PrintOMPExecutableDirective(Node);
932 }
933 
934 void StmtPrinter::VisitOMPTaskLoopDirective(OMPTaskLoopDirective *Node) {
935   Indent() << "#pragma omp taskloop";
936   PrintOMPExecutableDirective(Node);
937 }
938 
939 void StmtPrinter::VisitOMPTaskLoopSimdDirective(
940     OMPTaskLoopSimdDirective *Node) {
941   Indent() << "#pragma omp taskloop simd";
942   PrintOMPExecutableDirective(Node);
943 }
944 
945 void StmtPrinter::VisitOMPMasterTaskLoopDirective(
946     OMPMasterTaskLoopDirective *Node) {
947   Indent() << "#pragma omp master taskloop";
948   PrintOMPExecutableDirective(Node);
949 }
950 
951 void StmtPrinter::VisitOMPMaskedTaskLoopDirective(
952     OMPMaskedTaskLoopDirective *Node) {
953   Indent() << "#pragma omp masked taskloop";
954   PrintOMPExecutableDirective(Node);
955 }
956 
957 void StmtPrinter::VisitOMPMasterTaskLoopSimdDirective(
958     OMPMasterTaskLoopSimdDirective *Node) {
959   Indent() << "#pragma omp master taskloop simd";
960   PrintOMPExecutableDirective(Node);
961 }
962 
963 void StmtPrinter::VisitOMPMaskedTaskLoopSimdDirective(
964     OMPMaskedTaskLoopSimdDirective *Node) {
965   Indent() << "#pragma omp masked taskloop simd";
966   PrintOMPExecutableDirective(Node);
967 }
968 
969 void StmtPrinter::VisitOMPParallelMasterTaskLoopDirective(
970     OMPParallelMasterTaskLoopDirective *Node) {
971   Indent() << "#pragma omp parallel master taskloop";
972   PrintOMPExecutableDirective(Node);
973 }
974 
975 void StmtPrinter::VisitOMPParallelMaskedTaskLoopDirective(
976     OMPParallelMaskedTaskLoopDirective *Node) {
977   Indent() << "#pragma omp parallel masked taskloop";
978   PrintOMPExecutableDirective(Node);
979 }
980 
981 void StmtPrinter::VisitOMPParallelMasterTaskLoopSimdDirective(
982     OMPParallelMasterTaskLoopSimdDirective *Node) {
983   Indent() << "#pragma omp parallel master taskloop simd";
984   PrintOMPExecutableDirective(Node);
985 }
986 
987 void StmtPrinter::VisitOMPParallelMaskedTaskLoopSimdDirective(
988     OMPParallelMaskedTaskLoopSimdDirective *Node) {
989   Indent() << "#pragma omp parallel masked taskloop simd";
990   PrintOMPExecutableDirective(Node);
991 }
992 
993 void StmtPrinter::VisitOMPDistributeDirective(OMPDistributeDirective *Node) {
994   Indent() << "#pragma omp distribute";
995   PrintOMPExecutableDirective(Node);
996 }
997 
998 void StmtPrinter::VisitOMPTargetUpdateDirective(
999     OMPTargetUpdateDirective *Node) {
1000   Indent() << "#pragma omp target update";
1001   PrintOMPExecutableDirective(Node, /*ForceNoStmt=*/true);
1002 }
1003 
1004 void StmtPrinter::VisitOMPDistributeParallelForDirective(
1005     OMPDistributeParallelForDirective *Node) {
1006   Indent() << "#pragma omp distribute parallel for";
1007   PrintOMPExecutableDirective(Node);
1008 }
1009 
1010 void StmtPrinter::VisitOMPDistributeParallelForSimdDirective(
1011     OMPDistributeParallelForSimdDirective *Node) {
1012   Indent() << "#pragma omp distribute parallel for simd";
1013   PrintOMPExecutableDirective(Node);
1014 }
1015 
1016 void StmtPrinter::VisitOMPDistributeSimdDirective(
1017     OMPDistributeSimdDirective *Node) {
1018   Indent() << "#pragma omp distribute simd";
1019   PrintOMPExecutableDirective(Node);
1020 }
1021 
1022 void StmtPrinter::VisitOMPTargetParallelForSimdDirective(
1023     OMPTargetParallelForSimdDirective *Node) {
1024   Indent() << "#pragma omp target parallel for simd";
1025   PrintOMPExecutableDirective(Node);
1026 }
1027 
1028 void StmtPrinter::VisitOMPTargetSimdDirective(OMPTargetSimdDirective *Node) {
1029   Indent() << "#pragma omp target simd";
1030   PrintOMPExecutableDirective(Node);
1031 }
1032 
1033 void StmtPrinter::VisitOMPTeamsDistributeDirective(
1034     OMPTeamsDistributeDirective *Node) {
1035   Indent() << "#pragma omp teams distribute";
1036   PrintOMPExecutableDirective(Node);
1037 }
1038 
1039 void StmtPrinter::VisitOMPTeamsDistributeSimdDirective(
1040     OMPTeamsDistributeSimdDirective *Node) {
1041   Indent() << "#pragma omp teams distribute simd";
1042   PrintOMPExecutableDirective(Node);
1043 }
1044 
1045 void StmtPrinter::VisitOMPTeamsDistributeParallelForSimdDirective(
1046     OMPTeamsDistributeParallelForSimdDirective *Node) {
1047   Indent() << "#pragma omp teams distribute parallel for simd";
1048   PrintOMPExecutableDirective(Node);
1049 }
1050 
1051 void StmtPrinter::VisitOMPTeamsDistributeParallelForDirective(
1052     OMPTeamsDistributeParallelForDirective *Node) {
1053   Indent() << "#pragma omp teams distribute parallel for";
1054   PrintOMPExecutableDirective(Node);
1055 }
1056 
1057 void StmtPrinter::VisitOMPTargetTeamsDirective(OMPTargetTeamsDirective *Node) {
1058   Indent() << "#pragma omp target teams";
1059   PrintOMPExecutableDirective(Node);
1060 }
1061 
1062 void StmtPrinter::VisitOMPTargetTeamsDistributeDirective(
1063     OMPTargetTeamsDistributeDirective *Node) {
1064   Indent() << "#pragma omp target teams distribute";
1065   PrintOMPExecutableDirective(Node);
1066 }
1067 
1068 void StmtPrinter::VisitOMPTargetTeamsDistributeParallelForDirective(
1069     OMPTargetTeamsDistributeParallelForDirective *Node) {
1070   Indent() << "#pragma omp target teams distribute parallel for";
1071   PrintOMPExecutableDirective(Node);
1072 }
1073 
1074 void StmtPrinter::VisitOMPTargetTeamsDistributeParallelForSimdDirective(
1075     OMPTargetTeamsDistributeParallelForSimdDirective *Node) {
1076   Indent() << "#pragma omp target teams distribute parallel for simd";
1077   PrintOMPExecutableDirective(Node);
1078 }
1079 
1080 void StmtPrinter::VisitOMPTargetTeamsDistributeSimdDirective(
1081     OMPTargetTeamsDistributeSimdDirective *Node) {
1082   Indent() << "#pragma omp target teams distribute simd";
1083   PrintOMPExecutableDirective(Node);
1084 }
1085 
1086 void StmtPrinter::VisitOMPInteropDirective(OMPInteropDirective *Node) {
1087   Indent() << "#pragma omp interop";
1088   PrintOMPExecutableDirective(Node);
1089 }
1090 
1091 void StmtPrinter::VisitOMPDispatchDirective(OMPDispatchDirective *Node) {
1092   Indent() << "#pragma omp dispatch";
1093   PrintOMPExecutableDirective(Node);
1094 }
1095 
1096 void StmtPrinter::VisitOMPMaskedDirective(OMPMaskedDirective *Node) {
1097   Indent() << "#pragma omp masked";
1098   PrintOMPExecutableDirective(Node);
1099 }
1100 
1101 void StmtPrinter::VisitOMPGenericLoopDirective(OMPGenericLoopDirective *Node) {
1102   Indent() << "#pragma omp loop";
1103   PrintOMPExecutableDirective(Node);
1104 }
1105 
1106 void StmtPrinter::VisitOMPTeamsGenericLoopDirective(
1107     OMPTeamsGenericLoopDirective *Node) {
1108   Indent() << "#pragma omp teams loop";
1109   PrintOMPExecutableDirective(Node);
1110 }
1111 
1112 void StmtPrinter::VisitOMPTargetTeamsGenericLoopDirective(
1113     OMPTargetTeamsGenericLoopDirective *Node) {
1114   Indent() << "#pragma omp target teams loop";
1115   PrintOMPExecutableDirective(Node);
1116 }
1117 
1118 void StmtPrinter::VisitOMPParallelGenericLoopDirective(
1119     OMPParallelGenericLoopDirective *Node) {
1120   Indent() << "#pragma omp parallel loop";
1121   PrintOMPExecutableDirective(Node);
1122 }
1123 
1124 void StmtPrinter::VisitOMPTargetParallelGenericLoopDirective(
1125     OMPTargetParallelGenericLoopDirective *Node) {
1126   Indent() << "#pragma omp target parallel loop";
1127   PrintOMPExecutableDirective(Node);
1128 }
1129 
1130 //===----------------------------------------------------------------------===//
1131 //  Expr printing methods.
1132 //===----------------------------------------------------------------------===//
1133 
1134 void StmtPrinter::VisitSourceLocExpr(SourceLocExpr *Node) {
1135   OS << Node->getBuiltinStr() << "()";
1136 }
1137 
1138 void StmtPrinter::VisitConstantExpr(ConstantExpr *Node) {
1139   PrintExpr(Node->getSubExpr());
1140 }
1141 
1142 void StmtPrinter::VisitDeclRefExpr(DeclRefExpr *Node) {
1143   if (const auto *OCED = dyn_cast<OMPCapturedExprDecl>(Node->getDecl())) {
1144     OCED->getInit()->IgnoreImpCasts()->printPretty(OS, nullptr, Policy);
1145     return;
1146   }
1147   if (const auto *TPOD = dyn_cast<TemplateParamObjectDecl>(Node->getDecl())) {
1148     TPOD->printAsExpr(OS, Policy);
1149     return;
1150   }
1151   if (NestedNameSpecifier *Qualifier = Node->getQualifier())
1152     Qualifier->print(OS, Policy);
1153   if (Node->hasTemplateKeyword())
1154     OS << "template ";
1155   if (Policy.CleanUglifiedParameters &&
1156       isa<ParmVarDecl, NonTypeTemplateParmDecl>(Node->getDecl()) &&
1157       Node->getDecl()->getIdentifier())
1158     OS << Node->getDecl()->getIdentifier()->deuglifiedName();
1159   else
1160     Node->getNameInfo().printName(OS, Policy);
1161   if (Node->hasExplicitTemplateArgs()) {
1162     const TemplateParameterList *TPL = nullptr;
1163     if (!Node->hadMultipleCandidates())
1164       if (auto *TD = dyn_cast<TemplateDecl>(Node->getDecl()))
1165         TPL = TD->getTemplateParameters();
1166     printTemplateArgumentList(OS, Node->template_arguments(), Policy, TPL);
1167   }
1168 }
1169 
1170 void StmtPrinter::VisitDependentScopeDeclRefExpr(
1171                                            DependentScopeDeclRefExpr *Node) {
1172   if (NestedNameSpecifier *Qualifier = Node->getQualifier())
1173     Qualifier->print(OS, Policy);
1174   if (Node->hasTemplateKeyword())
1175     OS << "template ";
1176   OS << Node->getNameInfo();
1177   if (Node->hasExplicitTemplateArgs())
1178     printTemplateArgumentList(OS, Node->template_arguments(), Policy);
1179 }
1180 
1181 void StmtPrinter::VisitUnresolvedLookupExpr(UnresolvedLookupExpr *Node) {
1182   if (Node->getQualifier())
1183     Node->getQualifier()->print(OS, Policy);
1184   if (Node->hasTemplateKeyword())
1185     OS << "template ";
1186   OS << Node->getNameInfo();
1187   if (Node->hasExplicitTemplateArgs())
1188     printTemplateArgumentList(OS, Node->template_arguments(), Policy);
1189 }
1190 
1191 static bool isImplicitSelf(const Expr *E) {
1192   if (const auto *DRE = dyn_cast<DeclRefExpr>(E)) {
1193     if (const auto *PD = dyn_cast<ImplicitParamDecl>(DRE->getDecl())) {
1194       if (PD->getParameterKind() == ImplicitParamDecl::ObjCSelf &&
1195           DRE->getBeginLoc().isInvalid())
1196         return true;
1197     }
1198   }
1199   return false;
1200 }
1201 
1202 void StmtPrinter::VisitObjCIvarRefExpr(ObjCIvarRefExpr *Node) {
1203   if (Node->getBase()) {
1204     if (!Policy.SuppressImplicitBase ||
1205         !isImplicitSelf(Node->getBase()->IgnoreImpCasts())) {
1206       PrintExpr(Node->getBase());
1207       OS << (Node->isArrow() ? "->" : ".");
1208     }
1209   }
1210   OS << *Node->getDecl();
1211 }
1212 
1213 void StmtPrinter::VisitObjCPropertyRefExpr(ObjCPropertyRefExpr *Node) {
1214   if (Node->isSuperReceiver())
1215     OS << "super.";
1216   else if (Node->isObjectReceiver() && Node->getBase()) {
1217     PrintExpr(Node->getBase());
1218     OS << ".";
1219   } else if (Node->isClassReceiver() && Node->getClassReceiver()) {
1220     OS << Node->getClassReceiver()->getName() << ".";
1221   }
1222 
1223   if (Node->isImplicitProperty()) {
1224     if (const auto *Getter = Node->getImplicitPropertyGetter())
1225       Getter->getSelector().print(OS);
1226     else
1227       OS << SelectorTable::getPropertyNameFromSetterSelector(
1228           Node->getImplicitPropertySetter()->getSelector());
1229   } else
1230     OS << Node->getExplicitProperty()->getName();
1231 }
1232 
1233 void StmtPrinter::VisitObjCSubscriptRefExpr(ObjCSubscriptRefExpr *Node) {
1234   PrintExpr(Node->getBaseExpr());
1235   OS << "[";
1236   PrintExpr(Node->getKeyExpr());
1237   OS << "]";
1238 }
1239 
1240 void StmtPrinter::VisitSYCLUniqueStableNameExpr(
1241     SYCLUniqueStableNameExpr *Node) {
1242   OS << "__builtin_sycl_unique_stable_name(";
1243   Node->getTypeSourceInfo()->getType().print(OS, Policy);
1244   OS << ")";
1245 }
1246 
1247 void StmtPrinter::VisitPredefinedExpr(PredefinedExpr *Node) {
1248   OS << PredefinedExpr::getIdentKindName(Node->getIdentKind());
1249 }
1250 
1251 void StmtPrinter::VisitCharacterLiteral(CharacterLiteral *Node) {
1252   CharacterLiteral::print(Node->getValue(), Node->getKind(), OS);
1253 }
1254 
1255 /// Prints the given expression using the original source text. Returns true on
1256 /// success, false otherwise.
1257 static bool printExprAsWritten(raw_ostream &OS, Expr *E,
1258                                const ASTContext *Context) {
1259   if (!Context)
1260     return false;
1261   bool Invalid = false;
1262   StringRef Source = Lexer::getSourceText(
1263       CharSourceRange::getTokenRange(E->getSourceRange()),
1264       Context->getSourceManager(), Context->getLangOpts(), &Invalid);
1265   if (!Invalid) {
1266     OS << Source;
1267     return true;
1268   }
1269   return false;
1270 }
1271 
1272 void StmtPrinter::VisitIntegerLiteral(IntegerLiteral *Node) {
1273   if (Policy.ConstantsAsWritten && printExprAsWritten(OS, Node, Context))
1274     return;
1275   bool isSigned = Node->getType()->isSignedIntegerType();
1276   OS << toString(Node->getValue(), 10, isSigned);
1277 
1278   if (isa<BitIntType>(Node->getType())) {
1279     OS << (isSigned ? "wb" : "uwb");
1280     return;
1281   }
1282 
1283   // Emit suffixes.  Integer literals are always a builtin integer type.
1284   switch (Node->getType()->castAs<BuiltinType>()->getKind()) {
1285   default: llvm_unreachable("Unexpected type for integer literal!");
1286   case BuiltinType::Char_S:
1287   case BuiltinType::Char_U:    OS << "i8"; break;
1288   case BuiltinType::UChar:     OS << "Ui8"; break;
1289   case BuiltinType::SChar:     OS << "i8"; break;
1290   case BuiltinType::Short:     OS << "i16"; break;
1291   case BuiltinType::UShort:    OS << "Ui16"; break;
1292   case BuiltinType::Int:       break; // no suffix.
1293   case BuiltinType::UInt:      OS << 'U'; break;
1294   case BuiltinType::Long:      OS << 'L'; break;
1295   case BuiltinType::ULong:     OS << "UL"; break;
1296   case BuiltinType::LongLong:  OS << "LL"; break;
1297   case BuiltinType::ULongLong: OS << "ULL"; break;
1298   case BuiltinType::Int128:
1299     break; // no suffix.
1300   case BuiltinType::UInt128:
1301     break; // no suffix.
1302   case BuiltinType::WChar_S:
1303   case BuiltinType::WChar_U:
1304     break; // no suffix
1305   }
1306 }
1307 
1308 void StmtPrinter::VisitFixedPointLiteral(FixedPointLiteral *Node) {
1309   if (Policy.ConstantsAsWritten && printExprAsWritten(OS, Node, Context))
1310     return;
1311   OS << Node->getValueAsString(/*Radix=*/10);
1312 
1313   switch (Node->getType()->castAs<BuiltinType>()->getKind()) {
1314     default: llvm_unreachable("Unexpected type for fixed point literal!");
1315     case BuiltinType::ShortFract:   OS << "hr"; break;
1316     case BuiltinType::ShortAccum:   OS << "hk"; break;
1317     case BuiltinType::UShortFract:  OS << "uhr"; break;
1318     case BuiltinType::UShortAccum:  OS << "uhk"; break;
1319     case BuiltinType::Fract:        OS << "r"; break;
1320     case BuiltinType::Accum:        OS << "k"; break;
1321     case BuiltinType::UFract:       OS << "ur"; break;
1322     case BuiltinType::UAccum:       OS << "uk"; break;
1323     case BuiltinType::LongFract:    OS << "lr"; break;
1324     case BuiltinType::LongAccum:    OS << "lk"; break;
1325     case BuiltinType::ULongFract:   OS << "ulr"; break;
1326     case BuiltinType::ULongAccum:   OS << "ulk"; break;
1327   }
1328 }
1329 
1330 static void PrintFloatingLiteral(raw_ostream &OS, FloatingLiteral *Node,
1331                                  bool PrintSuffix) {
1332   SmallString<16> Str;
1333   Node->getValue().toString(Str);
1334   OS << Str;
1335   if (Str.find_first_not_of("-0123456789") == StringRef::npos)
1336     OS << '.'; // Trailing dot in order to separate from ints.
1337 
1338   if (!PrintSuffix)
1339     return;
1340 
1341   // Emit suffixes.  Float literals are always a builtin float type.
1342   switch (Node->getType()->castAs<BuiltinType>()->getKind()) {
1343   default: llvm_unreachable("Unexpected type for float literal!");
1344   case BuiltinType::Half:       break; // FIXME: suffix?
1345   case BuiltinType::Ibm128:     break; // FIXME: No suffix for ibm128 literal
1346   case BuiltinType::Double:     break; // no suffix.
1347   case BuiltinType::Float16:    OS << "F16"; break;
1348   case BuiltinType::Float:      OS << 'F'; break;
1349   case BuiltinType::LongDouble: OS << 'L'; break;
1350   case BuiltinType::Float128:   OS << 'Q'; break;
1351   }
1352 }
1353 
1354 void StmtPrinter::VisitFloatingLiteral(FloatingLiteral *Node) {
1355   if (Policy.ConstantsAsWritten && printExprAsWritten(OS, Node, Context))
1356     return;
1357   PrintFloatingLiteral(OS, Node, /*PrintSuffix=*/true);
1358 }
1359 
1360 void StmtPrinter::VisitImaginaryLiteral(ImaginaryLiteral *Node) {
1361   PrintExpr(Node->getSubExpr());
1362   OS << "i";
1363 }
1364 
1365 void StmtPrinter::VisitStringLiteral(StringLiteral *Str) {
1366   Str->outputString(OS);
1367 }
1368 
1369 void StmtPrinter::VisitParenExpr(ParenExpr *Node) {
1370   OS << "(";
1371   PrintExpr(Node->getSubExpr());
1372   OS << ")";
1373 }
1374 
1375 void StmtPrinter::VisitUnaryOperator(UnaryOperator *Node) {
1376   if (!Node->isPostfix()) {
1377     OS << UnaryOperator::getOpcodeStr(Node->getOpcode());
1378 
1379     // Print a space if this is an "identifier operator" like __real, or if
1380     // it might be concatenated incorrectly like '+'.
1381     switch (Node->getOpcode()) {
1382     default: break;
1383     case UO_Real:
1384     case UO_Imag:
1385     case UO_Extension:
1386       OS << ' ';
1387       break;
1388     case UO_Plus:
1389     case UO_Minus:
1390       if (isa<UnaryOperator>(Node->getSubExpr()))
1391         OS << ' ';
1392       break;
1393     }
1394   }
1395   PrintExpr(Node->getSubExpr());
1396 
1397   if (Node->isPostfix())
1398     OS << UnaryOperator::getOpcodeStr(Node->getOpcode());
1399 }
1400 
1401 void StmtPrinter::VisitOffsetOfExpr(OffsetOfExpr *Node) {
1402   OS << "__builtin_offsetof(";
1403   Node->getTypeSourceInfo()->getType().print(OS, Policy);
1404   OS << ", ";
1405   bool PrintedSomething = false;
1406   for (unsigned i = 0, n = Node->getNumComponents(); i < n; ++i) {
1407     OffsetOfNode ON = Node->getComponent(i);
1408     if (ON.getKind() == OffsetOfNode::Array) {
1409       // Array node
1410       OS << "[";
1411       PrintExpr(Node->getIndexExpr(ON.getArrayExprIndex()));
1412       OS << "]";
1413       PrintedSomething = true;
1414       continue;
1415     }
1416 
1417     // Skip implicit base indirections.
1418     if (ON.getKind() == OffsetOfNode::Base)
1419       continue;
1420 
1421     // Field or identifier node.
1422     IdentifierInfo *Id = ON.getFieldName();
1423     if (!Id)
1424       continue;
1425 
1426     if (PrintedSomething)
1427       OS << ".";
1428     else
1429       PrintedSomething = true;
1430     OS << Id->getName();
1431   }
1432   OS << ")";
1433 }
1434 
1435 void StmtPrinter::VisitUnaryExprOrTypeTraitExpr(
1436     UnaryExprOrTypeTraitExpr *Node) {
1437   const char *Spelling = getTraitSpelling(Node->getKind());
1438   if (Node->getKind() == UETT_AlignOf) {
1439     if (Policy.Alignof)
1440       Spelling = "alignof";
1441     else if (Policy.UnderscoreAlignof)
1442       Spelling = "_Alignof";
1443     else
1444       Spelling = "__alignof";
1445   }
1446 
1447   OS << Spelling;
1448 
1449   if (Node->isArgumentType()) {
1450     OS << '(';
1451     Node->getArgumentType().print(OS, Policy);
1452     OS << ')';
1453   } else {
1454     OS << " ";
1455     PrintExpr(Node->getArgumentExpr());
1456   }
1457 }
1458 
1459 void StmtPrinter::VisitGenericSelectionExpr(GenericSelectionExpr *Node) {
1460   OS << "_Generic(";
1461   PrintExpr(Node->getControllingExpr());
1462   for (const GenericSelectionExpr::Association Assoc : Node->associations()) {
1463     OS << ", ";
1464     QualType T = Assoc.getType();
1465     if (T.isNull())
1466       OS << "default";
1467     else
1468       T.print(OS, Policy);
1469     OS << ": ";
1470     PrintExpr(Assoc.getAssociationExpr());
1471   }
1472   OS << ")";
1473 }
1474 
1475 void StmtPrinter::VisitArraySubscriptExpr(ArraySubscriptExpr *Node) {
1476   PrintExpr(Node->getLHS());
1477   OS << "[";
1478   PrintExpr(Node->getRHS());
1479   OS << "]";
1480 }
1481 
1482 void StmtPrinter::VisitMatrixSubscriptExpr(MatrixSubscriptExpr *Node) {
1483   PrintExpr(Node->getBase());
1484   OS << "[";
1485   PrintExpr(Node->getRowIdx());
1486   OS << "]";
1487   OS << "[";
1488   PrintExpr(Node->getColumnIdx());
1489   OS << "]";
1490 }
1491 
1492 void StmtPrinter::VisitOMPArraySectionExpr(OMPArraySectionExpr *Node) {
1493   PrintExpr(Node->getBase());
1494   OS << "[";
1495   if (Node->getLowerBound())
1496     PrintExpr(Node->getLowerBound());
1497   if (Node->getColonLocFirst().isValid()) {
1498     OS << ":";
1499     if (Node->getLength())
1500       PrintExpr(Node->getLength());
1501   }
1502   if (Node->getColonLocSecond().isValid()) {
1503     OS << ":";
1504     if (Node->getStride())
1505       PrintExpr(Node->getStride());
1506   }
1507   OS << "]";
1508 }
1509 
1510 void StmtPrinter::VisitOMPArrayShapingExpr(OMPArrayShapingExpr *Node) {
1511   OS << "(";
1512   for (Expr *E : Node->getDimensions()) {
1513     OS << "[";
1514     PrintExpr(E);
1515     OS << "]";
1516   }
1517   OS << ")";
1518   PrintExpr(Node->getBase());
1519 }
1520 
1521 void StmtPrinter::VisitOMPIteratorExpr(OMPIteratorExpr *Node) {
1522   OS << "iterator(";
1523   for (unsigned I = 0, E = Node->numOfIterators(); I < E; ++I) {
1524     auto *VD = cast<ValueDecl>(Node->getIteratorDecl(I));
1525     VD->getType().print(OS, Policy);
1526     const OMPIteratorExpr::IteratorRange Range = Node->getIteratorRange(I);
1527     OS << " " << VD->getName() << " = ";
1528     PrintExpr(Range.Begin);
1529     OS << ":";
1530     PrintExpr(Range.End);
1531     if (Range.Step) {
1532       OS << ":";
1533       PrintExpr(Range.Step);
1534     }
1535     if (I < E - 1)
1536       OS << ", ";
1537   }
1538   OS << ")";
1539 }
1540 
1541 void StmtPrinter::PrintCallArgs(CallExpr *Call) {
1542   for (unsigned i = 0, e = Call->getNumArgs(); i != e; ++i) {
1543     if (isa<CXXDefaultArgExpr>(Call->getArg(i))) {
1544       // Don't print any defaulted arguments
1545       break;
1546     }
1547 
1548     if (i) OS << ", ";
1549     PrintExpr(Call->getArg(i));
1550   }
1551 }
1552 
1553 void StmtPrinter::VisitCallExpr(CallExpr *Call) {
1554   PrintExpr(Call->getCallee());
1555   OS << "(";
1556   PrintCallArgs(Call);
1557   OS << ")";
1558 }
1559 
1560 static bool isImplicitThis(const Expr *E) {
1561   if (const auto *TE = dyn_cast<CXXThisExpr>(E))
1562     return TE->isImplicit();
1563   return false;
1564 }
1565 
1566 void StmtPrinter::VisitMemberExpr(MemberExpr *Node) {
1567   if (!Policy.SuppressImplicitBase || !isImplicitThis(Node->getBase())) {
1568     PrintExpr(Node->getBase());
1569 
1570     auto *ParentMember = dyn_cast<MemberExpr>(Node->getBase());
1571     FieldDecl *ParentDecl =
1572         ParentMember ? dyn_cast<FieldDecl>(ParentMember->getMemberDecl())
1573                      : nullptr;
1574 
1575     if (!ParentDecl || !ParentDecl->isAnonymousStructOrUnion())
1576       OS << (Node->isArrow() ? "->" : ".");
1577   }
1578 
1579   if (auto *FD = dyn_cast<FieldDecl>(Node->getMemberDecl()))
1580     if (FD->isAnonymousStructOrUnion())
1581       return;
1582 
1583   if (NestedNameSpecifier *Qualifier = Node->getQualifier())
1584     Qualifier->print(OS, Policy);
1585   if (Node->hasTemplateKeyword())
1586     OS << "template ";
1587   OS << Node->getMemberNameInfo();
1588   const TemplateParameterList *TPL = nullptr;
1589   if (auto *FD = dyn_cast<FunctionDecl>(Node->getMemberDecl())) {
1590     if (!Node->hadMultipleCandidates())
1591       if (auto *FTD = FD->getPrimaryTemplate())
1592         TPL = FTD->getTemplateParameters();
1593   } else if (auto *VTSD =
1594                  dyn_cast<VarTemplateSpecializationDecl>(Node->getMemberDecl()))
1595     TPL = VTSD->getSpecializedTemplate()->getTemplateParameters();
1596   if (Node->hasExplicitTemplateArgs())
1597     printTemplateArgumentList(OS, Node->template_arguments(), Policy, TPL);
1598 }
1599 
1600 void StmtPrinter::VisitObjCIsaExpr(ObjCIsaExpr *Node) {
1601   PrintExpr(Node->getBase());
1602   OS << (Node->isArrow() ? "->isa" : ".isa");
1603 }
1604 
1605 void StmtPrinter::VisitExtVectorElementExpr(ExtVectorElementExpr *Node) {
1606   PrintExpr(Node->getBase());
1607   OS << ".";
1608   OS << Node->getAccessor().getName();
1609 }
1610 
1611 void StmtPrinter::VisitCStyleCastExpr(CStyleCastExpr *Node) {
1612   OS << '(';
1613   Node->getTypeAsWritten().print(OS, Policy);
1614   OS << ')';
1615   PrintExpr(Node->getSubExpr());
1616 }
1617 
1618 void StmtPrinter::VisitCompoundLiteralExpr(CompoundLiteralExpr *Node) {
1619   OS << '(';
1620   Node->getType().print(OS, Policy);
1621   OS << ')';
1622   PrintExpr(Node->getInitializer());
1623 }
1624 
1625 void StmtPrinter::VisitImplicitCastExpr(ImplicitCastExpr *Node) {
1626   // No need to print anything, simply forward to the subexpression.
1627   PrintExpr(Node->getSubExpr());
1628 }
1629 
1630 void StmtPrinter::VisitBinaryOperator(BinaryOperator *Node) {
1631   PrintExpr(Node->getLHS());
1632   OS << " " << BinaryOperator::getOpcodeStr(Node->getOpcode()) << " ";
1633   PrintExpr(Node->getRHS());
1634 }
1635 
1636 void StmtPrinter::VisitCompoundAssignOperator(CompoundAssignOperator *Node) {
1637   PrintExpr(Node->getLHS());
1638   OS << " " << BinaryOperator::getOpcodeStr(Node->getOpcode()) << " ";
1639   PrintExpr(Node->getRHS());
1640 }
1641 
1642 void StmtPrinter::VisitConditionalOperator(ConditionalOperator *Node) {
1643   PrintExpr(Node->getCond());
1644   OS << " ? ";
1645   PrintExpr(Node->getLHS());
1646   OS << " : ";
1647   PrintExpr(Node->getRHS());
1648 }
1649 
1650 // GNU extensions.
1651 
1652 void
1653 StmtPrinter::VisitBinaryConditionalOperator(BinaryConditionalOperator *Node) {
1654   PrintExpr(Node->getCommon());
1655   OS << " ?: ";
1656   PrintExpr(Node->getFalseExpr());
1657 }
1658 
1659 void StmtPrinter::VisitAddrLabelExpr(AddrLabelExpr *Node) {
1660   OS << "&&" << Node->getLabel()->getName();
1661 }
1662 
1663 void StmtPrinter::VisitStmtExpr(StmtExpr *E) {
1664   OS << "(";
1665   PrintRawCompoundStmt(E->getSubStmt());
1666   OS << ")";
1667 }
1668 
1669 void StmtPrinter::VisitChooseExpr(ChooseExpr *Node) {
1670   OS << "__builtin_choose_expr(";
1671   PrintExpr(Node->getCond());
1672   OS << ", ";
1673   PrintExpr(Node->getLHS());
1674   OS << ", ";
1675   PrintExpr(Node->getRHS());
1676   OS << ")";
1677 }
1678 
1679 void StmtPrinter::VisitGNUNullExpr(GNUNullExpr *) {
1680   OS << "__null";
1681 }
1682 
1683 void StmtPrinter::VisitShuffleVectorExpr(ShuffleVectorExpr *Node) {
1684   OS << "__builtin_shufflevector(";
1685   for (unsigned i = 0, e = Node->getNumSubExprs(); i != e; ++i) {
1686     if (i) OS << ", ";
1687     PrintExpr(Node->getExpr(i));
1688   }
1689   OS << ")";
1690 }
1691 
1692 void StmtPrinter::VisitConvertVectorExpr(ConvertVectorExpr *Node) {
1693   OS << "__builtin_convertvector(";
1694   PrintExpr(Node->getSrcExpr());
1695   OS << ", ";
1696   Node->getType().print(OS, Policy);
1697   OS << ")";
1698 }
1699 
1700 void StmtPrinter::VisitInitListExpr(InitListExpr* Node) {
1701   if (Node->getSyntacticForm()) {
1702     Visit(Node->getSyntacticForm());
1703     return;
1704   }
1705 
1706   OS << "{";
1707   for (unsigned i = 0, e = Node->getNumInits(); i != e; ++i) {
1708     if (i) OS << ", ";
1709     if (Node->getInit(i))
1710       PrintExpr(Node->getInit(i));
1711     else
1712       OS << "{}";
1713   }
1714   OS << "}";
1715 }
1716 
1717 void StmtPrinter::VisitArrayInitLoopExpr(ArrayInitLoopExpr *Node) {
1718   // There's no way to express this expression in any of our supported
1719   // languages, so just emit something terse and (hopefully) clear.
1720   OS << "{";
1721   PrintExpr(Node->getSubExpr());
1722   OS << "}";
1723 }
1724 
1725 void StmtPrinter::VisitArrayInitIndexExpr(ArrayInitIndexExpr *Node) {
1726   OS << "*";
1727 }
1728 
1729 void StmtPrinter::VisitParenListExpr(ParenListExpr* Node) {
1730   OS << "(";
1731   for (unsigned i = 0, e = Node->getNumExprs(); i != e; ++i) {
1732     if (i) OS << ", ";
1733     PrintExpr(Node->getExpr(i));
1734   }
1735   OS << ")";
1736 }
1737 
1738 void StmtPrinter::VisitDesignatedInitExpr(DesignatedInitExpr *Node) {
1739   bool NeedsEquals = true;
1740   for (const DesignatedInitExpr::Designator &D : Node->designators()) {
1741     if (D.isFieldDesignator()) {
1742       if (D.getDotLoc().isInvalid()) {
1743         if (IdentifierInfo *II = D.getFieldName()) {
1744           OS << II->getName() << ":";
1745           NeedsEquals = false;
1746         }
1747       } else {
1748         OS << "." << D.getFieldName()->getName();
1749       }
1750     } else {
1751       OS << "[";
1752       if (D.isArrayDesignator()) {
1753         PrintExpr(Node->getArrayIndex(D));
1754       } else {
1755         PrintExpr(Node->getArrayRangeStart(D));
1756         OS << " ... ";
1757         PrintExpr(Node->getArrayRangeEnd(D));
1758       }
1759       OS << "]";
1760     }
1761   }
1762 
1763   if (NeedsEquals)
1764     OS << " = ";
1765   else
1766     OS << " ";
1767   PrintExpr(Node->getInit());
1768 }
1769 
1770 void StmtPrinter::VisitDesignatedInitUpdateExpr(
1771     DesignatedInitUpdateExpr *Node) {
1772   OS << "{";
1773   OS << "/*base*/";
1774   PrintExpr(Node->getBase());
1775   OS << ", ";
1776 
1777   OS << "/*updater*/";
1778   PrintExpr(Node->getUpdater());
1779   OS << "}";
1780 }
1781 
1782 void StmtPrinter::VisitNoInitExpr(NoInitExpr *Node) {
1783   OS << "/*no init*/";
1784 }
1785 
1786 void StmtPrinter::VisitImplicitValueInitExpr(ImplicitValueInitExpr *Node) {
1787   if (Node->getType()->getAsCXXRecordDecl()) {
1788     OS << "/*implicit*/";
1789     Node->getType().print(OS, Policy);
1790     OS << "()";
1791   } else {
1792     OS << "/*implicit*/(";
1793     Node->getType().print(OS, Policy);
1794     OS << ')';
1795     if (Node->getType()->isRecordType())
1796       OS << "{}";
1797     else
1798       OS << 0;
1799   }
1800 }
1801 
1802 void StmtPrinter::VisitVAArgExpr(VAArgExpr *Node) {
1803   OS << "__builtin_va_arg(";
1804   PrintExpr(Node->getSubExpr());
1805   OS << ", ";
1806   Node->getType().print(OS, Policy);
1807   OS << ")";
1808 }
1809 
1810 void StmtPrinter::VisitPseudoObjectExpr(PseudoObjectExpr *Node) {
1811   PrintExpr(Node->getSyntacticForm());
1812 }
1813 
1814 void StmtPrinter::VisitAtomicExpr(AtomicExpr *Node) {
1815   const char *Name = nullptr;
1816   switch (Node->getOp()) {
1817 #define BUILTIN(ID, TYPE, ATTRS)
1818 #define ATOMIC_BUILTIN(ID, TYPE, ATTRS) \
1819   case AtomicExpr::AO ## ID: \
1820     Name = #ID "("; \
1821     break;
1822 #include "clang/Basic/Builtins.def"
1823   }
1824   OS << Name;
1825 
1826   // AtomicExpr stores its subexpressions in a permuted order.
1827   PrintExpr(Node->getPtr());
1828   if (Node->getOp() != AtomicExpr::AO__c11_atomic_load &&
1829       Node->getOp() != AtomicExpr::AO__atomic_load_n &&
1830       Node->getOp() != AtomicExpr::AO__opencl_atomic_load &&
1831       Node->getOp() != AtomicExpr::AO__hip_atomic_load) {
1832     OS << ", ";
1833     PrintExpr(Node->getVal1());
1834   }
1835   if (Node->getOp() == AtomicExpr::AO__atomic_exchange ||
1836       Node->isCmpXChg()) {
1837     OS << ", ";
1838     PrintExpr(Node->getVal2());
1839   }
1840   if (Node->getOp() == AtomicExpr::AO__atomic_compare_exchange ||
1841       Node->getOp() == AtomicExpr::AO__atomic_compare_exchange_n) {
1842     OS << ", ";
1843     PrintExpr(Node->getWeak());
1844   }
1845   if (Node->getOp() != AtomicExpr::AO__c11_atomic_init &&
1846       Node->getOp() != AtomicExpr::AO__opencl_atomic_init) {
1847     OS << ", ";
1848     PrintExpr(Node->getOrder());
1849   }
1850   if (Node->isCmpXChg()) {
1851     OS << ", ";
1852     PrintExpr(Node->getOrderFail());
1853   }
1854   OS << ")";
1855 }
1856 
1857 // C++
1858 void StmtPrinter::VisitCXXOperatorCallExpr(CXXOperatorCallExpr *Node) {
1859   OverloadedOperatorKind Kind = Node->getOperator();
1860   if (Kind == OO_PlusPlus || Kind == OO_MinusMinus) {
1861     if (Node->getNumArgs() == 1) {
1862       OS << getOperatorSpelling(Kind) << ' ';
1863       PrintExpr(Node->getArg(0));
1864     } else {
1865       PrintExpr(Node->getArg(0));
1866       OS << ' ' << getOperatorSpelling(Kind);
1867     }
1868   } else if (Kind == OO_Arrow) {
1869     PrintExpr(Node->getArg(0));
1870   } else if (Kind == OO_Call || Kind == OO_Subscript) {
1871     PrintExpr(Node->getArg(0));
1872     OS << (Kind == OO_Call ? '(' : '[');
1873     for (unsigned ArgIdx = 1; ArgIdx < Node->getNumArgs(); ++ArgIdx) {
1874       if (ArgIdx > 1)
1875         OS << ", ";
1876       if (!isa<CXXDefaultArgExpr>(Node->getArg(ArgIdx)))
1877         PrintExpr(Node->getArg(ArgIdx));
1878     }
1879     OS << (Kind == OO_Call ? ')' : ']');
1880   } else if (Node->getNumArgs() == 1) {
1881     OS << getOperatorSpelling(Kind) << ' ';
1882     PrintExpr(Node->getArg(0));
1883   } else if (Node->getNumArgs() == 2) {
1884     PrintExpr(Node->getArg(0));
1885     OS << ' ' << getOperatorSpelling(Kind) << ' ';
1886     PrintExpr(Node->getArg(1));
1887   } else {
1888     llvm_unreachable("unknown overloaded operator");
1889   }
1890 }
1891 
1892 void StmtPrinter::VisitCXXMemberCallExpr(CXXMemberCallExpr *Node) {
1893   // If we have a conversion operator call only print the argument.
1894   CXXMethodDecl *MD = Node->getMethodDecl();
1895   if (MD && isa<CXXConversionDecl>(MD)) {
1896     PrintExpr(Node->getImplicitObjectArgument());
1897     return;
1898   }
1899   VisitCallExpr(cast<CallExpr>(Node));
1900 }
1901 
1902 void StmtPrinter::VisitCUDAKernelCallExpr(CUDAKernelCallExpr *Node) {
1903   PrintExpr(Node->getCallee());
1904   OS << "<<<";
1905   PrintCallArgs(Node->getConfig());
1906   OS << ">>>(";
1907   PrintCallArgs(Node);
1908   OS << ")";
1909 }
1910 
1911 void StmtPrinter::VisitCXXRewrittenBinaryOperator(
1912     CXXRewrittenBinaryOperator *Node) {
1913   CXXRewrittenBinaryOperator::DecomposedForm Decomposed =
1914       Node->getDecomposedForm();
1915   PrintExpr(const_cast<Expr*>(Decomposed.LHS));
1916   OS << ' ' << BinaryOperator::getOpcodeStr(Decomposed.Opcode) << ' ';
1917   PrintExpr(const_cast<Expr*>(Decomposed.RHS));
1918 }
1919 
1920 void StmtPrinter::VisitCXXNamedCastExpr(CXXNamedCastExpr *Node) {
1921   OS << Node->getCastName() << '<';
1922   Node->getTypeAsWritten().print(OS, Policy);
1923   OS << ">(";
1924   PrintExpr(Node->getSubExpr());
1925   OS << ")";
1926 }
1927 
1928 void StmtPrinter::VisitCXXStaticCastExpr(CXXStaticCastExpr *Node) {
1929   VisitCXXNamedCastExpr(Node);
1930 }
1931 
1932 void StmtPrinter::VisitCXXDynamicCastExpr(CXXDynamicCastExpr *Node) {
1933   VisitCXXNamedCastExpr(Node);
1934 }
1935 
1936 void StmtPrinter::VisitCXXReinterpretCastExpr(CXXReinterpretCastExpr *Node) {
1937   VisitCXXNamedCastExpr(Node);
1938 }
1939 
1940 void StmtPrinter::VisitCXXConstCastExpr(CXXConstCastExpr *Node) {
1941   VisitCXXNamedCastExpr(Node);
1942 }
1943 
1944 void StmtPrinter::VisitBuiltinBitCastExpr(BuiltinBitCastExpr *Node) {
1945   OS << "__builtin_bit_cast(";
1946   Node->getTypeInfoAsWritten()->getType().print(OS, Policy);
1947   OS << ", ";
1948   PrintExpr(Node->getSubExpr());
1949   OS << ")";
1950 }
1951 
1952 void StmtPrinter::VisitCXXAddrspaceCastExpr(CXXAddrspaceCastExpr *Node) {
1953   VisitCXXNamedCastExpr(Node);
1954 }
1955 
1956 void StmtPrinter::VisitCXXTypeidExpr(CXXTypeidExpr *Node) {
1957   OS << "typeid(";
1958   if (Node->isTypeOperand()) {
1959     Node->getTypeOperandSourceInfo()->getType().print(OS, Policy);
1960   } else {
1961     PrintExpr(Node->getExprOperand());
1962   }
1963   OS << ")";
1964 }
1965 
1966 void StmtPrinter::VisitCXXUuidofExpr(CXXUuidofExpr *Node) {
1967   OS << "__uuidof(";
1968   if (Node->isTypeOperand()) {
1969     Node->getTypeOperandSourceInfo()->getType().print(OS, Policy);
1970   } else {
1971     PrintExpr(Node->getExprOperand());
1972   }
1973   OS << ")";
1974 }
1975 
1976 void StmtPrinter::VisitMSPropertyRefExpr(MSPropertyRefExpr *Node) {
1977   PrintExpr(Node->getBaseExpr());
1978   if (Node->isArrow())
1979     OS << "->";
1980   else
1981     OS << ".";
1982   if (NestedNameSpecifier *Qualifier =
1983       Node->getQualifierLoc().getNestedNameSpecifier())
1984     Qualifier->print(OS, Policy);
1985   OS << Node->getPropertyDecl()->getDeclName();
1986 }
1987 
1988 void StmtPrinter::VisitMSPropertySubscriptExpr(MSPropertySubscriptExpr *Node) {
1989   PrintExpr(Node->getBase());
1990   OS << "[";
1991   PrintExpr(Node->getIdx());
1992   OS << "]";
1993 }
1994 
1995 void StmtPrinter::VisitUserDefinedLiteral(UserDefinedLiteral *Node) {
1996   switch (Node->getLiteralOperatorKind()) {
1997   case UserDefinedLiteral::LOK_Raw:
1998     OS << cast<StringLiteral>(Node->getArg(0)->IgnoreImpCasts())->getString();
1999     break;
2000   case UserDefinedLiteral::LOK_Template: {
2001     const auto *DRE = cast<DeclRefExpr>(Node->getCallee()->IgnoreImpCasts());
2002     const TemplateArgumentList *Args =
2003       cast<FunctionDecl>(DRE->getDecl())->getTemplateSpecializationArgs();
2004     assert(Args);
2005 
2006     if (Args->size() != 1 || Args->get(0).getKind() != TemplateArgument::Pack) {
2007       const TemplateParameterList *TPL = nullptr;
2008       if (!DRE->hadMultipleCandidates())
2009         if (const auto *TD = dyn_cast<TemplateDecl>(DRE->getDecl()))
2010           TPL = TD->getTemplateParameters();
2011       OS << "operator\"\"" << Node->getUDSuffix()->getName();
2012       printTemplateArgumentList(OS, Args->asArray(), Policy, TPL);
2013       OS << "()";
2014       return;
2015     }
2016 
2017     const TemplateArgument &Pack = Args->get(0);
2018     for (const auto &P : Pack.pack_elements()) {
2019       char C = (char)P.getAsIntegral().getZExtValue();
2020       OS << C;
2021     }
2022     break;
2023   }
2024   case UserDefinedLiteral::LOK_Integer: {
2025     // Print integer literal without suffix.
2026     const auto *Int = cast<IntegerLiteral>(Node->getCookedLiteral());
2027     OS << toString(Int->getValue(), 10, /*isSigned*/false);
2028     break;
2029   }
2030   case UserDefinedLiteral::LOK_Floating: {
2031     // Print floating literal without suffix.
2032     auto *Float = cast<FloatingLiteral>(Node->getCookedLiteral());
2033     PrintFloatingLiteral(OS, Float, /*PrintSuffix=*/false);
2034     break;
2035   }
2036   case UserDefinedLiteral::LOK_String:
2037   case UserDefinedLiteral::LOK_Character:
2038     PrintExpr(Node->getCookedLiteral());
2039     break;
2040   }
2041   OS << Node->getUDSuffix()->getName();
2042 }
2043 
2044 void StmtPrinter::VisitCXXBoolLiteralExpr(CXXBoolLiteralExpr *Node) {
2045   OS << (Node->getValue() ? "true" : "false");
2046 }
2047 
2048 void StmtPrinter::VisitCXXNullPtrLiteralExpr(CXXNullPtrLiteralExpr *Node) {
2049   OS << "nullptr";
2050 }
2051 
2052 void StmtPrinter::VisitCXXThisExpr(CXXThisExpr *Node) {
2053   OS << "this";
2054 }
2055 
2056 void StmtPrinter::VisitCXXThrowExpr(CXXThrowExpr *Node) {
2057   if (!Node->getSubExpr())
2058     OS << "throw";
2059   else {
2060     OS << "throw ";
2061     PrintExpr(Node->getSubExpr());
2062   }
2063 }
2064 
2065 void StmtPrinter::VisitCXXDefaultArgExpr(CXXDefaultArgExpr *Node) {
2066   // Nothing to print: we picked up the default argument.
2067 }
2068 
2069 void StmtPrinter::VisitCXXDefaultInitExpr(CXXDefaultInitExpr *Node) {
2070   // Nothing to print: we picked up the default initializer.
2071 }
2072 
2073 void StmtPrinter::VisitCXXFunctionalCastExpr(CXXFunctionalCastExpr *Node) {
2074   auto TargetType = Node->getType();
2075   auto *Auto = TargetType->getContainedDeducedType();
2076   bool Bare = Auto && Auto->isDeduced();
2077 
2078   // Parenthesize deduced casts.
2079   if (Bare)
2080     OS << '(';
2081   TargetType.print(OS, Policy);
2082   if (Bare)
2083     OS << ')';
2084 
2085   // No extra braces surrounding the inner construct.
2086   if (!Node->isListInitialization())
2087     OS << '(';
2088   PrintExpr(Node->getSubExpr());
2089   if (!Node->isListInitialization())
2090     OS << ')';
2091 }
2092 
2093 void StmtPrinter::VisitCXXBindTemporaryExpr(CXXBindTemporaryExpr *Node) {
2094   PrintExpr(Node->getSubExpr());
2095 }
2096 
2097 void StmtPrinter::VisitCXXTemporaryObjectExpr(CXXTemporaryObjectExpr *Node) {
2098   Node->getType().print(OS, Policy);
2099   if (Node->isStdInitListInitialization())
2100     /* Nothing to do; braces are part of creating the std::initializer_list. */;
2101   else if (Node->isListInitialization())
2102     OS << "{";
2103   else
2104     OS << "(";
2105   for (CXXTemporaryObjectExpr::arg_iterator Arg = Node->arg_begin(),
2106                                          ArgEnd = Node->arg_end();
2107        Arg != ArgEnd; ++Arg) {
2108     if ((*Arg)->isDefaultArgument())
2109       break;
2110     if (Arg != Node->arg_begin())
2111       OS << ", ";
2112     PrintExpr(*Arg);
2113   }
2114   if (Node->isStdInitListInitialization())
2115     /* See above. */;
2116   else if (Node->isListInitialization())
2117     OS << "}";
2118   else
2119     OS << ")";
2120 }
2121 
2122 void StmtPrinter::VisitLambdaExpr(LambdaExpr *Node) {
2123   OS << '[';
2124   bool NeedComma = false;
2125   switch (Node->getCaptureDefault()) {
2126   case LCD_None:
2127     break;
2128 
2129   case LCD_ByCopy:
2130     OS << '=';
2131     NeedComma = true;
2132     break;
2133 
2134   case LCD_ByRef:
2135     OS << '&';
2136     NeedComma = true;
2137     break;
2138   }
2139   for (LambdaExpr::capture_iterator C = Node->explicit_capture_begin(),
2140                                  CEnd = Node->explicit_capture_end();
2141        C != CEnd;
2142        ++C) {
2143     if (C->capturesVLAType())
2144       continue;
2145 
2146     if (NeedComma)
2147       OS << ", ";
2148     NeedComma = true;
2149 
2150     switch (C->getCaptureKind()) {
2151     case LCK_This:
2152       OS << "this";
2153       break;
2154 
2155     case LCK_StarThis:
2156       OS << "*this";
2157       break;
2158 
2159     case LCK_ByRef:
2160       if (Node->getCaptureDefault() != LCD_ByRef || Node->isInitCapture(C))
2161         OS << '&';
2162       OS << C->getCapturedVar()->getName();
2163       break;
2164 
2165     case LCK_ByCopy:
2166       OS << C->getCapturedVar()->getName();
2167       break;
2168 
2169     case LCK_VLAType:
2170       llvm_unreachable("VLA type in explicit captures.");
2171     }
2172 
2173     if (C->isPackExpansion())
2174       OS << "...";
2175 
2176     if (Node->isInitCapture(C)) {
2177       // Init captures are always VarDecl.
2178       auto *D = cast<VarDecl>(C->getCapturedVar());
2179 
2180       llvm::StringRef Pre;
2181       llvm::StringRef Post;
2182       if (D->getInitStyle() == VarDecl::CallInit &&
2183           !isa<ParenListExpr>(D->getInit())) {
2184         Pre = "(";
2185         Post = ")";
2186       } else if (D->getInitStyle() == VarDecl::CInit) {
2187         Pre = " = ";
2188       }
2189 
2190       OS << Pre;
2191       PrintExpr(D->getInit());
2192       OS << Post;
2193     }
2194   }
2195   OS << ']';
2196 
2197   if (!Node->getExplicitTemplateParameters().empty()) {
2198     Node->getTemplateParameterList()->print(
2199         OS, Node->getLambdaClass()->getASTContext(),
2200         /*OmitTemplateKW*/true);
2201   }
2202 
2203   if (Node->hasExplicitParameters()) {
2204     OS << '(';
2205     CXXMethodDecl *Method = Node->getCallOperator();
2206     NeedComma = false;
2207     for (const auto *P : Method->parameters()) {
2208       if (NeedComma) {
2209         OS << ", ";
2210       } else {
2211         NeedComma = true;
2212       }
2213       std::string ParamStr =
2214           (Policy.CleanUglifiedParameters && P->getIdentifier())
2215               ? P->getIdentifier()->deuglifiedName().str()
2216               : P->getNameAsString();
2217       P->getOriginalType().print(OS, Policy, ParamStr);
2218     }
2219     if (Method->isVariadic()) {
2220       if (NeedComma)
2221         OS << ", ";
2222       OS << "...";
2223     }
2224     OS << ')';
2225 
2226     if (Node->isMutable())
2227       OS << " mutable";
2228 
2229     auto *Proto = Method->getType()->castAs<FunctionProtoType>();
2230     Proto->printExceptionSpecification(OS, Policy);
2231 
2232     // FIXME: Attributes
2233 
2234     // Print the trailing return type if it was specified in the source.
2235     if (Node->hasExplicitResultType()) {
2236       OS << " -> ";
2237       Proto->getReturnType().print(OS, Policy);
2238     }
2239   }
2240 
2241   // Print the body.
2242   OS << ' ';
2243   if (Policy.TerseOutput)
2244     OS << "{}";
2245   else
2246     PrintRawCompoundStmt(Node->getCompoundStmtBody());
2247 }
2248 
2249 void StmtPrinter::VisitCXXScalarValueInitExpr(CXXScalarValueInitExpr *Node) {
2250   if (TypeSourceInfo *TSInfo = Node->getTypeSourceInfo())
2251     TSInfo->getType().print(OS, Policy);
2252   else
2253     Node->getType().print(OS, Policy);
2254   OS << "()";
2255 }
2256 
2257 void StmtPrinter::VisitCXXNewExpr(CXXNewExpr *E) {
2258   if (E->isGlobalNew())
2259     OS << "::";
2260   OS << "new ";
2261   unsigned NumPlace = E->getNumPlacementArgs();
2262   if (NumPlace > 0 && !isa<CXXDefaultArgExpr>(E->getPlacementArg(0))) {
2263     OS << "(";
2264     PrintExpr(E->getPlacementArg(0));
2265     for (unsigned i = 1; i < NumPlace; ++i) {
2266       if (isa<CXXDefaultArgExpr>(E->getPlacementArg(i)))
2267         break;
2268       OS << ", ";
2269       PrintExpr(E->getPlacementArg(i));
2270     }
2271     OS << ") ";
2272   }
2273   if (E->isParenTypeId())
2274     OS << "(";
2275   std::string TypeS;
2276   if (E->isArray()) {
2277     llvm::raw_string_ostream s(TypeS);
2278     s << '[';
2279     if (std::optional<Expr *> Size = E->getArraySize())
2280       (*Size)->printPretty(s, Helper, Policy);
2281     s << ']';
2282   }
2283   E->getAllocatedType().print(OS, Policy, TypeS);
2284   if (E->isParenTypeId())
2285     OS << ")";
2286 
2287   CXXNewExpr::InitializationStyle InitStyle = E->getInitializationStyle();
2288   if (InitStyle != CXXNewExpr::NoInit) {
2289     bool Bare = InitStyle == CXXNewExpr::CallInit &&
2290                 !isa<ParenListExpr>(E->getInitializer());
2291     if (Bare)
2292       OS << "(";
2293     PrintExpr(E->getInitializer());
2294     if (Bare)
2295       OS << ")";
2296   }
2297 }
2298 
2299 void StmtPrinter::VisitCXXDeleteExpr(CXXDeleteExpr *E) {
2300   if (E->isGlobalDelete())
2301     OS << "::";
2302   OS << "delete ";
2303   if (E->isArrayForm())
2304     OS << "[] ";
2305   PrintExpr(E->getArgument());
2306 }
2307 
2308 void StmtPrinter::VisitCXXPseudoDestructorExpr(CXXPseudoDestructorExpr *E) {
2309   PrintExpr(E->getBase());
2310   if (E->isArrow())
2311     OS << "->";
2312   else
2313     OS << '.';
2314   if (E->getQualifier())
2315     E->getQualifier()->print(OS, Policy);
2316   OS << "~";
2317 
2318   if (IdentifierInfo *II = E->getDestroyedTypeIdentifier())
2319     OS << II->getName();
2320   else
2321     E->getDestroyedType().print(OS, Policy);
2322 }
2323 
2324 void StmtPrinter::VisitCXXConstructExpr(CXXConstructExpr *E) {
2325   if (E->isListInitialization() && !E->isStdInitListInitialization())
2326     OS << "{";
2327 
2328   for (unsigned i = 0, e = E->getNumArgs(); i != e; ++i) {
2329     if (isa<CXXDefaultArgExpr>(E->getArg(i))) {
2330       // Don't print any defaulted arguments
2331       break;
2332     }
2333 
2334     if (i) OS << ", ";
2335     PrintExpr(E->getArg(i));
2336   }
2337 
2338   if (E->isListInitialization() && !E->isStdInitListInitialization())
2339     OS << "}";
2340 }
2341 
2342 void StmtPrinter::VisitCXXInheritedCtorInitExpr(CXXInheritedCtorInitExpr *E) {
2343   // Parens are printed by the surrounding context.
2344   OS << "<forwarded>";
2345 }
2346 
2347 void StmtPrinter::VisitCXXStdInitializerListExpr(CXXStdInitializerListExpr *E) {
2348   PrintExpr(E->getSubExpr());
2349 }
2350 
2351 void StmtPrinter::VisitExprWithCleanups(ExprWithCleanups *E) {
2352   // Just forward to the subexpression.
2353   PrintExpr(E->getSubExpr());
2354 }
2355 
2356 void StmtPrinter::VisitCXXUnresolvedConstructExpr(
2357     CXXUnresolvedConstructExpr *Node) {
2358   Node->getTypeAsWritten().print(OS, Policy);
2359   if (!Node->isListInitialization())
2360     OS << '(';
2361   for (auto Arg = Node->arg_begin(), ArgEnd = Node->arg_end(); Arg != ArgEnd;
2362        ++Arg) {
2363     if (Arg != Node->arg_begin())
2364       OS << ", ";
2365     PrintExpr(*Arg);
2366   }
2367   if (!Node->isListInitialization())
2368     OS << ')';
2369 }
2370 
2371 void StmtPrinter::VisitCXXDependentScopeMemberExpr(
2372                                          CXXDependentScopeMemberExpr *Node) {
2373   if (!Node->isImplicitAccess()) {
2374     PrintExpr(Node->getBase());
2375     OS << (Node->isArrow() ? "->" : ".");
2376   }
2377   if (NestedNameSpecifier *Qualifier = Node->getQualifier())
2378     Qualifier->print(OS, Policy);
2379   if (Node->hasTemplateKeyword())
2380     OS << "template ";
2381   OS << Node->getMemberNameInfo();
2382   if (Node->hasExplicitTemplateArgs())
2383     printTemplateArgumentList(OS, Node->template_arguments(), Policy);
2384 }
2385 
2386 void StmtPrinter::VisitUnresolvedMemberExpr(UnresolvedMemberExpr *Node) {
2387   if (!Node->isImplicitAccess()) {
2388     PrintExpr(Node->getBase());
2389     OS << (Node->isArrow() ? "->" : ".");
2390   }
2391   if (NestedNameSpecifier *Qualifier = Node->getQualifier())
2392     Qualifier->print(OS, Policy);
2393   if (Node->hasTemplateKeyword())
2394     OS << "template ";
2395   OS << Node->getMemberNameInfo();
2396   if (Node->hasExplicitTemplateArgs())
2397     printTemplateArgumentList(OS, Node->template_arguments(), Policy);
2398 }
2399 
2400 void StmtPrinter::VisitTypeTraitExpr(TypeTraitExpr *E) {
2401   OS << getTraitSpelling(E->getTrait()) << "(";
2402   for (unsigned I = 0, N = E->getNumArgs(); I != N; ++I) {
2403     if (I > 0)
2404       OS << ", ";
2405     E->getArg(I)->getType().print(OS, Policy);
2406   }
2407   OS << ")";
2408 }
2409 
2410 void StmtPrinter::VisitArrayTypeTraitExpr(ArrayTypeTraitExpr *E) {
2411   OS << getTraitSpelling(E->getTrait()) << '(';
2412   E->getQueriedType().print(OS, Policy);
2413   OS << ')';
2414 }
2415 
2416 void StmtPrinter::VisitExpressionTraitExpr(ExpressionTraitExpr *E) {
2417   OS << getTraitSpelling(E->getTrait()) << '(';
2418   PrintExpr(E->getQueriedExpression());
2419   OS << ')';
2420 }
2421 
2422 void StmtPrinter::VisitCXXNoexceptExpr(CXXNoexceptExpr *E) {
2423   OS << "noexcept(";
2424   PrintExpr(E->getOperand());
2425   OS << ")";
2426 }
2427 
2428 void StmtPrinter::VisitPackExpansionExpr(PackExpansionExpr *E) {
2429   PrintExpr(E->getPattern());
2430   OS << "...";
2431 }
2432 
2433 void StmtPrinter::VisitSizeOfPackExpr(SizeOfPackExpr *E) {
2434   OS << "sizeof...(" << *E->getPack() << ")";
2435 }
2436 
2437 void StmtPrinter::VisitSubstNonTypeTemplateParmPackExpr(
2438                                        SubstNonTypeTemplateParmPackExpr *Node) {
2439   OS << *Node->getParameterPack();
2440 }
2441 
2442 void StmtPrinter::VisitSubstNonTypeTemplateParmExpr(
2443                                        SubstNonTypeTemplateParmExpr *Node) {
2444   Visit(Node->getReplacement());
2445 }
2446 
2447 void StmtPrinter::VisitFunctionParmPackExpr(FunctionParmPackExpr *E) {
2448   OS << *E->getParameterPack();
2449 }
2450 
2451 void StmtPrinter::VisitMaterializeTemporaryExpr(MaterializeTemporaryExpr *Node){
2452   PrintExpr(Node->getSubExpr());
2453 }
2454 
2455 void StmtPrinter::VisitCXXFoldExpr(CXXFoldExpr *E) {
2456   OS << "(";
2457   if (E->getLHS()) {
2458     PrintExpr(E->getLHS());
2459     OS << " " << BinaryOperator::getOpcodeStr(E->getOperator()) << " ";
2460   }
2461   OS << "...";
2462   if (E->getRHS()) {
2463     OS << " " << BinaryOperator::getOpcodeStr(E->getOperator()) << " ";
2464     PrintExpr(E->getRHS());
2465   }
2466   OS << ")";
2467 }
2468 
2469 void StmtPrinter::VisitCXXParenListInitExpr(CXXParenListInitExpr *Node) {
2470   OS << "(";
2471   llvm::interleaveComma(Node->getInitExprs(), OS,
2472                         [&](Expr *E) { PrintExpr(E); });
2473   OS << ")";
2474 }
2475 
2476 void StmtPrinter::VisitConceptSpecializationExpr(ConceptSpecializationExpr *E) {
2477   NestedNameSpecifierLoc NNS = E->getNestedNameSpecifierLoc();
2478   if (NNS)
2479     NNS.getNestedNameSpecifier()->print(OS, Policy);
2480   if (E->getTemplateKWLoc().isValid())
2481     OS << "template ";
2482   OS << E->getFoundDecl()->getName();
2483   printTemplateArgumentList(OS, E->getTemplateArgsAsWritten()->arguments(),
2484                             Policy,
2485                             E->getNamedConcept()->getTemplateParameters());
2486 }
2487 
2488 void StmtPrinter::VisitRequiresExpr(RequiresExpr *E) {
2489   OS << "requires ";
2490   auto LocalParameters = E->getLocalParameters();
2491   if (!LocalParameters.empty()) {
2492     OS << "(";
2493     for (ParmVarDecl *LocalParam : LocalParameters) {
2494       PrintRawDecl(LocalParam);
2495       if (LocalParam != LocalParameters.back())
2496         OS << ", ";
2497     }
2498 
2499     OS << ") ";
2500   }
2501   OS << "{ ";
2502   auto Requirements = E->getRequirements();
2503   for (concepts::Requirement *Req : Requirements) {
2504     if (auto *TypeReq = dyn_cast<concepts::TypeRequirement>(Req)) {
2505       if (TypeReq->isSubstitutionFailure())
2506         OS << "<<error-type>>";
2507       else
2508         TypeReq->getType()->getType().print(OS, Policy);
2509     } else if (auto *ExprReq = dyn_cast<concepts::ExprRequirement>(Req)) {
2510       if (ExprReq->isCompound())
2511         OS << "{ ";
2512       if (ExprReq->isExprSubstitutionFailure())
2513         OS << "<<error-expression>>";
2514       else
2515         PrintExpr(ExprReq->getExpr());
2516       if (ExprReq->isCompound()) {
2517         OS << " }";
2518         if (ExprReq->getNoexceptLoc().isValid())
2519           OS << " noexcept";
2520         const auto &RetReq = ExprReq->getReturnTypeRequirement();
2521         if (!RetReq.isEmpty()) {
2522           OS << " -> ";
2523           if (RetReq.isSubstitutionFailure())
2524             OS << "<<error-type>>";
2525           else if (RetReq.isTypeConstraint())
2526             RetReq.getTypeConstraint()->print(OS, Policy);
2527         }
2528       }
2529     } else {
2530       auto *NestedReq = cast<concepts::NestedRequirement>(Req);
2531       OS << "requires ";
2532       if (NestedReq->hasInvalidConstraint())
2533         OS << "<<error-expression>>";
2534       else
2535         PrintExpr(NestedReq->getConstraintExpr());
2536     }
2537     OS << "; ";
2538   }
2539   OS << "}";
2540 }
2541 
2542 // C++ Coroutines TS
2543 
2544 void StmtPrinter::VisitCoroutineBodyStmt(CoroutineBodyStmt *S) {
2545   Visit(S->getBody());
2546 }
2547 
2548 void StmtPrinter::VisitCoreturnStmt(CoreturnStmt *S) {
2549   OS << "co_return";
2550   if (S->getOperand()) {
2551     OS << " ";
2552     Visit(S->getOperand());
2553   }
2554   OS << ";";
2555 }
2556 
2557 void StmtPrinter::VisitCoawaitExpr(CoawaitExpr *S) {
2558   OS << "co_await ";
2559   PrintExpr(S->getOperand());
2560 }
2561 
2562 void StmtPrinter::VisitDependentCoawaitExpr(DependentCoawaitExpr *S) {
2563   OS << "co_await ";
2564   PrintExpr(S->getOperand());
2565 }
2566 
2567 void StmtPrinter::VisitCoyieldExpr(CoyieldExpr *S) {
2568   OS << "co_yield ";
2569   PrintExpr(S->getOperand());
2570 }
2571 
2572 // Obj-C
2573 
2574 void StmtPrinter::VisitObjCStringLiteral(ObjCStringLiteral *Node) {
2575   OS << "@";
2576   VisitStringLiteral(Node->getString());
2577 }
2578 
2579 void StmtPrinter::VisitObjCBoxedExpr(ObjCBoxedExpr *E) {
2580   OS << "@";
2581   Visit(E->getSubExpr());
2582 }
2583 
2584 void StmtPrinter::VisitObjCArrayLiteral(ObjCArrayLiteral *E) {
2585   OS << "@[ ";
2586   ObjCArrayLiteral::child_range Ch = E->children();
2587   for (auto I = Ch.begin(), E = Ch.end(); I != E; ++I) {
2588     if (I != Ch.begin())
2589       OS << ", ";
2590     Visit(*I);
2591   }
2592   OS << " ]";
2593 }
2594 
2595 void StmtPrinter::VisitObjCDictionaryLiteral(ObjCDictionaryLiteral *E) {
2596   OS << "@{ ";
2597   for (unsigned I = 0, N = E->getNumElements(); I != N; ++I) {
2598     if (I > 0)
2599       OS << ", ";
2600 
2601     ObjCDictionaryElement Element = E->getKeyValueElement(I);
2602     Visit(Element.Key);
2603     OS << " : ";
2604     Visit(Element.Value);
2605     if (Element.isPackExpansion())
2606       OS << "...";
2607   }
2608   OS << " }";
2609 }
2610 
2611 void StmtPrinter::VisitObjCEncodeExpr(ObjCEncodeExpr *Node) {
2612   OS << "@encode(";
2613   Node->getEncodedType().print(OS, Policy);
2614   OS << ')';
2615 }
2616 
2617 void StmtPrinter::VisitObjCSelectorExpr(ObjCSelectorExpr *Node) {
2618   OS << "@selector(";
2619   Node->getSelector().print(OS);
2620   OS << ')';
2621 }
2622 
2623 void StmtPrinter::VisitObjCProtocolExpr(ObjCProtocolExpr *Node) {
2624   OS << "@protocol(" << *Node->getProtocol() << ')';
2625 }
2626 
2627 void StmtPrinter::VisitObjCMessageExpr(ObjCMessageExpr *Mess) {
2628   OS << "[";
2629   switch (Mess->getReceiverKind()) {
2630   case ObjCMessageExpr::Instance:
2631     PrintExpr(Mess->getInstanceReceiver());
2632     break;
2633 
2634   case ObjCMessageExpr::Class:
2635     Mess->getClassReceiver().print(OS, Policy);
2636     break;
2637 
2638   case ObjCMessageExpr::SuperInstance:
2639   case ObjCMessageExpr::SuperClass:
2640     OS << "Super";
2641     break;
2642   }
2643 
2644   OS << ' ';
2645   Selector selector = Mess->getSelector();
2646   if (selector.isUnarySelector()) {
2647     OS << selector.getNameForSlot(0);
2648   } else {
2649     for (unsigned i = 0, e = Mess->getNumArgs(); i != e; ++i) {
2650       if (i < selector.getNumArgs()) {
2651         if (i > 0) OS << ' ';
2652         if (selector.getIdentifierInfoForSlot(i))
2653           OS << selector.getIdentifierInfoForSlot(i)->getName() << ':';
2654         else
2655            OS << ":";
2656       }
2657       else OS << ", "; // Handle variadic methods.
2658 
2659       PrintExpr(Mess->getArg(i));
2660     }
2661   }
2662   OS << "]";
2663 }
2664 
2665 void StmtPrinter::VisitObjCBoolLiteralExpr(ObjCBoolLiteralExpr *Node) {
2666   OS << (Node->getValue() ? "__objc_yes" : "__objc_no");
2667 }
2668 
2669 void
2670 StmtPrinter::VisitObjCIndirectCopyRestoreExpr(ObjCIndirectCopyRestoreExpr *E) {
2671   PrintExpr(E->getSubExpr());
2672 }
2673 
2674 void
2675 StmtPrinter::VisitObjCBridgedCastExpr(ObjCBridgedCastExpr *E) {
2676   OS << '(' << E->getBridgeKindName();
2677   E->getType().print(OS, Policy);
2678   OS << ')';
2679   PrintExpr(E->getSubExpr());
2680 }
2681 
2682 void StmtPrinter::VisitBlockExpr(BlockExpr *Node) {
2683   BlockDecl *BD = Node->getBlockDecl();
2684   OS << "^";
2685 
2686   const FunctionType *AFT = Node->getFunctionType();
2687 
2688   if (isa<FunctionNoProtoType>(AFT)) {
2689     OS << "()";
2690   } else if (!BD->param_empty() || cast<FunctionProtoType>(AFT)->isVariadic()) {
2691     OS << '(';
2692     for (BlockDecl::param_iterator AI = BD->param_begin(),
2693          E = BD->param_end(); AI != E; ++AI) {
2694       if (AI != BD->param_begin()) OS << ", ";
2695       std::string ParamStr = (*AI)->getNameAsString();
2696       (*AI)->getType().print(OS, Policy, ParamStr);
2697     }
2698 
2699     const auto *FT = cast<FunctionProtoType>(AFT);
2700     if (FT->isVariadic()) {
2701       if (!BD->param_empty()) OS << ", ";
2702       OS << "...";
2703     }
2704     OS << ')';
2705   }
2706   OS << "{ }";
2707 }
2708 
2709 void StmtPrinter::VisitOpaqueValueExpr(OpaqueValueExpr *Node) {
2710   PrintExpr(Node->getSourceExpr());
2711 }
2712 
2713 void StmtPrinter::VisitTypoExpr(TypoExpr *Node) {
2714   // TODO: Print something reasonable for a TypoExpr, if necessary.
2715   llvm_unreachable("Cannot print TypoExpr nodes");
2716 }
2717 
2718 void StmtPrinter::VisitRecoveryExpr(RecoveryExpr *Node) {
2719   OS << "<recovery-expr>(";
2720   const char *Sep = "";
2721   for (Expr *E : Node->subExpressions()) {
2722     OS << Sep;
2723     PrintExpr(E);
2724     Sep = ", ";
2725   }
2726   OS << ')';
2727 }
2728 
2729 void StmtPrinter::VisitAsTypeExpr(AsTypeExpr *Node) {
2730   OS << "__builtin_astype(";
2731   PrintExpr(Node->getSrcExpr());
2732   OS << ", ";
2733   Node->getType().print(OS, Policy);
2734   OS << ")";
2735 }
2736 
2737 //===----------------------------------------------------------------------===//
2738 // Stmt method implementations
2739 //===----------------------------------------------------------------------===//
2740 
2741 void Stmt::dumpPretty(const ASTContext &Context) const {
2742   printPretty(llvm::errs(), nullptr, PrintingPolicy(Context.getLangOpts()));
2743 }
2744 
2745 void Stmt::printPretty(raw_ostream &Out, PrinterHelper *Helper,
2746                        const PrintingPolicy &Policy, unsigned Indentation,
2747                        StringRef NL, const ASTContext *Context) const {
2748   StmtPrinter P(Out, Helper, Policy, Indentation, NL, Context);
2749   P.Visit(const_cast<Stmt *>(this));
2750 }
2751 
2752 void Stmt::printPrettyControlled(raw_ostream &Out, PrinterHelper *Helper,
2753                                  const PrintingPolicy &Policy,
2754                                  unsigned Indentation, StringRef NL,
2755                                  const ASTContext *Context) const {
2756   StmtPrinter P(Out, Helper, Policy, Indentation, NL, Context);
2757   P.PrintControlledStmt(const_cast<Stmt *>(this));
2758 }
2759 
2760 void Stmt::printJson(raw_ostream &Out, PrinterHelper *Helper,
2761                      const PrintingPolicy &Policy, bool AddQuotes) const {
2762   std::string Buf;
2763   llvm::raw_string_ostream TempOut(Buf);
2764 
2765   printPretty(TempOut, Helper, Policy);
2766 
2767   Out << JsonFormat(TempOut.str(), AddQuotes);
2768 }
2769 
2770 //===----------------------------------------------------------------------===//
2771 // PrinterHelper
2772 //===----------------------------------------------------------------------===//
2773 
2774 // Implement virtual destructor.
2775 PrinterHelper::~PrinterHelper() = default;
2776