Clang Project

clang_source_code/lib/AST/ItaniumMangle.cpp
1//===--- ItaniumMangle.cpp - Itanium C++ Name Mangling ----------*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// Implements C++ name mangling according to the Itanium C++ ABI,
10// which is used in GCC 3.2 and newer (and many compilers that are
11// ABI-compatible with GCC):
12//
13//   http://itanium-cxx-abi.github.io/cxx-abi/abi.html#mangling
14//
15//===----------------------------------------------------------------------===//
16#include "clang/AST/Mangle.h"
17#include "clang/AST/ASTContext.h"
18#include "clang/AST/Attr.h"
19#include "clang/AST/Decl.h"
20#include "clang/AST/DeclCXX.h"
21#include "clang/AST/DeclObjC.h"
22#include "clang/AST/DeclOpenMP.h"
23#include "clang/AST/DeclTemplate.h"
24#include "clang/AST/Expr.h"
25#include "clang/AST/ExprCXX.h"
26#include "clang/AST/ExprObjC.h"
27#include "clang/AST/TypeLoc.h"
28#include "clang/Basic/ABI.h"
29#include "clang/Basic/SourceManager.h"
30#include "clang/Basic/TargetInfo.h"
31#include "llvm/ADT/StringExtras.h"
32#include "llvm/Support/ErrorHandling.h"
33#include "llvm/Support/raw_ostream.h"
34
35using namespace clang;
36
37namespace {
38
39/// Retrieve the declaration context that should be used when mangling the given
40/// declaration.
41static const DeclContext *getEffectiveDeclContext(const Decl *D) {
42  // The ABI assumes that lambda closure types that occur within
43  // default arguments live in the context of the function. However, due to
44  // the way in which Clang parses and creates function declarations, this is
45  // not the case: the lambda closure type ends up living in the context
46  // where the function itself resides, because the function declaration itself
47  // had not yet been created. Fix the context here.
48  if (const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(D)) {
49    if (RD->isLambda())
50      if (ParmVarDecl *ContextParam
51            = dyn_cast_or_null<ParmVarDecl>(RD->getLambdaContextDecl()))
52        return ContextParam->getDeclContext();
53  }
54
55  // Perform the same check for block literals.
56  if (const BlockDecl *BD = dyn_cast<BlockDecl>(D)) {
57    if (ParmVarDecl *ContextParam
58          = dyn_cast_or_null<ParmVarDecl>(BD->getBlockManglingContextDecl()))
59      return ContextParam->getDeclContext();
60  }
61
62  const DeclContext *DC = D->getDeclContext();
63  if (isa<CapturedDecl>(DC) || isa<OMPDeclareReductionDecl>(DC) ||
64      isa<OMPDeclareMapperDecl>(DC)) {
65    return getEffectiveDeclContext(cast<Decl>(DC));
66  }
67
68  if (const auto *VD = dyn_cast<VarDecl>(D))
69    if (VD->isExternC())
70      return VD->getASTContext().getTranslationUnitDecl();
71
72  if (const auto *FD = dyn_cast<FunctionDecl>(D))
73    if (FD->isExternC())
74      return FD->getASTContext().getTranslationUnitDecl();
75
76  return DC->getRedeclContext();
77}
78
79static const DeclContext *getEffectiveParentContext(const DeclContext *DC) {
80  return getEffectiveDeclContext(cast<Decl>(DC));
81}
82
83static bool isLocalContainerContext(const DeclContext *DC) {
84  return isa<FunctionDecl>(DC) || isa<ObjCMethodDecl>(DC) || isa<BlockDecl>(DC);
85}
86
87static const RecordDecl *GetLocalClassDecl(const Decl *D) {
88  const DeclContext *DC = getEffectiveDeclContext(D);
89  while (!DC->isNamespace() && !DC->isTranslationUnit()) {
90    if (isLocalContainerContext(DC))
91      return dyn_cast<RecordDecl>(D);
92    D = cast<Decl>(DC);
93    DC = getEffectiveDeclContext(D);
94  }
95  return nullptr;
96}
97
98static const FunctionDecl *getStructor(const FunctionDecl *fn) {
99  if (const FunctionTemplateDecl *ftd = fn->getPrimaryTemplate())
100    return ftd->getTemplatedDecl();
101
102  return fn;
103}
104
105static const NamedDecl *getStructor(const NamedDecl *decl) {
106  const FunctionDecl *fn = dyn_cast_or_null<FunctionDecl>(decl);
107  return (fn ? getStructor(fn) : decl);
108}
109
110static bool isLambda(const NamedDecl *ND) {
111  const CXXRecordDecl *Record = dyn_cast<CXXRecordDecl>(ND);
112  if (!Record)
113    return false;
114
115  return Record->isLambda();
116}
117
118static const unsigned UnknownArity = ~0U;
119
120class ItaniumMangleContextImpl : public ItaniumMangleContext {
121  typedef std::pair<const DeclContext*, IdentifierInfo*> DiscriminatorKeyTy;
122  llvm::DenseMap<DiscriminatorKeyTy, unsignedDiscriminator;
123  llvm::DenseMap<const NamedDecl*, unsignedUniquifier;
124
125public:
126  explicit ItaniumMangleContextImpl(ASTContext &Context,
127                                    DiagnosticsEngine &Diags)
128      : ItaniumMangleContext(ContextDiags) {}
129
130  /// @name Mangler Entry Points
131  /// @{
132
133  bool shouldMangleCXXName(const NamedDecl *D) override;
134  bool shouldMangleStringLiteral(const StringLiteral *) override {
135    return false;
136  }
137  void mangleCXXName(const NamedDecl *Draw_ostream &) override;
138  void mangleThunk(const CXXMethodDecl *MDconst ThunkInfo &Thunk,
139                   raw_ostream &) override;
140  void mangleCXXDtorThunk(const CXXDestructorDecl *DDCXXDtorType Type,
141                          const ThisAdjustment &ThisAdjustment,
142                          raw_ostream &) override;
143  void mangleReferenceTemporary(const VarDecl *Dunsigned ManglingNumber,
144                                raw_ostream &) override;
145  void mangleCXXVTable(const CXXRecordDecl *RDraw_ostream &) override;
146  void mangleCXXVTT(const CXXRecordDecl *RDraw_ostream &) override;
147  void mangleCXXCtorVTable(const CXXRecordDecl *RDint64_t Offset,
148                           const CXXRecordDecl *Typeraw_ostream &) override;
149  void mangleCXXRTTI(QualType Traw_ostream &) override;
150  void mangleCXXRTTIName(QualType Traw_ostream &) override;
151  void mangleTypeName(QualType Traw_ostream &) override;
152  void mangleCXXCtor(const CXXConstructorDecl *DCXXCtorType Type,
153                     raw_ostream &) override;
154  void mangleCXXDtor(const CXXDestructorDecl *DCXXDtorType Type,
155                     raw_ostream &) override;
156
157  void mangleCXXCtorComdat(const CXXConstructorDecl *Draw_ostream &) override;
158  void mangleCXXDtorComdat(const CXXDestructorDecl *Draw_ostream &) override;
159  void mangleStaticGuardVariable(const VarDecl *Draw_ostream &) override;
160  void mangleDynamicInitializer(const VarDecl *Draw_ostream &Out) override;
161  void mangleDynamicAtExitDestructor(const VarDecl *D,
162                                     raw_ostream &Out) override;
163  void mangleSEHFilterExpression(const NamedDecl *EnclosingDecl,
164                                 raw_ostream &Out) override;
165  void mangleSEHFinallyBlock(const NamedDecl *EnclosingDecl,
166                             raw_ostream &Out) override;
167  void mangleItaniumThreadLocalInit(const VarDecl *Draw_ostream &) override;
168  void mangleItaniumThreadLocalWrapper(const VarDecl *D,
169                                       raw_ostream &) override;
170
171  void mangleStringLiteral(const StringLiteral *, raw_ostream &) override;
172
173  bool getNextDiscriminator(const NamedDecl *NDunsigned &disc) {
174    // Lambda closure types are already numbered.
175    if (isLambda(ND))
176      return false;
177
178    // Anonymous tags are already numbered.
179    if (const TagDecl *Tag = dyn_cast<TagDecl>(ND)) {
180      if (Tag->getName().empty() && !Tag->getTypedefNameForAnonDecl())
181        return false;
182    }
183
184    // Use the canonical number for externally visible decls.
185    if (ND->isExternallyVisible()) {
186      unsigned discriminator = getASTContext().getManglingNumber(ND);
187      if (discriminator == 1)
188        return false;
189      disc = discriminator - 2;
190      return true;
191    }
192
193    // Make up a reasonable number for internal decls.
194    unsigned &discriminator = Uniquifier[ND];
195    if (!discriminator) {
196      const DeclContext *DC = getEffectiveDeclContext(ND);
197      discriminator = ++Discriminator[std::make_pair(DC, ND->getIdentifier())];
198    }
199    if (discriminator == 1)
200      return false;
201    disc = discriminator-2;
202    return true;
203  }
204  /// @}
205};
206
207/// Manage the mangling of a single name.
208class CXXNameMangler {
209  ItaniumMangleContextImpl &Context;
210  raw_ostream &Out;
211  bool NullOut = false;
212  /// In the "DisableDerivedAbiTags" mode derived ABI tags are not calculated.
213  /// This mode is used when mangler creates another mangler recursively to
214  /// calculate ABI tags for the function return value or the variable type.
215  /// Also it is required to avoid infinite recursion in some cases.
216  bool DisableDerivedAbiTags = false;
217
218  /// The "structor" is the top-level declaration being mangled, if
219  /// that's not a template specialization; otherwise it's the pattern
220  /// for that specialization.
221  const NamedDecl *Structor;
222  unsigned StructorType;
223
224  /// The next substitution sequence number.
225  unsigned SeqID;
226
227  class FunctionTypeDepthState {
228    unsigned Bits;
229
230    enum { InResultTypeMask = 1 };
231
232  public:
233    FunctionTypeDepthState() : Bits(0) {}
234
235    /// The number of function types we're inside.
236    unsigned getDepth() const {
237      return Bits >> 1;
238    }
239
240    /// True if we're in the return type of the innermost function type.
241    bool isInResultType() const {
242      return Bits & InResultTypeMask;
243    }
244
245    FunctionTypeDepthState push() {
246      FunctionTypeDepthState tmp = *this;
247      Bits = (Bits & ~InResultTypeMask) + 2;
248      return tmp;
249    }
250
251    void enterResultType() {
252      Bits |= InResultTypeMask;
253    }
254
255    void leaveResultType() {
256      Bits &= ~InResultTypeMask;
257    }
258
259    void pop(FunctionTypeDepthState saved) {
260      assert(getDepth() == saved.getDepth() + 1);
261      Bits = saved.Bits;
262    }
263
264  } FunctionTypeDepth;
265
266  // abi_tag is a gcc attribute, taking one or more strings called "tags".
267  // The goal is to annotate against which version of a library an object was
268  // built and to be able to provide backwards compatibility ("dual abi").
269  // For more information see docs/ItaniumMangleAbiTags.rst.
270  typedef SmallVector<StringRef4AbiTagList;
271
272  // State to gather all implicit and explicit tags used in a mangled name.
273  // Must always have an instance of this while emitting any name to keep
274  // track.
275  class AbiTagState final {
276  public:
277    explicit AbiTagState(AbiTagState *&Head) : LinkHead(Head) {
278      Parent = LinkHead;
279      LinkHead = this;
280    }
281
282    // No copy, no move.
283    AbiTagState(const AbiTagState &) = delete;
284    AbiTagState &operator=(const AbiTagState &) = delete;
285
286    ~AbiTagState() { pop(); }
287
288    void write(raw_ostream &Outconst NamedDecl *ND,
289               const AbiTagList *AdditionalAbiTags) {
290      ND = cast<NamedDecl>(ND->getCanonicalDecl());
291      if (!isa<FunctionDecl>(ND) && !isa<VarDecl>(ND)) {
292         (0) . __assert_fail ("!AdditionalAbiTags && \"only function and variables need a list of additional abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 294, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(
293 (0) . __assert_fail ("!AdditionalAbiTags && \"only function and variables need a list of additional abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 294, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">            !AdditionalAbiTags &&
294 (0) . __assert_fail ("!AdditionalAbiTags && \"only function and variables need a list of additional abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 294, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">            "only function and variables need a list of additional abi tags");
295        if (const auto *NS = dyn_cast<NamespaceDecl>(ND)) {
296          if (const auto *AbiTag = NS->getAttr<AbiTagAttr>()) {
297            UsedAbiTags.insert(UsedAbiTags.end(), AbiTag->tags().begin(),
298                               AbiTag->tags().end());
299          }
300          // Don't emit abi tags for namespaces.
301          return;
302        }
303      }
304
305      AbiTagList TagList;
306      if (const auto *AbiTag = ND->getAttr<AbiTagAttr>()) {
307        UsedAbiTags.insert(UsedAbiTags.end(), AbiTag->tags().begin(),
308                           AbiTag->tags().end());
309        TagList.insert(TagList.end(), AbiTag->tags().begin(),
310                       AbiTag->tags().end());
311      }
312
313      if (AdditionalAbiTags) {
314        UsedAbiTags.insert(UsedAbiTags.end(), AdditionalAbiTags->begin(),
315                           AdditionalAbiTags->end());
316        TagList.insert(TagList.end(), AdditionalAbiTags->begin(),
317                       AdditionalAbiTags->end());
318      }
319
320      llvm::sort(TagList);
321      TagList.erase(std::unique(TagList.begin(), TagList.end()), TagList.end());
322
323      writeSortedUniqueAbiTags(Out, TagList);
324    }
325
326    const AbiTagList &getUsedAbiTags() const { return UsedAbiTags; }
327    void setUsedAbiTags(const AbiTagList &AbiTags) {
328      UsedAbiTags = AbiTags;
329    }
330
331    const AbiTagList &getEmittedAbiTags() const {
332      return EmittedAbiTags;
333    }
334
335    const AbiTagList &getSortedUniqueUsedAbiTags() {
336      llvm::sort(UsedAbiTags);
337      UsedAbiTags.erase(std::unique(UsedAbiTags.begin(), UsedAbiTags.end()),
338                        UsedAbiTags.end());
339      return UsedAbiTags;
340    }
341
342  private:
343    //! All abi tags used implicitly or explicitly.
344    AbiTagList UsedAbiTags;
345    //! All explicit abi tags (i.e. not from namespace).
346    AbiTagList EmittedAbiTags;
347
348    AbiTagState *&LinkHead;
349    AbiTagState *Parent = nullptr;
350
351    void pop() {
352       (0) . __assert_fail ("LinkHead == this && \"abi tag link head must point to us on destruction\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 353, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(LinkHead == this &&
353 (0) . __assert_fail ("LinkHead == this && \"abi tag link head must point to us on destruction\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 353, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">             "abi tag link head must point to us on destruction");
354      if (Parent) {
355        Parent->UsedAbiTags.insert(Parent->UsedAbiTags.end(),
356                                   UsedAbiTags.begin(), UsedAbiTags.end());
357        Parent->EmittedAbiTags.insert(Parent->EmittedAbiTags.end(),
358                                      EmittedAbiTags.begin(),
359                                      EmittedAbiTags.end());
360      }
361      LinkHead = Parent;
362    }
363
364    void writeSortedUniqueAbiTags(raw_ostream &Outconst AbiTagList &AbiTags) {
365      for (const auto &Tag : AbiTags) {
366        EmittedAbiTags.push_back(Tag);
367        Out << "B";
368        Out << Tag.size();
369        Out << Tag;
370      }
371    }
372  };
373
374  AbiTagState *AbiTags = nullptr;
375  AbiTagState AbiTagsRoot;
376
377  llvm::DenseMap<uintptr_t, unsignedSubstitutions;
378  llvm::DenseMap<StringRef, unsignedModuleSubstitutions;
379
380  ASTContext &getASTContext() const { return Context.getASTContext(); }
381
382public:
383  CXXNameMangler(ItaniumMangleContextImpl &Craw_ostream &Out_,
384                 const NamedDecl *D = nullptrbool NullOut_ = false)
385    : Context(C), Out(Out_), NullOut(NullOut_),  Structor(getStructor(D)),
386      StructorType(0), SeqID(0), AbiTagsRoot(AbiTags) {
387    // These can't be mangled without a ctor type or dtor type.
388    (D) && !isa(D))", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 389, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!D || (!isa<CXXDestructorDecl>(D) &&
389(D) && !isa(D))", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 389, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">                  !isa<CXXConstructorDecl>(D)));
390  }
391  CXXNameMangler(ItaniumMangleContextImpl &Craw_ostream &Out_,
392                 const CXXConstructorDecl *DCXXCtorType Type)
393    : Context(C), Out(Out_), Structor(getStructor(D)), StructorType(Type),
394      SeqID(0), AbiTagsRoot(AbiTags) { }
395  CXXNameMangler(ItaniumMangleContextImpl &Craw_ostream &Out_,
396                 const CXXDestructorDecl *DCXXDtorType Type)
397    : Context(C), Out(Out_), Structor(getStructor(D)), StructorType(Type),
398      SeqID(0), AbiTagsRoot(AbiTags) { }
399
400  CXXNameMangler(CXXNameMangler &Outerraw_ostream &Out_)
401      : Context(Outer.Context), Out(Out_), NullOut(false),
402        Structor(Outer.Structor), StructorType(Outer.StructorType),
403        SeqID(Outer.SeqID), FunctionTypeDepth(Outer.FunctionTypeDepth),
404        AbiTagsRoot(AbiTags), Substitutions(Outer.Substitutions) {}
405
406  CXXNameMangler(CXXNameMangler &Outer, llvm::raw_null_ostream &Out_)
407      : Context(Outer.Context), Out(Out_), NullOut(true),
408        Structor(Outer.Structor), StructorType(Outer.StructorType),
409        SeqID(Outer.SeqID), FunctionTypeDepth(Outer.FunctionTypeDepth),
410        AbiTagsRoot(AbiTags), Substitutions(Outer.Substitutions) {}
411
412  raw_ostream &getStream() { return Out; }
413
414  void disableDerivedAbiTags() { DisableDerivedAbiTags = true; }
415  static bool shouldHaveAbiTags(ItaniumMangleContextImpl &Cconst VarDecl *VD);
416
417  void mangle(const NamedDecl *D);
418  void mangleCallOffset(int64_t NonVirtualint64_t Virtual);
419  void mangleNumber(const llvm::APSInt &I);
420  void mangleNumber(int64_t Number);
421  void mangleFloat(const llvm::APFloat &F);
422  void mangleFunctionEncoding(const FunctionDecl *FD);
423  void mangleSeqID(unsigned SeqID);
424  void mangleName(const NamedDecl *ND);
425  void mangleType(QualType T);
426  void mangleNameOrStandardSubstitution(const NamedDecl *ND);
427
428private:
429
430  bool mangleSubstitution(const NamedDecl *ND);
431  bool mangleSubstitution(QualType T);
432  bool mangleSubstitution(TemplateName Template);
433  bool mangleSubstitution(uintptr_t Ptr);
434
435  void mangleExistingSubstitution(TemplateName name);
436
437  bool mangleStandardSubstitution(const NamedDecl *ND);
438
439  void addSubstitution(const NamedDecl *ND) {
440    ND = cast<NamedDecl>(ND->getCanonicalDecl());
441
442    addSubstitution(reinterpret_cast<uintptr_t>(ND));
443  }
444  void addSubstitution(QualType T);
445  void addSubstitution(TemplateName Template);
446  void addSubstitution(uintptr_t Ptr);
447  // Destructive copy substitutions from other mangler.
448  void extendSubstitutions(CXXNameManglerOther);
449
450  void mangleUnresolvedPrefix(NestedNameSpecifier *qualifier,
451                              bool recursive = false);
452  void mangleUnresolvedName(NestedNameSpecifier *qualifier,
453                            DeclarationName name,
454                            const TemplateArgumentLoc *TemplateArgs,
455                            unsigned NumTemplateArgs,
456                            unsigned KnownArity = UnknownArity);
457
458  void mangleFunctionEncodingBareType(const FunctionDecl *FD);
459
460  void mangleNameWithAbiTags(const NamedDecl *ND,
461                             const AbiTagList *AdditionalAbiTags);
462  void mangleModuleName(const Module *M);
463  void mangleModuleNamePrefix(StringRef Name);
464  void mangleTemplateName(const TemplateDecl *TD,
465                          const TemplateArgument *TemplateArgs,
466                          unsigned NumTemplateArgs);
467  void mangleUnqualifiedName(const NamedDecl *ND,
468                             const AbiTagList *AdditionalAbiTags) {
469    mangleUnqualifiedName(NDND->getDeclName(), UnknownArity,
470                          AdditionalAbiTags);
471  }
472  void mangleUnqualifiedName(const NamedDecl *NDDeclarationName Name,
473                             unsigned KnownArity,
474                             const AbiTagList *AdditionalAbiTags);
475  void mangleUnscopedName(const NamedDecl *ND,
476                          const AbiTagList *AdditionalAbiTags);
477  void mangleUnscopedTemplateName(const TemplateDecl *ND,
478                                  const AbiTagList *AdditionalAbiTags);
479  void mangleUnscopedTemplateName(TemplateName,
480                                  const AbiTagList *AdditionalAbiTags);
481  void mangleSourceName(const IdentifierInfo *II);
482  void mangleRegCallName(const IdentifierInfo *II);
483  void mangleSourceNameWithAbiTags(
484      const NamedDecl *NDconst AbiTagList *AdditionalAbiTags = nullptr);
485  void mangleLocalName(const Decl *D,
486                       const AbiTagList *AdditionalAbiTags);
487  void mangleBlockForPrefix(const BlockDecl *Block);
488  void mangleUnqualifiedBlock(const BlockDecl *Block);
489  void mangleLambda(const CXXRecordDecl *Lambda);
490  void mangleNestedName(const NamedDecl *NDconst DeclContext *DC,
491                        const AbiTagList *AdditionalAbiTags,
492                        bool NoFunction=false);
493  void mangleNestedName(const TemplateDecl *TD,
494                        const TemplateArgument *TemplateArgs,
495                        unsigned NumTemplateArgs);
496  void manglePrefix(NestedNameSpecifier *qualifier);
497  void manglePrefix(const DeclContext *DCbool NoFunction=false);
498  void manglePrefix(QualType type);
499  void mangleTemplatePrefix(const TemplateDecl *NDbool NoFunction=false);
500  void mangleTemplatePrefix(TemplateName Template);
501  bool mangleUnresolvedTypeOrSimpleId(QualType DestroyedType,
502                                      StringRef Prefix = "");
503  void mangleOperatorName(DeclarationName Nameunsigned Arity);
504  void mangleOperatorName(OverloadedOperatorKind OOunsigned Arity);
505  void mangleVendorQualifier(StringRef qualifier);
506  void mangleQualifiers(Qualifiers Qualsconst DependentAddressSpaceType *DAST = nullptr);
507  void mangleRefQualifier(RefQualifierKind RefQualifier);
508
509  void mangleObjCMethodName(const ObjCMethodDecl *MD);
510
511  // Declare manglers for every type class.
512#define ABSTRACT_TYPE(CLASS, PARENT)
513#define NON_CANONICAL_TYPE(CLASS, PARENT)
514#define TYPE(CLASS, PARENT) void mangleType(const CLASS##Type *T);
515#include "clang/AST/TypeNodes.def"
516
517  void mangleType(const TagType*);
518  void mangleType(TemplateName);
519  static StringRef getCallingConvQualifierName(CallingConv CC);
520  void mangleExtParameterInfo(FunctionProtoType::ExtParameterInfo info);
521  void mangleExtFunctionInfo(const FunctionType *T);
522  void mangleBareFunctionType(const FunctionProtoType *Tbool MangleReturnType,
523                              const FunctionDecl *FD = nullptr);
524  void mangleNeonVectorType(const VectorType *T);
525  void mangleNeonVectorType(const DependentVectorType *T);
526  void mangleAArch64NeonVectorType(const VectorType *T);
527  void mangleAArch64NeonVectorType(const DependentVectorType *T);
528
529  void mangleIntegerLiteral(QualType Tconst llvm::APSInt &Value);
530  void mangleMemberExprBase(const Expr *basebool isArrow);
531  void mangleMemberExpr(const Expr *basebool isArrow,
532                        NestedNameSpecifier *qualifier,
533                        NamedDecl *firstQualifierLookup,
534                        DeclarationName name,
535                        const TemplateArgumentLoc *TemplateArgs,
536                        unsigned NumTemplateArgs,
537                        unsigned knownArity);
538  void mangleCastExpression(const Expr *EStringRef CastEncoding);
539  void mangleInitListElements(const InitListExpr *InitList);
540  void mangleExpression(const Expr *Eunsigned Arity = UnknownArity);
541  void mangleCXXCtorType(CXXCtorType Tconst CXXRecordDecl *InheritedFrom);
542  void mangleCXXDtorType(CXXDtorType T);
543
544  void mangleTemplateArgs(const TemplateArgumentLoc *TemplateArgs,
545                          unsigned NumTemplateArgs);
546  void mangleTemplateArgs(const TemplateArgument *TemplateArgs,
547                          unsigned NumTemplateArgs);
548  void mangleTemplateArgs(const TemplateArgumentList &AL);
549  void mangleTemplateArg(TemplateArgument A);
550
551  void mangleTemplateParameter(unsigned Index);
552
553  void mangleFunctionParam(const ParmVarDecl *parm);
554
555  void writeAbiTags(const NamedDecl *ND,
556                    const AbiTagList *AdditionalAbiTags);
557
558  // Returns sorted unique list of ABI tags.
559  AbiTagList makeFunctionReturnTypeTags(const FunctionDecl *FD);
560  // Returns sorted unique list of ABI tags.
561  AbiTagList makeVariableTypeTags(const VarDecl *VD);
562};
563
564}
565
566bool ItaniumMangleContextImpl::shouldMangleCXXName(const NamedDecl *D) {
567  const FunctionDecl *FD = dyn_cast<FunctionDecl>(D);
568  if (FD) {
569    LanguageLinkage L = FD->getLanguageLinkage();
570    // Overloadable functions need mangling.
571    if (FD->hasAttr<OverloadableAttr>())
572      return true;
573
574    // "main" is not mangled.
575    if (FD->isMain())
576      return false;
577
578    // The Windows ABI expects that we would never mangle "typical"
579    // user-defined entry points regardless of visibility or freestanding-ness.
580    //
581    // N.B. This is distinct from asking about "main".  "main" has a lot of
582    // special rules associated with it in the standard while these
583    // user-defined entry points are outside of the purview of the standard.
584    // For example, there can be only one definition for "main" in a standards
585    // compliant program; however nothing forbids the existence of wmain and
586    // WinMain in the same translation unit.
587    if (FD->isMSVCRTEntryPoint())
588      return false;
589
590    // C++ functions and those whose names are not a simple identifier need
591    // mangling.
592    if (!FD->getDeclName().isIdentifier() || L == CXXLanguageLinkage)
593      return true;
594
595    // C functions are not mangled.
596    if (L == CLanguageLinkage)
597      return false;
598  }
599
600  // Otherwise, no mangling is done outside C++ mode.
601  if (!getASTContext().getLangOpts().CPlusPlus)
602    return false;
603
604  const VarDecl *VD = dyn_cast<VarDecl>(D);
605  if (VD && !isa<DecompositionDecl>(D)) {
606    // C variables are not mangled.
607    if (VD->isExternC())
608      return false;
609
610    // Variables at global scope with non-internal linkage are not mangled
611    const DeclContext *DC = getEffectiveDeclContext(D);
612    // Check for extern variable declared locally.
613    if (DC->isFunctionOrMethod() && D->hasLinkage())
614      while (!DC->isNamespace() && !DC->isTranslationUnit())
615        DC = getEffectiveParentContext(DC);
616    if (DC->isTranslationUnit() && D->getFormalLinkage() != InternalLinkage &&
617        !CXXNameMangler::shouldHaveAbiTags(*this, VD) &&
618        !isa<VarTemplateSpecializationDecl>(D))
619      return false;
620  }
621
622  return true;
623}
624
625void CXXNameMangler::writeAbiTags(const NamedDecl *ND,
626                                  const AbiTagList *AdditionalAbiTags) {
627   (0) . __assert_fail ("AbiTags && \"require AbiTagState\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 627, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(AbiTags && "require AbiTagState");
628  AbiTags->write(OutNDDisableDerivedAbiTags ? nullptr : AdditionalAbiTags);
629}
630
631void CXXNameMangler::mangleSourceNameWithAbiTags(
632    const NamedDecl *NDconst AbiTagList *AdditionalAbiTags) {
633  mangleSourceName(ND->getIdentifier());
634  writeAbiTags(NDAdditionalAbiTags);
635}
636
637void CXXNameMangler::mangle(const NamedDecl *D) {
638  // <mangled-name> ::= _Z <encoding>
639  //            ::= <data name>
640  //            ::= <special-name>
641  Out << "_Z";
642  if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(D))
643    mangleFunctionEncoding(FD);
644  else if (const VarDecl *VD = dyn_cast<VarDecl>(D))
645    mangleName(VD);
646  else if (const IndirectFieldDecl *IFD = dyn_cast<IndirectFieldDecl>(D))
647    mangleName(IFD->getAnonField());
648  else
649    mangleName(cast<FieldDecl>(D));
650}
651
652void CXXNameMangler::mangleFunctionEncoding(const FunctionDecl *FD) {
653  // <encoding> ::= <function name> <bare-function-type>
654
655  // Don't mangle in the type if this isn't a decl we should typically mangle.
656  if (!Context.shouldMangleDeclName(FD)) {
657    mangleName(FD);
658    return;
659  }
660
661  AbiTagList ReturnTypeAbiTags = makeFunctionReturnTypeTags(FD);
662  if (ReturnTypeAbiTags.empty()) {
663    // There are no tags for return type, the simplest case.
664    mangleName(FD);
665    mangleFunctionEncodingBareType(FD);
666    return;
667  }
668
669  // Mangle function name and encoding to temporary buffer.
670  // We have to output name and encoding to the same mangler to get the same
671  // substitution as it will be in final mangling.
672  SmallString<256FunctionEncodingBuf;
673  llvm::raw_svector_ostream FunctionEncodingStream(FunctionEncodingBuf);
674  CXXNameMangler FunctionEncodingMangler(*this, FunctionEncodingStream);
675  // Output name of the function.
676  FunctionEncodingMangler.disableDerivedAbiTags();
677  FunctionEncodingMangler.mangleNameWithAbiTags(FDnullptr);
678
679  // Remember length of the function name in the buffer.
680  size_t EncodingPositionStart = FunctionEncodingStream.str().size();
681  FunctionEncodingMangler.mangleFunctionEncodingBareType(FD);
682
683  // Get tags from return type that are not present in function name or
684  // encoding.
685  const AbiTagList &UsedAbiTags =
686      FunctionEncodingMangler.AbiTagsRoot.getSortedUniqueUsedAbiTags();
687  AbiTagList AdditionalAbiTags(ReturnTypeAbiTags.size());
688  AdditionalAbiTags.erase(
689      std::set_difference(ReturnTypeAbiTags.begin(), ReturnTypeAbiTags.end(),
690                          UsedAbiTags.begin(), UsedAbiTags.end(),
691                          AdditionalAbiTags.begin()),
692      AdditionalAbiTags.end());
693
694  // Output name with implicit tags and function encoding from temporary buffer.
695  mangleNameWithAbiTags(FD, &AdditionalAbiTags);
696  Out << FunctionEncodingStream.str().substr(EncodingPositionStart);
697
698  // Function encoding could create new substitutions so we have to add
699  // temp mangled substitutions to main mangler.
700  extendSubstitutions(&FunctionEncodingMangler);
701}
702
703void CXXNameMangler::mangleFunctionEncodingBareType(const FunctionDecl *FD) {
704  if (FD->hasAttr<EnableIfAttr>()) {
705    FunctionTypeDepthState Saved = FunctionTypeDepth.push();
706    Out << "Ua9enable_ifI";
707    for (AttrVec::const_iterator I = FD->getAttrs().begin(),
708                                 E = FD->getAttrs().end();
709         I != E; ++I) {
710      EnableIfAttr *EIA = dyn_cast<EnableIfAttr>(*I);
711      if (!EIA)
712        continue;
713      Out << 'X';
714      mangleExpression(EIA->getCond());
715      Out << 'E';
716    }
717    Out << 'E';
718    FunctionTypeDepth.pop(Saved);
719  }
720
721  // When mangling an inheriting constructor, the bare function type used is
722  // that of the inherited constructor.
723  if (auto *CD = dyn_cast<CXXConstructorDecl>(FD))
724    if (auto Inherited = CD->getInheritedConstructor())
725      FD = Inherited.getConstructor();
726
727  // Whether the mangling of a function type includes the return type depends on
728  // the context and the nature of the function. The rules for deciding whether
729  // the return type is included are:
730  //
731  //   1. Template functions (names or types) have return types encoded, with
732  //   the exceptions listed below.
733  //   2. Function types not appearing as part of a function name mangling,
734  //   e.g. parameters, pointer types, etc., have return type encoded, with the
735  //   exceptions listed below.
736  //   3. Non-template function names do not have return types encoded.
737  //
738  // The exceptions mentioned in (1) and (2) above, for which the return type is
739  // never included, are
740  //   1. Constructors.
741  //   2. Destructors.
742  //   3. Conversion operator functions, e.g. operator int.
743  bool MangleReturnType = false;
744  if (FunctionTemplateDecl *PrimaryTemplate = FD->getPrimaryTemplate()) {
745    if (!(isa<CXXConstructorDecl>(FD) || isa<CXXDestructorDecl>(FD) ||
746          isa<CXXConversionDecl>(FD)))
747      MangleReturnType = true;
748
749    // Mangle the type of the primary template.
750    FD = PrimaryTemplate->getTemplatedDecl();
751  }
752
753  mangleBareFunctionType(FD->getType()->castAs<FunctionProtoType>(),
754                         MangleReturnTypeFD);
755}
756
757static const DeclContext *IgnoreLinkageSpecDecls(const DeclContext *DC) {
758  while (isa<LinkageSpecDecl>(DC)) {
759    DC = getEffectiveParentContext(DC);
760  }
761
762  return DC;
763}
764
765/// Return whether a given namespace is the 'std' namespace.
766static bool isStd(const NamespaceDecl *NS) {
767  if (!IgnoreLinkageSpecDecls(getEffectiveParentContext(NS))
768                                ->isTranslationUnit())
769    return false;
770
771  const IdentifierInfo *II = NS->getOriginalNamespace()->getIdentifier();
772  return II && II->isStr("std");
773}
774
775// isStdNamespace - Return whether a given decl context is a toplevel 'std'
776// namespace.
777static bool isStdNamespace(const DeclContext *DC) {
778  if (!DC->isNamespace())
779    return false;
780
781  return isStd(cast<NamespaceDecl>(DC));
782}
783
784static const TemplateDecl *
785isTemplate(const NamedDecl *NDconst TemplateArgumentList *&TemplateArgs) {
786  // Check if we have a function template.
787  if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(ND)) {
788    if (const TemplateDecl *TD = FD->getPrimaryTemplate()) {
789      TemplateArgs = FD->getTemplateSpecializationArgs();
790      return TD;
791    }
792  }
793
794  // Check if we have a class template.
795  if (const ClassTemplateSpecializationDecl *Spec =
796        dyn_cast<ClassTemplateSpecializationDecl>(ND)) {
797    TemplateArgs = &Spec->getTemplateArgs();
798    return Spec->getSpecializedTemplate();
799  }
800
801  // Check if we have a variable template.
802  if (const VarTemplateSpecializationDecl *Spec =
803          dyn_cast<VarTemplateSpecializationDecl>(ND)) {
804    TemplateArgs = &Spec->getTemplateArgs();
805    return Spec->getSpecializedTemplate();
806  }
807
808  return nullptr;
809}
810
811void CXXNameMangler::mangleName(const NamedDecl *ND) {
812  if (const VarDecl *VD = dyn_cast<VarDecl>(ND)) {
813    // Variables should have implicit tags from its type.
814    AbiTagList VariableTypeAbiTags = makeVariableTypeTags(VD);
815    if (VariableTypeAbiTags.empty()) {
816      // Simple case no variable type tags.
817      mangleNameWithAbiTags(VDnullptr);
818      return;
819    }
820
821    // Mangle variable name to null stream to collect tags.
822    llvm::raw_null_ostream NullOutStream;
823    CXXNameMangler VariableNameMangler(*this, NullOutStream);
824    VariableNameMangler.disableDerivedAbiTags();
825    VariableNameMangler.mangleNameWithAbiTags(VDnullptr);
826
827    // Get tags from variable type that are not present in its name.
828    const AbiTagList &UsedAbiTags =
829        VariableNameMangler.AbiTagsRoot.getSortedUniqueUsedAbiTags();
830    AbiTagList AdditionalAbiTags(VariableTypeAbiTags.size());
831    AdditionalAbiTags.erase(
832        std::set_difference(VariableTypeAbiTags.begin(),
833                            VariableTypeAbiTags.end(), UsedAbiTags.begin(),
834                            UsedAbiTags.end(), AdditionalAbiTags.begin()),
835        AdditionalAbiTags.end());
836
837    // Output name with implicit tags.
838    mangleNameWithAbiTags(VD, &AdditionalAbiTags);
839  } else {
840    mangleNameWithAbiTags(NDnullptr);
841  }
842}
843
844void CXXNameMangler::mangleNameWithAbiTags(const NamedDecl *ND,
845                                           const AbiTagList *AdditionalAbiTags) {
846  //  <name> ::= [<module-name>] <nested-name>
847  //         ::= [<module-name>] <unscoped-name>
848  //         ::= [<module-name>] <unscoped-template-name> <template-args>
849  //         ::= <local-name>
850  //
851  const DeclContext *DC = getEffectiveDeclContext(ND);
852
853  // If this is an extern variable declared locally, the relevant DeclContext
854  // is that of the containing namespace, or the translation unit.
855  // FIXME: This is a hack; extern variables declared locally should have
856  // a proper semantic declaration context!
857  if (isLocalContainerContext(DC) && ND->hasLinkage() && !isLambda(ND))
858    while (!DC->isNamespace() && !DC->isTranslationUnit())
859      DC = getEffectiveParentContext(DC);
860  else if (GetLocalClassDecl(ND)) {
861    mangleLocalName(NDAdditionalAbiTags);
862    return;
863  }
864
865  DC = IgnoreLinkageSpecDecls(DC);
866
867  if (isLocalContainerContext(DC)) {
868    mangleLocalName(NDAdditionalAbiTags);
869    return;
870  }
871
872  // Do not mangle the owning module for an external linkage declaration.
873  // This enables backwards-compatibility with non-modular code, and is
874  // a valid choice since conflicts are not permitted by C++ Modules TS
875  // [basic.def.odr]/6.2.
876  if (!ND->hasExternalFormalLinkage())
877    if (Module *M = ND->getOwningModuleForLinkage())
878      mangleModuleName(M);
879
880  if (DC->isTranslationUnit() || isStdNamespace(DC)) {
881    // Check if we have a template.
882    const TemplateArgumentList *TemplateArgs = nullptr;
883    if (const TemplateDecl *TD = isTemplate(NDTemplateArgs)) {
884      mangleUnscopedTemplateName(TDAdditionalAbiTags);
885      mangleTemplateArgs(*TemplateArgs);
886      return;
887    }
888
889    mangleUnscopedName(NDAdditionalAbiTags);
890    return;
891  }
892
893  mangleNestedName(NDDCAdditionalAbiTags);
894}
895
896void CXXNameMangler::mangleModuleName(const Module *M) {
897  // Implement the C++ Modules TS name mangling proposal; see
898  //     https://gcc.gnu.org/wiki/cxx-modules?action=AttachFile
899  //
900  //   <module-name> ::= W <unscoped-name>+ E
901  //                 ::= W <module-subst> <unscoped-name>* E
902  Out << 'W';
903  mangleModuleNamePrefix(M->Name);
904  Out << 'E';
905}
906
907void CXXNameMangler::mangleModuleNamePrefix(StringRef Name) {
908  //  <module-subst> ::= _ <seq-id>          # 0 < seq-id < 10
909  //                 ::= W <seq-id - 10> _   # otherwise
910  auto It = ModuleSubstitutions.find(Name);
911  if (It != ModuleSubstitutions.end()) {
912    if (It->second < 10)
913      Out << '_' << static_cast<char>('0' + It->second);
914    else
915      Out << 'W' << (It->second - 10) << '_';
916    return;
917  }
918
919  // FIXME: Preserve hierarchy in module names rather than flattening
920  // them to strings; use Module*s as substitution keys.
921  auto Parts = Name.rsplit('.');
922  if (Parts.second.empty())
923    Parts.second = Parts.first;
924  else
925    mangleModuleNamePrefix(Parts.first);
926
927  Out << Parts.second.size() << Parts.second;
928  ModuleSubstitutions.insert({Name, ModuleSubstitutions.size()});
929}
930
931void CXXNameMangler::mangleTemplateName(const TemplateDecl *TD,
932                                        const TemplateArgument *TemplateArgs,
933                                        unsigned NumTemplateArgs) {
934  const DeclContext *DC = IgnoreLinkageSpecDecls(getEffectiveDeclContext(TD));
935
936  if (DC->isTranslationUnit() || isStdNamespace(DC)) {
937    mangleUnscopedTemplateName(TDnullptr);
938    mangleTemplateArgs(TemplateArgsNumTemplateArgs);
939  } else {
940    mangleNestedName(TDTemplateArgsNumTemplateArgs);
941  }
942}
943
944void CXXNameMangler::mangleUnscopedName(const NamedDecl *ND,
945                                        const AbiTagList *AdditionalAbiTags) {
946  //  <unscoped-name> ::= <unqualified-name>
947  //                  ::= St <unqualified-name>   # ::std::
948
949  if (isStdNamespace(IgnoreLinkageSpecDecls(getEffectiveDeclContext(ND))))
950    Out << "St";
951
952  mangleUnqualifiedName(NDAdditionalAbiTags);
953}
954
955void CXXNameMangler::mangleUnscopedTemplateName(
956    const TemplateDecl *NDconst AbiTagList *AdditionalAbiTags) {
957  //     <unscoped-template-name> ::= <unscoped-name>
958  //                              ::= <substitution>
959  if (mangleSubstitution(ND))
960    return;
961
962  // <template-template-param> ::= <template-param>
963  if (const auto *TTP = dyn_cast<TemplateTemplateParmDecl>(ND)) {
964     (0) . __assert_fail ("!AdditionalAbiTags && \"template template param cannot have abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 965, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!AdditionalAbiTags &&
965 (0) . __assert_fail ("!AdditionalAbiTags && \"template template param cannot have abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 965, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">           "template template param cannot have abi tags");
966    mangleTemplateParameter(TTP->getIndex());
967  } else if (isa<BuiltinTemplateDecl>(ND)) {
968    mangleUnscopedName(NDAdditionalAbiTags);
969  } else {
970    mangleUnscopedName(ND->getTemplatedDecl(), AdditionalAbiTags);
971  }
972
973  addSubstitution(ND);
974}
975
976void CXXNameMangler::mangleUnscopedTemplateName(
977    TemplateName Templateconst AbiTagList *AdditionalAbiTags) {
978  //     <unscoped-template-name> ::= <unscoped-name>
979  //                              ::= <substitution>
980  if (TemplateDecl *TD = Template.getAsTemplateDecl())
981    return mangleUnscopedTemplateName(TDAdditionalAbiTags);
982
983  if (mangleSubstitution(Template))
984    return;
985
986   (0) . __assert_fail ("!AdditionalAbiTags && \"dependent template name cannot have abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 987, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!AdditionalAbiTags &&
987 (0) . __assert_fail ("!AdditionalAbiTags && \"dependent template name cannot have abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 987, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">         "dependent template name cannot have abi tags");
988
989  DependentTemplateName *Dependent = Template.getAsDependentTemplateName();
990   (0) . __assert_fail ("Dependent && \"Not a dependent template name?\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 990, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(Dependent && "Not a dependent template name?");
991  if (const IdentifierInfo *Id = Dependent->getIdentifier())
992    mangleSourceName(Id);
993  else
994    mangleOperatorName(Dependent->getOperator(), UnknownArity);
995
996  addSubstitution(Template);
997}
998
999void CXXNameMangler::mangleFloat(const llvm::APFloat &f) {
1000  // ABI:
1001  //   Floating-point literals are encoded using a fixed-length
1002  //   lowercase hexadecimal string corresponding to the internal
1003  //   representation (IEEE on Itanium), high-order bytes first,
1004  //   without leading zeroes. For example: "Lf bf800000 E" is -1.0f
1005  //   on Itanium.
1006  // The 'without leading zeroes' thing seems to be an editorial
1007  // mistake; see the discussion on cxx-abi-dev beginning on
1008  // 2012-01-16.
1009
1010  // Our requirements here are just barely weird enough to justify
1011  // using a custom algorithm instead of post-processing APInt::toString().
1012
1013  llvm::APInt valueBits = f.bitcastToAPInt();
1014  unsigned numCharacters = (valueBits.getBitWidth() + 3) / 4;
1015  assert(numCharacters != 0);
1016
1017  // Allocate a buffer of the right number of characters.
1018  SmallVector<char20buffer(numCharacters);
1019
1020  // Fill the buffer left-to-right.
1021  for (unsigned stringIndex = 0stringIndex != numCharacters; ++stringIndex) {
1022    // The bit-index of the next hex digit.
1023    unsigned digitBitIndex = 4 * (numCharacters - stringIndex - 1);
1024
1025    // Project out 4 bits starting at 'digitIndex'.
1026    uint64_t hexDigit = valueBits.getRawData()[digitBitIndex / 64];
1027    hexDigit >>= (digitBitIndex % 64);
1028    hexDigit &= 0xF;
1029
1030    // Map that over to a lowercase hex digit.
1031    static const char charForHex[16] = {
1032      '0''1''2''3''4''5''6''7',
1033      '8''9''a''b''c''d''e''f'
1034    };
1035    buffer[stringIndex] = charForHex[hexDigit];
1036  }
1037
1038  Out.write(buffer.data(), numCharacters);
1039}
1040
1041void CXXNameMangler::mangleNumber(const llvm::APSInt &Value) {
1042  if (Value.isSigned() && Value.isNegative()) {
1043    Out << 'n';
1044    Value.abs().print(Out, /*signed*/ false);
1045  } else {
1046    Value.print(Out, /*signed*/ false);
1047  }
1048}
1049
1050void CXXNameMangler::mangleNumber(int64_t Number) {
1051  //  <number> ::= [n] <non-negative decimal integer>
1052  if (Number < 0) {
1053    Out << 'n';
1054    Number = -Number;
1055  }
1056
1057  Out << Number;
1058}
1059
1060void CXXNameMangler::mangleCallOffset(int64_t NonVirtualint64_t Virtual) {
1061  //  <call-offset>  ::= h <nv-offset> _
1062  //                 ::= v <v-offset> _
1063  //  <nv-offset>    ::= <offset number>        # non-virtual base override
1064  //  <v-offset>     ::= <offset number> _ <virtual offset number>
1065  //                      # virtual base override, with vcall offset
1066  if (!Virtual) {
1067    Out << 'h';
1068    mangleNumber(NonVirtual);
1069    Out << '_';
1070    return;
1071  }
1072
1073  Out << 'v';
1074  mangleNumber(NonVirtual);
1075  Out << '_';
1076  mangleNumber(Virtual);
1077  Out << '_';
1078}
1079
1080void CXXNameMangler::manglePrefix(QualType type) {
1081  if (const auto *TST = type->getAs<TemplateSpecializationType>()) {
1082    if (!mangleSubstitution(QualType(TST0))) {
1083      mangleTemplatePrefix(TST->getTemplateName());
1084
1085      // FIXME: GCC does not appear to mangle the template arguments when
1086      // the template in question is a dependent template name. Should we
1087      // emulate that badness?
1088      mangleTemplateArgs(TST->getArgs(), TST->getNumArgs());
1089      addSubstitution(QualType(TST0));
1090    }
1091  } else if (const auto *DTST =
1092                 type->getAs<DependentTemplateSpecializationType>()) {
1093    if (!mangleSubstitution(QualType(DTST0))) {
1094      TemplateName Template = getASTContext().getDependentTemplateName(
1095          DTST->getQualifier(), DTST->getIdentifier());
1096      mangleTemplatePrefix(Template);
1097
1098      // FIXME: GCC does not appear to mangle the template arguments when
1099      // the template in question is a dependent template name. Should we
1100      // emulate that badness?
1101      mangleTemplateArgs(DTST->getArgs(), DTST->getNumArgs());
1102      addSubstitution(QualType(DTST0));
1103    }
1104  } else {
1105    // We use the QualType mangle type variant here because it handles
1106    // substitutions.
1107    mangleType(type);
1108  }
1109}
1110
1111/// Mangle everything prior to the base-unresolved-name in an unresolved-name.
1112///
1113/// \param recursive - true if this is being called recursively,
1114///   i.e. if there is more prefix "to the right".
1115void CXXNameMangler::mangleUnresolvedPrefix(NestedNameSpecifier *qualifier,
1116                                            bool recursive) {
1117
1118  // x, ::x
1119  // <unresolved-name> ::= [gs] <base-unresolved-name>
1120
1121  // T::x / decltype(p)::x
1122  // <unresolved-name> ::= sr <unresolved-type> <base-unresolved-name>
1123
1124  // T::N::x /decltype(p)::N::x
1125  // <unresolved-name> ::= srN <unresolved-type> <unresolved-qualifier-level>+ E
1126  //                       <base-unresolved-name>
1127
1128  // A::x, N::y, A<T>::z; "gs" means leading "::"
1129  // <unresolved-name> ::= [gs] sr <unresolved-qualifier-level>+ E
1130  //                       <base-unresolved-name>
1131
1132  switch (qualifier->getKind()) {
1133  case NestedNameSpecifier::Global:
1134    Out << "gs";
1135
1136    // We want an 'sr' unless this is the entire NNS.
1137    if (recursive)
1138      Out << "sr";
1139
1140    // We never want an 'E' here.
1141    return;
1142
1143  case NestedNameSpecifier::Super:
1144    llvm_unreachable("Can't mangle __super specifier");
1145
1146  case NestedNameSpecifier::Namespace:
1147    if (qualifier->getPrefix())
1148      mangleUnresolvedPrefix(qualifier->getPrefix(),
1149                             /*recursive*/ true);
1150    else
1151      Out << "sr";
1152    mangleSourceNameWithAbiTags(qualifier->getAsNamespace());
1153    break;
1154  case NestedNameSpecifier::NamespaceAlias:
1155    if (qualifier->getPrefix())
1156      mangleUnresolvedPrefix(qualifier->getPrefix(),
1157                             /*recursive*/ true);
1158    else
1159      Out << "sr";
1160    mangleSourceNameWithAbiTags(qualifier->getAsNamespaceAlias());
1161    break;
1162
1163  case NestedNameSpecifier::TypeSpec:
1164  case NestedNameSpecifier::TypeSpecWithTemplate: {
1165    const Type *type = qualifier->getAsType();
1166
1167    // We only want to use an unresolved-type encoding if this is one of:
1168    //   - a decltype
1169    //   - a template type parameter
1170    //   - a template template parameter with arguments
1171    // In all of these cases, we should have no prefix.
1172    if (qualifier->getPrefix()) {
1173      mangleUnresolvedPrefix(qualifier->getPrefix(),
1174                             /*recursive*/ true);
1175    } else {
1176      // Otherwise, all the cases want this.
1177      Out << "sr";
1178    }
1179
1180    if (mangleUnresolvedTypeOrSimpleId(QualType(type0), recursive ? "N" : ""))
1181      return;
1182
1183    break;
1184  }
1185
1186  case NestedNameSpecifier::Identifier:
1187    // Member expressions can have these without prefixes.
1188    if (qualifier->getPrefix())
1189      mangleUnresolvedPrefix(qualifier->getPrefix(),
1190                             /*recursive*/ true);
1191    else
1192      Out << "sr";
1193
1194    mangleSourceName(qualifier->getAsIdentifier());
1195    // An Identifier has no type information, so we can't emit abi tags for it.
1196    break;
1197  }
1198
1199  // If this was the innermost part of the NNS, and we fell out to
1200  // here, append an 'E'.
1201  if (!recursive)
1202    Out << 'E';
1203}
1204
1205/// Mangle an unresolved-name, which is generally used for names which
1206/// weren't resolved to specific entities.
1207void CXXNameMangler::mangleUnresolvedName(
1208    NestedNameSpecifier *qualifierDeclarationName name,
1209    const TemplateArgumentLoc *TemplateArgsunsigned NumTemplateArgs,
1210    unsigned knownArity) {
1211  if (qualifiermangleUnresolvedPrefix(qualifier);
1212  switch (name.getNameKind()) {
1213    // <base-unresolved-name> ::= <simple-id>
1214    case DeclarationName::Identifier:
1215      mangleSourceName(name.getAsIdentifierInfo());
1216      break;
1217    // <base-unresolved-name> ::= dn <destructor-name>
1218    case DeclarationName::CXXDestructorName:
1219      Out << "dn";
1220      mangleUnresolvedTypeOrSimpleId(name.getCXXNameType());
1221      break;
1222    // <base-unresolved-name> ::= on <operator-name>
1223    case DeclarationName::CXXConversionFunctionName:
1224    case DeclarationName::CXXLiteralOperatorName:
1225    case DeclarationName::CXXOperatorName:
1226      Out << "on";
1227      mangleOperatorName(nameknownArity);
1228      break;
1229    case DeclarationName::CXXConstructorName:
1230      llvm_unreachable("Can't mangle a constructor name!");
1231    case DeclarationName::CXXUsingDirective:
1232      llvm_unreachable("Can't mangle a using directive name!");
1233    case DeclarationName::CXXDeductionGuideName:
1234      llvm_unreachable("Can't mangle a deduction guide name!");
1235    case DeclarationName::ObjCMultiArgSelector:
1236    case DeclarationName::ObjCOneArgSelector:
1237    case DeclarationName::ObjCZeroArgSelector:
1238      llvm_unreachable("Can't mangle Objective-C selector names here!");
1239  }
1240
1241  // The <simple-id> and on <operator-name> productions end in an optional
1242  // <template-args>.
1243  if (TemplateArgs)
1244    mangleTemplateArgs(TemplateArgsNumTemplateArgs);
1245}
1246
1247void CXXNameMangler::mangleUnqualifiedName(const NamedDecl *ND,
1248                                           DeclarationName Name,
1249                                           unsigned KnownArity,
1250                                           const AbiTagList *AdditionalAbiTags) {
1251  unsigned Arity = KnownArity;
1252  //  <unqualified-name> ::= <operator-name>
1253  //                     ::= <ctor-dtor-name>
1254  //                     ::= <source-name>
1255  switch (Name.getNameKind()) {
1256  case DeclarationName::Identifier: {
1257    const IdentifierInfo *II = Name.getAsIdentifierInfo();
1258
1259    // We mangle decomposition declarations as the names of their bindings.
1260    if (auto *DD = dyn_cast<DecompositionDecl>(ND)) {
1261      // FIXME: Non-standard mangling for decomposition declarations:
1262      //
1263      //  <unqualified-name> ::= DC <source-name>* E
1264      //
1265      // These can never be referenced across translation units, so we do
1266      // not need a cross-vendor mangling for anything other than demanglers.
1267      // Proposed on cxx-abi-dev on 2016-08-12
1268      Out << "DC";
1269      for (auto *BD : DD->bindings())
1270        mangleSourceName(BD->getDeclName().getAsIdentifierInfo());
1271      Out << 'E';
1272      writeAbiTags(NDAdditionalAbiTags);
1273      break;
1274    }
1275
1276    if (II) {
1277      // Match GCC's naming convention for internal linkage symbols, for
1278      // symbols that are not actually visible outside of this TU. GCC
1279      // distinguishes between internal and external linkage symbols in
1280      // its mangling, to support cases like this that were valid C++ prior
1281      // to DR426:
1282      //
1283      //   void test() { extern void foo(); }
1284      //   static void foo();
1285      //
1286      // Don't bother with the L marker for names in anonymous namespaces; the
1287      // 12_GLOBAL__N_1 mangling is quite sufficient there, and this better
1288      // matches GCC anyway, because GCC does not treat anonymous namespaces as
1289      // implying internal linkage.
1290      if (ND && ND->getFormalLinkage() == InternalLinkage &&
1291          !ND->isExternallyVisible() &&
1292          getEffectiveDeclContext(ND)->isFileContext() &&
1293          !ND->isInAnonymousNamespace())
1294        Out << 'L';
1295
1296      auto *FD = dyn_cast<FunctionDecl>(ND);
1297      bool IsRegCall = FD &&
1298                       FD->getType()->castAs<FunctionType>()->getCallConv() ==
1299                           clang::CC_X86RegCall;
1300      if (IsRegCall)
1301        mangleRegCallName(II);
1302      else
1303        mangleSourceName(II);
1304
1305      writeAbiTags(NDAdditionalAbiTags);
1306      break;
1307    }
1308
1309    // Otherwise, an anonymous entity.  We must have a declaration.
1310     (0) . __assert_fail ("ND && \"mangling empty name without declaration\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1310, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(ND && "mangling empty name without declaration");
1311
1312    if (const NamespaceDecl *NS = dyn_cast<NamespaceDecl>(ND)) {
1313      if (NS->isAnonymousNamespace()) {
1314        // This is how gcc mangles these names.
1315        Out << "12_GLOBAL__N_1";
1316        break;
1317      }
1318    }
1319
1320    if (const VarDecl *VD = dyn_cast<VarDecl>(ND)) {
1321      // We must have an anonymous union or struct declaration.
1322      const RecordDecl *RD = VD->getType()->getAs<RecordType>()->getDecl();
1323
1324      // Itanium C++ ABI 5.1.2:
1325      //
1326      //   For the purposes of mangling, the name of an anonymous union is
1327      //   considered to be the name of the first named data member found by a
1328      //   pre-order, depth-first, declaration-order walk of the data members of
1329      //   the anonymous union. If there is no such data member (i.e., if all of
1330      //   the data members in the union are unnamed), then there is no way for
1331      //   a program to refer to the anonymous union, and there is therefore no
1332      //   need to mangle its name.
1333       (0) . __assert_fail ("RD->isAnonymousStructOrUnion() && \"Expected anonymous struct or union!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1334, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(RD->isAnonymousStructOrUnion()
1334 (0) . __assert_fail ("RD->isAnonymousStructOrUnion() && \"Expected anonymous struct or union!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1334, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">             && "Expected anonymous struct or union!");
1335      const FieldDecl *FD = RD->findFirstNamedDataMember();
1336
1337      // It's actually possible for various reasons for us to get here
1338      // with an empty anonymous struct / union.  Fortunately, it
1339      // doesn't really matter what name we generate.
1340      if (!FDbreak;
1341       (0) . __assert_fail ("FD->getIdentifier() && \"Data member name isn't an identifier!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1341, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(FD->getIdentifier() && "Data member name isn't an identifier!");
1342
1343      mangleSourceName(FD->getIdentifier());
1344      // Not emitting abi tags: internal name anyway.
1345      break;
1346    }
1347
1348    // Class extensions have no name as a category, and it's possible
1349    // for them to be the semantic parent of certain declarations
1350    // (primarily, tag decls defined within declarations).  Such
1351    // declarations will always have internal linkage, so the name
1352    // doesn't really matter, but we shouldn't crash on them.  For
1353    // safety, just handle all ObjC containers here.
1354    if (isa<ObjCContainerDecl>(ND))
1355      break;
1356
1357    // We must have an anonymous struct.
1358    const TagDecl *TD = cast<TagDecl>(ND);
1359    if (const TypedefNameDecl *D = TD->getTypedefNameForAnonDecl()) {
1360       (0) . __assert_fail ("TD->getDeclContext() == D->getDeclContext() && \"Typedef should not be in another decl context!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1361, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(TD->getDeclContext() == D->getDeclContext() &&
1361 (0) . __assert_fail ("TD->getDeclContext() == D->getDeclContext() && \"Typedef should not be in another decl context!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1361, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">             "Typedef should not be in another decl context!");
1362       (0) . __assert_fail ("D->getDeclName().getAsIdentifierInfo() && \"Typedef was not named!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1363, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(D->getDeclName().getAsIdentifierInfo() &&
1363 (0) . __assert_fail ("D->getDeclName().getAsIdentifierInfo() && \"Typedef was not named!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1363, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">             "Typedef was not named!");
1364      mangleSourceName(D->getDeclName().getAsIdentifierInfo());
1365       (0) . __assert_fail ("!AdditionalAbiTags && \"Type cannot have additional abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1365, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!AdditionalAbiTags && "Type cannot have additional abi tags");
1366      // Explicit abi tags are still possible; take from underlying type, not
1367      // from typedef.
1368      writeAbiTags(TDnullptr);
1369      break;
1370    }
1371
1372    // <unnamed-type-name> ::= <closure-type-name>
1373    //
1374    // <closure-type-name> ::= Ul <lambda-sig> E [ <nonnegative number> ] _
1375    // <lambda-sig> ::= <parameter-type>+   # Parameter types or 'v' for 'void'.
1376    if (const CXXRecordDecl *Record = dyn_cast<CXXRecordDecl>(TD)) {
1377      if (Record->isLambda() && Record->getLambdaManglingNumber()) {
1378         (0) . __assert_fail ("!AdditionalAbiTags && \"Lambda type cannot have additional abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1379, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!AdditionalAbiTags &&
1379 (0) . __assert_fail ("!AdditionalAbiTags && \"Lambda type cannot have additional abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1379, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">               "Lambda type cannot have additional abi tags");
1380        mangleLambda(Record);
1381        break;
1382      }
1383    }
1384
1385    if (TD->isExternallyVisible()) {
1386      unsigned UnnamedMangle = getASTContext().getManglingNumber(TD);
1387      Out << "Ut";
1388      if (UnnamedMangle > 1)
1389        Out << UnnamedMangle - 2;
1390      Out << '_';
1391      writeAbiTags(TDAdditionalAbiTags);
1392      break;
1393    }
1394
1395    // Get a unique id for the anonymous struct. If it is not a real output
1396    // ID doesn't matter so use fake one.
1397    unsigned AnonStructId = NullOut ? 0 : Context.getAnonymousStructId(TD);
1398
1399    // Mangle it as a source name in the form
1400    // [n] $_<id>
1401    // where n is the length of the string.
1402    SmallString<8Str;
1403    Str += "$_";
1404    Str += llvm::utostr(AnonStructId);
1405
1406    Out << Str.size();
1407    Out << Str;
1408    break;
1409  }
1410
1411  case DeclarationName::ObjCZeroArgSelector:
1412  case DeclarationName::ObjCOneArgSelector:
1413  case DeclarationName::ObjCMultiArgSelector:
1414    llvm_unreachable("Can't mangle Objective-C selector names here!");
1415
1416  case DeclarationName::CXXConstructorName: {
1417    const CXXRecordDecl *InheritedFrom = nullptr;
1418    const TemplateArgumentList *InheritedTemplateArgs = nullptr;
1419    if (auto Inherited =
1420            cast<CXXConstructorDecl>(ND)->getInheritedConstructor()) {
1421      InheritedFrom = Inherited.getConstructor()->getParent();
1422      InheritedTemplateArgs =
1423          Inherited.getConstructor()->getTemplateSpecializationArgs();
1424    }
1425
1426    if (ND == Structor)
1427      // If the named decl is the C++ constructor we're mangling, use the type
1428      // we were given.
1429      mangleCXXCtorType(static_cast<CXXCtorType>(StructorType), InheritedFrom);
1430    else
1431      // Otherwise, use the complete constructor name. This is relevant if a
1432      // class with a constructor is declared within a constructor.
1433      mangleCXXCtorType(Ctor_CompleteInheritedFrom);
1434
1435    // FIXME: The template arguments are part of the enclosing prefix or
1436    // nested-name, but it's more convenient to mangle them here.
1437    if (InheritedTemplateArgs)
1438      mangleTemplateArgs(*InheritedTemplateArgs);
1439
1440    writeAbiTags(NDAdditionalAbiTags);
1441    break;
1442  }
1443
1444  case DeclarationName::CXXDestructorName:
1445    if (ND == Structor)
1446      // If the named decl is the C++ destructor we're mangling, use the type we
1447      // were given.
1448      mangleCXXDtorType(static_cast<CXXDtorType>(StructorType));
1449    else
1450      // Otherwise, use the complete destructor name. This is relevant if a
1451      // class with a destructor is declared within a destructor.
1452      mangleCXXDtorType(Dtor_Complete);
1453    writeAbiTags(NDAdditionalAbiTags);
1454    break;
1455
1456  case DeclarationName::CXXOperatorName:
1457    if (ND && Arity == UnknownArity) {
1458      Arity = cast<FunctionDecl>(ND)->getNumParams();
1459
1460      // If we have a member function, we need to include the 'this' pointer.
1461      if (const auto *MD = dyn_cast<CXXMethodDecl>(ND))
1462        if (!MD->isStatic())
1463          Arity++;
1464    }
1465    LLVM_FALLTHROUGH;
1466  case DeclarationName::CXXConversionFunctionName:
1467  case DeclarationName::CXXLiteralOperatorName:
1468    mangleOperatorName(NameArity);
1469    writeAbiTags(NDAdditionalAbiTags);
1470    break;
1471
1472  case DeclarationName::CXXDeductionGuideName:
1473    llvm_unreachable("Can't mangle a deduction guide name!");
1474
1475  case DeclarationName::CXXUsingDirective:
1476    llvm_unreachable("Can't mangle a using directive name!");
1477  }
1478}
1479
1480void CXXNameMangler::mangleRegCallName(const IdentifierInfo *II) {
1481  // <source-name> ::= <positive length number> __regcall3__ <identifier>
1482  // <number> ::= [n] <non-negative decimal integer>
1483  // <identifier> ::= <unqualified source code identifier>
1484  Out << II->getLength() + sizeof("__regcall3__") - 1 << "__regcall3__"
1485      << II->getName();
1486}
1487
1488void CXXNameMangler::mangleSourceName(const IdentifierInfo *II) {
1489  // <source-name> ::= <positive length number> <identifier>
1490  // <number> ::= [n] <non-negative decimal integer>
1491  // <identifier> ::= <unqualified source code identifier>
1492  Out << II->getLength() << II->getName();
1493}
1494
1495void CXXNameMangler::mangleNestedName(const NamedDecl *ND,
1496                                      const DeclContext *DC,
1497                                      const AbiTagList *AdditionalAbiTags,
1498                                      bool NoFunction) {
1499  // <nested-name>
1500  //   ::= N [<CV-qualifiers>] [<ref-qualifier>] <prefix> <unqualified-name> E
1501  //   ::= N [<CV-qualifiers>] [<ref-qualifier>] <template-prefix>
1502  //       <template-args> E
1503
1504  Out << 'N';
1505  if (const CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(ND)) {
1506    Qualifiers MethodQuals = Method->getMethodQualifiers();
1507    // We do not consider restrict a distinguishing attribute for overloading
1508    // purposes so we must not mangle it.
1509    MethodQuals.removeRestrict();
1510    mangleQualifiers(MethodQuals);
1511    mangleRefQualifier(Method->getRefQualifier());
1512  }
1513
1514  // Check if we have a template.
1515  const TemplateArgumentList *TemplateArgs = nullptr;
1516  if (const TemplateDecl *TD = isTemplate(NDTemplateArgs)) {
1517    mangleTemplatePrefix(TDNoFunction);
1518    mangleTemplateArgs(*TemplateArgs);
1519  }
1520  else {
1521    manglePrefix(DCNoFunction);
1522    mangleUnqualifiedName(NDAdditionalAbiTags);
1523  }
1524
1525  Out << 'E';
1526}
1527void CXXNameMangler::mangleNestedName(const TemplateDecl *TD,
1528                                      const TemplateArgument *TemplateArgs,
1529                                      unsigned NumTemplateArgs) {
1530  // <nested-name> ::= N [<CV-qualifiers>] <template-prefix> <template-args> E
1531
1532  Out << 'N';
1533
1534  mangleTemplatePrefix(TD);
1535  mangleTemplateArgs(TemplateArgsNumTemplateArgs);
1536
1537  Out << 'E';
1538}
1539
1540void CXXNameMangler::mangleLocalName(const Decl *D,
1541                                     const AbiTagList *AdditionalAbiTags) {
1542  // <local-name> := Z <function encoding> E <entity name> [<discriminator>]
1543  //              := Z <function encoding> E s [<discriminator>]
1544  // <local-name> := Z <function encoding> E d [ <parameter number> ]
1545  //                 _ <entity name>
1546  // <discriminator> := _ <non-negative number>
1547  (D) || isa(D)", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1547, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(isa<NamedDecl>(D) || isa<BlockDecl>(D));
1548  const RecordDecl *RD = GetLocalClassDecl(D);
1549  const DeclContext *DC = getEffectiveDeclContext(RD ? RD : D);
1550
1551  Out << 'Z';
1552
1553  {
1554    AbiTagState LocalAbiTags(AbiTags);
1555
1556    if (const ObjCMethodDecl *MD = dyn_cast<ObjCMethodDecl>(DC))
1557      mangleObjCMethodName(MD);
1558    else if (const BlockDecl *BD = dyn_cast<BlockDecl>(DC))
1559      mangleBlockForPrefix(BD);
1560    else
1561      mangleFunctionEncoding(cast<FunctionDecl>(DC));
1562
1563    // Implicit ABI tags (from namespace) are not available in the following
1564    // entity; reset to actually emitted tags, which are available.
1565    LocalAbiTags.setUsedAbiTags(LocalAbiTags.getEmittedAbiTags());
1566  }
1567
1568  Out << 'E';
1569
1570  // GCC 5.3.0 doesn't emit derived ABI tags for local names but that seems to
1571  // be a bug that is fixed in trunk.
1572
1573  if (RD) {
1574    // The parameter number is omitted for the last parameter, 0 for the
1575    // second-to-last parameter, 1 for the third-to-last parameter, etc. The
1576    // <entity name> will of course contain a <closure-type-name>: Its
1577    // numbering will be local to the particular argument in which it appears
1578    // -- other default arguments do not affect its encoding.
1579    const CXXRecordDecl *CXXRD = dyn_cast<CXXRecordDecl>(RD);
1580    if (CXXRD && CXXRD->isLambda()) {
1581      if (const ParmVarDecl *Parm
1582              = dyn_cast_or_null<ParmVarDecl>(CXXRD->getLambdaContextDecl())) {
1583        if (const FunctionDecl *Func
1584              = dyn_cast<FunctionDecl>(Parm->getDeclContext())) {
1585          Out << 'd';
1586          unsigned Num = Func->getNumParams() - Parm->getFunctionScopeIndex();
1587          if (Num > 1)
1588            mangleNumber(Num - 2);
1589          Out << '_';
1590        }
1591      }
1592    }
1593
1594    // Mangle the name relative to the closest enclosing function.
1595    // equality ok because RD derived from ND above
1596    if (D == RD)  {
1597      mangleUnqualifiedName(RDAdditionalAbiTags);
1598    } else if (const BlockDecl *BD = dyn_cast<BlockDecl>(D)) {
1599      manglePrefix(getEffectiveDeclContext(BD), true /*NoFunction*/);
1600       (0) . __assert_fail ("!AdditionalAbiTags && \"Block cannot have additional abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1600, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!AdditionalAbiTags && "Block cannot have additional abi tags");
1601      mangleUnqualifiedBlock(BD);
1602    } else {
1603      const NamedDecl *ND = cast<NamedDecl>(D);
1604      mangleNestedName(ND, getEffectiveDeclContext(ND), AdditionalAbiTags,
1605                       true /*NoFunction*/);
1606    }
1607  } else if (const BlockDecl *BD = dyn_cast<BlockDecl>(D)) {
1608    // Mangle a block in a default parameter; see above explanation for
1609    // lambdas.
1610    if (const ParmVarDecl *Parm
1611            = dyn_cast_or_null<ParmVarDecl>(BD->getBlockManglingContextDecl())) {
1612      if (const FunctionDecl *Func
1613            = dyn_cast<FunctionDecl>(Parm->getDeclContext())) {
1614        Out << 'd';
1615        unsigned Num = Func->getNumParams() - Parm->getFunctionScopeIndex();
1616        if (Num > 1)
1617          mangleNumber(Num - 2);
1618        Out << '_';
1619      }
1620    }
1621
1622     (0) . __assert_fail ("!AdditionalAbiTags && \"Block cannot have additional abi tags\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1622, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!AdditionalAbiTags && "Block cannot have additional abi tags");
1623    mangleUnqualifiedBlock(BD);
1624  } else {
1625    mangleUnqualifiedName(cast<NamedDecl>(D), AdditionalAbiTags);
1626  }
1627
1628  if (const NamedDecl *ND = dyn_cast<NamedDecl>(RD ? RD : D)) {
1629    unsigned disc;
1630    if (Context.getNextDiscriminator(NDdisc)) {
1631      if (disc < 10)
1632        Out << '_' << disc;
1633      else
1634        Out << "__" << disc << '_';
1635    }
1636  }
1637}
1638
1639void CXXNameMangler::mangleBlockForPrefix(const BlockDecl *Block) {
1640  if (GetLocalClassDecl(Block)) {
1641    mangleLocalName(Block/* AdditionalAbiTags */ nullptr);
1642    return;
1643  }
1644  const DeclContext *DC = getEffectiveDeclContext(Block);
1645  if (isLocalContainerContext(DC)) {
1646    mangleLocalName(Block/* AdditionalAbiTags */ nullptr);
1647    return;
1648  }
1649  manglePrefix(getEffectiveDeclContext(Block));
1650  mangleUnqualifiedBlock(Block);
1651}
1652
1653void CXXNameMangler::mangleUnqualifiedBlock(const BlockDecl *Block) {
1654  if (Decl *Context = Block->getBlockManglingContextDecl()) {
1655    if ((isa<VarDecl>(Context) || isa<FieldDecl>(Context)) &&
1656        Context->getDeclContext()->isRecord()) {
1657      const auto *ND = cast<NamedDecl>(Context);
1658      if (ND->getIdentifier()) {
1659        mangleSourceNameWithAbiTags(ND);
1660        Out << 'M';
1661      }
1662    }
1663  }
1664
1665  // If we have a block mangling number, use it.
1666  unsigned Number = Block->getBlockManglingNumber();
1667  // Otherwise, just make up a number. It doesn't matter what it is because
1668  // the symbol in question isn't externally visible.
1669  if (!Number)
1670    Number = Context.getBlockId(Blockfalse);
1671  else {
1672    // Stored mangling numbers are 1-based.
1673    --Number;
1674  }
1675  Out << "Ub";
1676  if (Number > 0)
1677    Out << Number - 1;
1678  Out << '_';
1679}
1680
1681void CXXNameMangler::mangleLambda(const CXXRecordDecl *Lambda) {
1682  // If the context of a closure type is an initializer for a class member
1683  // (static or nonstatic), it is encoded in a qualified name with a final
1684  // <prefix> of the form:
1685  //
1686  //   <data-member-prefix> := <member source-name> M
1687  //
1688  // Technically, the data-member-prefix is part of the <prefix>. However,
1689  // since a closure type will always be mangled with a prefix, it's easier
1690  // to emit that last part of the prefix here.
1691  if (Decl *Context = Lambda->getLambdaContextDecl()) {
1692    if ((isa<VarDecl>(Context) || isa<FieldDecl>(Context)) &&
1693        !isa<ParmVarDecl>(Context)) {
1694      // FIXME: 'inline auto [a, b] = []{ return ... };' does not get a
1695      // reasonable mangling here.
1696      if (const IdentifierInfo *Name
1697            = cast<NamedDecl>(Context)->getIdentifier()) {
1698        mangleSourceName(Name);
1699        const TemplateArgumentList *TemplateArgs = nullptr;
1700        if (isTemplate(cast<NamedDecl>(Context), TemplateArgs))
1701          mangleTemplateArgs(*TemplateArgs);
1702        Out << 'M';
1703      }
1704    }
1705  }
1706
1707  Out << "Ul";
1708  const FunctionProtoType *Proto = Lambda->getLambdaTypeInfo()->getType()->
1709                                   getAs<FunctionProtoType>();
1710  mangleBareFunctionType(Proto/*MangleReturnType=*/false,
1711                         Lambda->getLambdaStaticInvoker());
1712  Out << "E";
1713
1714  // The number is omitted for the first closure type with a given
1715  // <lambda-sig> in a given context; it is n-2 for the nth closure type
1716  // (in lexical order) with that same <lambda-sig> and context.
1717  //
1718  // The AST keeps track of the number for us.
1719  unsigned Number = Lambda->getLambdaManglingNumber();
1720   (0) . __assert_fail ("Number > 0 && \"Lambda should be mangled as an unnamed class\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1720, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(Number > 0 && "Lambda should be mangled as an unnamed class");
1721  if (Number > 1)
1722    mangleNumber(Number - 2);
1723  Out << '_';
1724}
1725
1726void CXXNameMangler::manglePrefix(NestedNameSpecifier *qualifier) {
1727  switch (qualifier->getKind()) {
1728  case NestedNameSpecifier::Global:
1729    // nothing
1730    return;
1731
1732  case NestedNameSpecifier::Super:
1733    llvm_unreachable("Can't mangle __super specifier");
1734
1735  case NestedNameSpecifier::Namespace:
1736    mangleName(qualifier->getAsNamespace());
1737    return;
1738
1739  case NestedNameSpecifier::NamespaceAlias:
1740    mangleName(qualifier->getAsNamespaceAlias()->getNamespace());
1741    return;
1742
1743  case NestedNameSpecifier::TypeSpec:
1744  case NestedNameSpecifier::TypeSpecWithTemplate:
1745    manglePrefix(QualType(qualifier->getAsType(), 0));
1746    return;
1747
1748  case NestedNameSpecifier::Identifier:
1749    // Member expressions can have these without prefixes, but that
1750    // should end up in mangleUnresolvedPrefix instead.
1751    getPrefix()", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1751, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(qualifier->getPrefix());
1752    manglePrefix(qualifier->getPrefix());
1753
1754    mangleSourceName(qualifier->getAsIdentifier());
1755    return;
1756  }
1757
1758  llvm_unreachable("unexpected nested name specifier");
1759}
1760
1761void CXXNameMangler::manglePrefix(const DeclContext *DCbool NoFunction) {
1762  //  <prefix> ::= <prefix> <unqualified-name>
1763  //           ::= <template-prefix> <template-args>
1764  //           ::= <template-param>
1765  //           ::= # empty
1766  //           ::= <substitution>
1767
1768  DC = IgnoreLinkageSpecDecls(DC);
1769
1770  if (DC->isTranslationUnit())
1771    return;
1772
1773  if (NoFunction && isLocalContainerContext(DC))
1774    return;
1775
1776  assert(!isLocalContainerContext(DC));
1777
1778  const NamedDecl *ND = cast<NamedDecl>(DC);
1779  if (mangleSubstitution(ND))
1780    return;
1781
1782  // Check if we have a template.
1783  const TemplateArgumentList *TemplateArgs = nullptr;
1784  if (const TemplateDecl *TD = isTemplate(NDTemplateArgs)) {
1785    mangleTemplatePrefix(TD);
1786    mangleTemplateArgs(*TemplateArgs);
1787  } else {
1788    manglePrefix(getEffectiveDeclContext(ND), NoFunction);
1789    mangleUnqualifiedName(NDnullptr);
1790  }
1791
1792  addSubstitution(ND);
1793}
1794
1795void CXXNameMangler::mangleTemplatePrefix(TemplateName Template) {
1796  // <template-prefix> ::= <prefix> <template unqualified-name>
1797  //                   ::= <template-param>
1798  //                   ::= <substitution>
1799  if (TemplateDecl *TD = Template.getAsTemplateDecl())
1800    return mangleTemplatePrefix(TD);
1801
1802  if (QualifiedTemplateName *Qualified = Template.getAsQualifiedTemplateName())
1803    manglePrefix(Qualified->getQualifier());
1804
1805  if (OverloadedTemplateStorage *Overloaded
1806                                      = Template.getAsOverloadedTemplate()) {
1807    mangleUnqualifiedName(nullptr, (*Overloaded->begin())->getDeclName(),
1808                          UnknownAritynullptr);
1809    return;
1810  }
1811
1812  DependentTemplateName *Dependent = Template.getAsDependentTemplateName();
1813   (0) . __assert_fail ("Dependent && \"Unknown template name kind?\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1813, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(Dependent && "Unknown template name kind?");
1814  if (NestedNameSpecifier *Qualifier = Dependent->getQualifier())
1815    manglePrefix(Qualifier);
1816  mangleUnscopedTemplateName(Template/* AdditionalAbiTags */ nullptr);
1817}
1818
1819void CXXNameMangler::mangleTemplatePrefix(const TemplateDecl *ND,
1820                                          bool NoFunction) {
1821  // <template-prefix> ::= <prefix> <template unqualified-name>
1822  //                   ::= <template-param>
1823  //                   ::= <substitution>
1824  // <template-template-param> ::= <template-param>
1825  //                               <substitution>
1826
1827  if (mangleSubstitution(ND))
1828    return;
1829
1830  // <template-template-param> ::= <template-param>
1831  if (const auto *TTP = dyn_cast<TemplateTemplateParmDecl>(ND)) {
1832    mangleTemplateParameter(TTP->getIndex());
1833  } else {
1834    manglePrefix(getEffectiveDeclContext(ND), NoFunction);
1835    if (isa<BuiltinTemplateDecl>(ND))
1836      mangleUnqualifiedName(NDnullptr);
1837    else
1838      mangleUnqualifiedName(ND->getTemplatedDecl(), nullptr);
1839  }
1840
1841  addSubstitution(ND);
1842}
1843
1844/// Mangles a template name under the production <type>.  Required for
1845/// template template arguments.
1846///   <type> ::= <class-enum-type>
1847///          ::= <template-param>
1848///          ::= <substitution>
1849void CXXNameMangler::mangleType(TemplateName TN) {
1850  if (mangleSubstitution(TN))
1851    return;
1852
1853  TemplateDecl *TD = nullptr;
1854
1855  switch (TN.getKind()) {
1856  case TemplateName::QualifiedTemplate:
1857    TD = TN.getAsQualifiedTemplateName()->getTemplateDecl();
1858    goto HaveDecl;
1859
1860  case TemplateName::Template:
1861    TD = TN.getAsTemplateDecl();
1862    goto HaveDecl;
1863
1864  HaveDecl:
1865    if (isa<TemplateTemplateParmDecl>(TD))
1866      mangleTemplateParameter(cast<TemplateTemplateParmDecl>(TD)->getIndex());
1867    else
1868      mangleName(TD);
1869    break;
1870
1871  case TemplateName::OverloadedTemplate:
1872    llvm_unreachable("can't mangle an overloaded template name as a <type>");
1873
1874  case TemplateName::DependentTemplate: {
1875    const DependentTemplateName *Dependent = TN.getAsDependentTemplateName();
1876    isIdentifier()", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 1876, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(Dependent->isIdentifier());
1877
1878    // <class-enum-type> ::= <name>
1879    // <name> ::= <nested-name>
1880    mangleUnresolvedPrefix(Dependent->getQualifier());
1881    mangleSourceName(Dependent->getIdentifier());
1882    break;
1883  }
1884
1885  case TemplateName::SubstTemplateTemplateParm: {
1886    // Substituted template parameters are mangled as the substituted
1887    // template.  This will check for the substitution twice, which is
1888    // fine, but we have to return early so that we don't try to *add*
1889    // the substitution twice.
1890    SubstTemplateTemplateParmStorage *subst
1891      = TN.getAsSubstTemplateTemplateParm();
1892    mangleType(subst->getReplacement());
1893    return;
1894  }
1895
1896  case TemplateName::SubstTemplateTemplateParmPack: {
1897    // FIXME: not clear how to mangle this!
1898    // template <template <class> class T...> class A {
1899    //   template <template <class> class U...> void foo(B<T,U> x...);
1900    // };
1901    Out << "_SUBSTPACK_";
1902    break;
1903  }
1904  }
1905
1906  addSubstitution(TN);
1907}
1908
1909bool CXXNameMangler::mangleUnresolvedTypeOrSimpleId(QualType Ty,
1910                                                    StringRef Prefix) {
1911  // Only certain other types are valid as prefixes;  enumerate them.
1912  switch (Ty->getTypeClass()) {
1913  case Type::Builtin:
1914  case Type::Complex:
1915  case Type::Adjusted:
1916  case Type::Decayed:
1917  case Type::Pointer:
1918  case Type::BlockPointer:
1919  case Type::LValueReference:
1920  case Type::RValueReference:
1921  case Type::MemberPointer:
1922  case Type::ConstantArray:
1923  case Type::IncompleteArray:
1924  case Type::VariableArray:
1925  case Type::DependentSizedArray:
1926  case Type::DependentAddressSpace:
1927  case Type::DependentVector:
1928  case Type::DependentSizedExtVector:
1929  case Type::Vector:
1930  case Type::ExtVector:
1931  case Type::FunctionProto:
1932  case Type::FunctionNoProto:
1933  case Type::Paren:
1934  case Type::Attributed:
1935  case Type::Auto:
1936  case Type::DeducedTemplateSpecialization:
1937  case Type::PackExpansion:
1938  case Type::ObjCObject:
1939  case Type::ObjCInterface:
1940  case Type::ObjCObjectPointer:
1941  case Type::ObjCTypeParam:
1942  case Type::Atomic:
1943  case Type::Pipe:
1944    llvm_unreachable("type is illegal as a nested name specifier");
1945
1946  case Type::SubstTemplateTypeParmPack:
1947    // FIXME: not clear how to mangle this!
1948    // template <class T...> class A {
1949    //   template <class U...> void foo(decltype(T::foo(U())) x...);
1950    // };
1951    Out << "_SUBSTPACK_";
1952    break;
1953
1954  // <unresolved-type> ::= <template-param>
1955  //                   ::= <decltype>
1956  //                   ::= <template-template-param> <template-args>
1957  // (this last is not official yet)
1958  case Type::TypeOfExpr:
1959  case Type::TypeOf:
1960  case Type::Decltype:
1961  case Type::TemplateTypeParm:
1962  case Type::UnaryTransform:
1963  case Type::SubstTemplateTypeParm:
1964  unresolvedType:
1965    // Some callers want a prefix before the mangled type.
1966    Out << Prefix;
1967
1968    // This seems to do everything we want.  It's not really
1969    // sanctioned for a substituted template parameter, though.
1970    mangleType(Ty);
1971
1972    // We never want to print 'E' directly after an unresolved-type,
1973    // so we return directly.
1974    return true;
1975
1976  case Type::Typedef:
1977    mangleSourceNameWithAbiTags(cast<TypedefType>(Ty)->getDecl());
1978    break;
1979
1980  case Type::UnresolvedUsing:
1981    mangleSourceNameWithAbiTags(
1982        cast<UnresolvedUsingType>(Ty)->getDecl());
1983    break;
1984
1985  case Type::Enum:
1986  case Type::Record:
1987    mangleSourceNameWithAbiTags(cast<TagType>(Ty)->getDecl());
1988    break;
1989
1990  case Type::TemplateSpecialization: {
1991    const TemplateSpecializationType *TST =
1992        cast<TemplateSpecializationType>(Ty);
1993    TemplateName TN = TST->getTemplateName();
1994    switch (TN.getKind()) {
1995    case TemplateName::Template:
1996    case TemplateName::QualifiedTemplate: {
1997      TemplateDecl *TD = TN.getAsTemplateDecl();
1998
1999      // If the base is a template template parameter, this is an
2000      // unresolved type.
2001       (0) . __assert_fail ("TD && \"no template for template specialization type\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 2001, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(TD && "no template for template specialization type");
2002      if (isa<TemplateTemplateParmDecl>(TD))
2003        goto unresolvedType;
2004
2005      mangleSourceNameWithAbiTags(TD);
2006      break;
2007    }
2008
2009    case TemplateName::OverloadedTemplate:
2010    case TemplateName::DependentTemplate:
2011      llvm_unreachable("invalid base for a template specialization type");
2012
2013    case TemplateName::SubstTemplateTemplateParm: {
2014      SubstTemplateTemplateParmStorage *subst =
2015          TN.getAsSubstTemplateTemplateParm();
2016      mangleExistingSubstitution(subst->getReplacement());
2017      break;
2018    }
2019
2020    case TemplateName::SubstTemplateTemplateParmPack: {
2021      // FIXME: not clear how to mangle this!
2022      // template <template <class U> class T...> class A {
2023      //   template <class U...> void foo(decltype(T<U>::foo) x...);
2024      // };
2025      Out << "_SUBSTPACK_";
2026      break;
2027    }
2028    }
2029
2030    mangleTemplateArgs(TST->getArgs(), TST->getNumArgs());
2031    break;
2032  }
2033
2034  case Type::InjectedClassName:
2035    mangleSourceNameWithAbiTags(
2036        cast<InjectedClassNameType>(Ty)->getDecl());
2037    break;
2038
2039  case Type::DependentName:
2040    mangleSourceName(cast<DependentNameType>(Ty)->getIdentifier());
2041    break;
2042
2043  case Type::DependentTemplateSpecialization: {
2044    const DependentTemplateSpecializationType *DTST =
2045        cast<DependentTemplateSpecializationType>(Ty);
2046    mangleSourceName(DTST->getIdentifier());
2047    mangleTemplateArgs(DTST->getArgs(), DTST->getNumArgs());
2048    break;
2049  }
2050
2051  case Type::Elaborated:
2052    return mangleUnresolvedTypeOrSimpleId(
2053        cast<ElaboratedType>(Ty)->getNamedType(), Prefix);
2054  }
2055
2056  return false;
2057}
2058
2059void CXXNameMangler::mangleOperatorName(DeclarationName Nameunsigned Arity) {
2060  switch (Name.getNameKind()) {
2061  case DeclarationName::CXXConstructorName:
2062  case DeclarationName::CXXDestructorName:
2063  case DeclarationName::CXXDeductionGuideName:
2064  case DeclarationName::CXXUsingDirective:
2065  case DeclarationName::Identifier:
2066  case DeclarationName::ObjCMultiArgSelector:
2067  case DeclarationName::ObjCOneArgSelector:
2068  case DeclarationName::ObjCZeroArgSelector:
2069    llvm_unreachable("Not an operator name");
2070
2071  case DeclarationName::CXXConversionFunctionName:
2072    // <operator-name> ::= cv <type>    # (cast)
2073    Out << "cv";
2074    mangleType(Name.getCXXNameType());
2075    break;
2076
2077  case DeclarationName::CXXLiteralOperatorName:
2078    Out << "li";
2079    mangleSourceName(Name.getCXXLiteralIdentifier());
2080    return;
2081
2082  case DeclarationName::CXXOperatorName:
2083    mangleOperatorName(Name.getCXXOverloadedOperator(), Arity);
2084    break;
2085  }
2086}
2087
2088void
2089CXXNameMangler::mangleOperatorName(OverloadedOperatorKind OOunsigned Arity) {
2090  switch (OO) {
2091  // <operator-name> ::= nw     # new
2092  case OO_NewOut << "nw"break;
2093  //              ::= na        # new[]
2094  case OO_Array_NewOut << "na"break;
2095  //              ::= dl        # delete
2096  case OO_DeleteOut << "dl"break;
2097  //              ::= da        # delete[]
2098  case OO_Array_DeleteOut << "da"break;
2099  //              ::= ps        # + (unary)
2100  //              ::= pl        # + (binary or unknown)
2101  case OO_Plus:
2102    Out << (Arity == 1"ps" : "pl"); break;
2103  //              ::= ng        # - (unary)
2104  //              ::= mi        # - (binary or unknown)
2105  case OO_Minus:
2106    Out << (Arity == 1"ng" : "mi"); break;
2107  //              ::= ad        # & (unary)
2108  //              ::= an        # & (binary or unknown)
2109  case OO_Amp:
2110    Out << (Arity == 1"ad" : "an"); break;
2111  //              ::= de        # * (unary)
2112  //              ::= ml        # * (binary or unknown)
2113  case OO_Star:
2114    // Use binary when unknown.
2115    Out << (Arity == 1"de" : "ml"); break;
2116  //              ::= co        # ~
2117  case OO_TildeOut << "co"break;
2118  //              ::= dv        # /
2119  case OO_SlashOut << "dv"break;
2120  //              ::= rm        # %
2121  case OO_PercentOut << "rm"break;
2122  //              ::= or        # |
2123  case OO_PipeOut << "or"break;
2124  //              ::= eo        # ^
2125  case OO_CaretOut << "eo"break;
2126  //              ::= aS        # =
2127  case OO_EqualOut << "aS"break;
2128  //              ::= pL        # +=
2129  case OO_PlusEqualOut << "pL"break;
2130  //              ::= mI        # -=
2131  case OO_MinusEqualOut << "mI"break;
2132  //              ::= mL        # *=
2133  case OO_StarEqualOut << "mL"break;
2134  //              ::= dV        # /=
2135  case OO_SlashEqualOut << "dV"break;
2136  //              ::= rM        # %=
2137  case OO_PercentEqualOut << "rM"break;
2138  //              ::= aN        # &=
2139  case OO_AmpEqualOut << "aN"break;
2140  //              ::= oR        # |=
2141  case OO_PipeEqualOut << "oR"break;
2142  //              ::= eO        # ^=
2143  case OO_CaretEqualOut << "eO"break;
2144  //              ::= ls        # <<
2145  case OO_LessLessOut << "ls"break;
2146  //              ::= rs        # >>
2147  case OO_GreaterGreaterOut << "rs"break;
2148  //              ::= lS        # <<=
2149  case OO_LessLessEqualOut << "lS"break;
2150  //              ::= rS        # >>=
2151  case OO_GreaterGreaterEqualOut << "rS"break;
2152  //              ::= eq        # ==
2153  case OO_EqualEqualOut << "eq"break;
2154  //              ::= ne        # !=
2155  case OO_ExclaimEqualOut << "ne"break;
2156  //              ::= lt        # <
2157  case OO_LessOut << "lt"break;
2158  //              ::= gt        # >
2159  case OO_GreaterOut << "gt"break;
2160  //              ::= le        # <=
2161  case OO_LessEqualOut << "le"break;
2162  //              ::= ge        # >=
2163  case OO_GreaterEqualOut << "ge"break;
2164  //              ::= nt        # !
2165  case OO_ExclaimOut << "nt"break;
2166  //              ::= aa        # &&
2167  case OO_AmpAmpOut << "aa"break;
2168  //              ::= oo        # ||
2169  case OO_PipePipeOut << "oo"break;
2170  //              ::= pp        # ++
2171  case OO_PlusPlusOut << "pp"break;
2172  //              ::= mm        # --
2173  case OO_MinusMinusOut << "mm"break;
2174  //              ::= cm        # ,
2175  case OO_CommaOut << "cm"break;
2176  //              ::= pm        # ->*
2177  case OO_ArrowStarOut << "pm"break;
2178  //              ::= pt        # ->
2179  case OO_ArrowOut << "pt"break;
2180  //              ::= cl        # ()
2181  case OO_CallOut << "cl"break;
2182  //              ::= ix        # []
2183  case OO_SubscriptOut << "ix"break;
2184
2185  //              ::= qu        # ?
2186  // The conditional operator can't be overloaded, but we still handle it when
2187  // mangling expressions.
2188  case OO_ConditionalOut << "qu"break;
2189  // Proposal on cxx-abi-dev, 2015-10-21.
2190  //              ::= aw        # co_await
2191  case OO_CoawaitOut << "aw"break;
2192  // Proposed in cxx-abi github issue 43.
2193  //              ::= ss        # <=>
2194  case OO_SpaceshipOut << "ss"break;
2195
2196  case OO_None:
2197  case NUM_OVERLOADED_OPERATORS:
2198    llvm_unreachable("Not an overloaded operator");
2199  }
2200}
2201
2202void CXXNameMangler::mangleQualifiers(Qualifiers Qualsconst DependentAddressSpaceType *DAST) {
2203  // Vendor qualifiers come first and if they are order-insensitive they must
2204  // be emitted in reversed alphabetical order, see Itanium ABI 5.1.5.
2205
2206  // <type> ::= U <addrspace-expr>
2207  if (DAST) {
2208    Out << "U2ASI";
2209    mangleExpression(DAST->getAddrSpaceExpr());
2210    Out << "E";
2211  }
2212
2213  // Address space qualifiers start with an ordinary letter.
2214  if (Quals.hasAddressSpace()) {
2215    // Address space extension:
2216    //
2217    //   <type> ::= U <target-addrspace>
2218    //   <type> ::= U <OpenCL-addrspace>
2219    //   <type> ::= U <CUDA-addrspace>
2220
2221    SmallString<64ASString;
2222    LangAS AS = Quals.getAddressSpace();
2223
2224    if (Context.getASTContext().addressSpaceMapManglingFor(AS)) {
2225      //  <target-addrspace> ::= "AS" <address-space-number>
2226      unsigned TargetAS = Context.getASTContext().getTargetAddressSpace(AS);
2227      if (TargetAS != 0)
2228        ASString = "AS" + llvm::utostr(TargetAS);
2229    } else {
2230      switch (AS) {
2231      default: llvm_unreachable("Not a language specific address space");
2232      //  <OpenCL-addrspace> ::= "CL" [ "global" | "local" | "constant" |
2233      //                                "private"| "generic" ]
2234      case LangAS::opencl_global:   ASString = "CLglobal";   break;
2235      case LangAS::opencl_local:    ASString = "CLlocal";    break;
2236      case LangAS::opencl_constant: ASString = "CLconstant"break;
2237      case LangAS::opencl_private:  ASString = "CLprivate";  break;
2238      case LangAS::opencl_generic:  ASString = "CLgeneric";  break;
2239      //  <CUDA-addrspace> ::= "CU" [ "device" | "constant" | "shared" ]
2240      case LangAS::cuda_device:     ASString = "CUdevice";   break;
2241      case LangAS::cuda_constant:   ASString = "CUconstant"break;
2242      case LangAS::cuda_shared:     ASString = "CUshared";   break;
2243      }
2244    }
2245    if (!ASString.empty())
2246      mangleVendorQualifier(ASString);
2247  }
2248
2249  // The ARC ownership qualifiers start with underscores.
2250  // Objective-C ARC Extension:
2251  //
2252  //   <type> ::= U "__strong"
2253  //   <type> ::= U "__weak"
2254  //   <type> ::= U "__autoreleasing"
2255  //
2256  // Note: we emit __weak first to preserve the order as
2257  // required by the Itanium ABI.
2258  if (Quals.getObjCLifetime() == Qualifiers::OCL_Weak)
2259    mangleVendorQualifier("__weak");
2260
2261  // __unaligned (from -fms-extensions)
2262  if (Quals.hasUnaligned())
2263    mangleVendorQualifier("__unaligned");
2264
2265  // Remaining ARC ownership qualifiers.
2266  switch (Quals.getObjCLifetime()) {
2267  case Qualifiers::OCL_None:
2268    break;
2269
2270  case Qualifiers::OCL_Weak:
2271    // Do nothing as we already handled this case above.
2272    break;
2273
2274  case Qualifiers::OCL_Strong:
2275    mangleVendorQualifier("__strong");
2276    break;
2277
2278  case Qualifiers::OCL_Autoreleasing:
2279    mangleVendorQualifier("__autoreleasing");
2280    break;
2281
2282  case Qualifiers::OCL_ExplicitNone:
2283    // The __unsafe_unretained qualifier is *not* mangled, so that
2284    // __unsafe_unretained types in ARC produce the same manglings as the
2285    // equivalent (but, naturally, unqualified) types in non-ARC, providing
2286    // better ABI compatibility.
2287    //
2288    // It's safe to do this because unqualified 'id' won't show up
2289    // in any type signatures that need to be mangled.
2290    break;
2291  }
2292
2293  // <CV-qualifiers> ::= [r] [V] [K]    # restrict (C99), volatile, const
2294  if (Quals.hasRestrict())
2295    Out << 'r';
2296  if (Quals.hasVolatile())
2297    Out << 'V';
2298  if (Quals.hasConst())
2299    Out << 'K';
2300}
2301
2302void CXXNameMangler::mangleVendorQualifier(StringRef name) {
2303  Out << 'U' << name.size() << name;
2304}
2305
2306void CXXNameMangler::mangleRefQualifier(RefQualifierKind RefQualifier) {
2307  // <ref-qualifier> ::= R                # lvalue reference
2308  //                 ::= O                # rvalue-reference
2309  switch (RefQualifier) {
2310  case RQ_None:
2311    break;
2312
2313  case RQ_LValue:
2314    Out << 'R';
2315    break;
2316
2317  case RQ_RValue:
2318    Out << 'O';
2319    break;
2320  }
2321}
2322
2323void CXXNameMangler::mangleObjCMethodName(const ObjCMethodDecl *MD) {
2324  Context.mangleObjCMethodName(MDOut);
2325}
2326
2327static bool isTypeSubstitutable(Qualifiers Qualsconst Type *Ty,
2328                                ASTContext &Ctx) {
2329  if (Quals)
2330    return true;
2331  if (Ty->isSpecificBuiltinType(BuiltinType::ObjCSel))
2332    return true;
2333  if (Ty->isOpenCLSpecificType())
2334    return true;
2335  if (Ty->isBuiltinType())
2336    return false;
2337  // Through to Clang 6.0, we accidentally treated undeduced auto types as
2338  // substitution candidates.
2339  if (Ctx.getLangOpts().getClangABICompat() > LangOptions::ClangABI::Ver6 &&
2340      isa<AutoType>(Ty))
2341    return false;
2342  return true;
2343}
2344
2345void CXXNameMangler::mangleType(QualType T) {
2346  // If our type is instantiation-dependent but not dependent, we mangle
2347  // it as it was written in the source, removing any top-level sugar.
2348  // Otherwise, use the canonical type.
2349  //
2350  // FIXME: This is an approximation of the instantiation-dependent name
2351  // mangling rules, since we should really be using the type as written and
2352  // augmented via semantic analysis (i.e., with implicit conversions and
2353  // default template arguments) for any instantiation-dependent type.
2354  // Unfortunately, that requires several changes to our AST:
2355  //   - Instantiation-dependent TemplateSpecializationTypes will need to be
2356  //     uniqued, so that we can handle substitutions properly
2357  //   - Default template arguments will need to be represented in the
2358  //     TemplateSpecializationType, since they need to be mangled even though
2359  //     they aren't written.
2360  //   - Conversions on non-type template arguments need to be expressed, since
2361  //     they can affect the mangling of sizeof/alignof.
2362  //
2363  // FIXME: This is wrong when mapping to the canonical type for a dependent
2364  // type discards instantiation-dependent portions of the type, such as for:
2365  //
2366  //   template<typename T, int N> void f(T (&)[sizeof(N)]);
2367  //   template<typename T> void f(T() throw(typename T::type)); (pre-C++17)
2368  //
2369  // It's also wrong in the opposite direction when instantiation-dependent,
2370  // canonically-equivalent types differ in some irrelevant portion of inner
2371  // type sugar. In such cases, we fail to form correct substitutions, eg:
2372  //
2373  //   template<int N> void f(A<sizeof(N)> *, A<sizeof(N)> (*));
2374  //
2375  // We should instead canonicalize the non-instantiation-dependent parts,
2376  // regardless of whether the type as a whole is dependent or instantiation
2377  // dependent.
2378  if (!T->isInstantiationDependentType() || T->isDependentType())
2379    T = T.getCanonicalType();
2380  else {
2381    // Desugar any types that are purely sugar.
2382    do {
2383      // Don't desugar through template specialization types that aren't
2384      // type aliases. We need to mangle the template arguments as written.
2385      if (const TemplateSpecializationType *TST
2386                                      = dyn_cast<TemplateSpecializationType>(T))
2387        if (!TST->isTypeAlias())
2388          break;
2389
2390      QualType Desugared
2391        = T.getSingleStepDesugaredType(Context.getASTContext());
2392      if (Desugared == T)
2393        break;
2394
2395      T = Desugared;
2396    } while (true);
2397  }
2398  SplitQualType split = T.split();
2399  Qualifiers quals = split.Quals;
2400  const Type *ty = split.Ty;
2401
2402  bool isSubstitutable =
2403    isTypeSubstitutable(qualstyContext.getASTContext());
2404  if (isSubstitutable && mangleSubstitution(T))
2405    return;
2406
2407  // If we're mangling a qualified array type, push the qualifiers to
2408  // the element type.
2409  if (quals && isa<ArrayType>(T)) {
2410    ty = Context.getASTContext().getAsArrayType(T);
2411    quals = Qualifiers();
2412
2413    // Note that we don't update T: we want to add the
2414    // substitution at the original type.
2415  }
2416
2417  if (quals || ty->isDependentAddressSpaceType()) {
2418    if (const DependentAddressSpaceType *DAST =
2419        dyn_cast<DependentAddressSpaceType>(ty)) {
2420      SplitQualType splitDAST = DAST->getPointeeType().split();
2421      mangleQualifiers(splitDAST.QualsDAST);
2422      mangleType(QualType(splitDAST.Ty0));
2423    } else {
2424      mangleQualifiers(quals);
2425
2426      // Recurse:  even if the qualified type isn't yet substitutable,
2427      // the unqualified type might be.
2428      mangleType(QualType(ty0));
2429    }
2430  } else {
2431    switch (ty->getTypeClass()) {
2432#define ABSTRACT_TYPE(CLASS, PARENT)
2433#define NON_CANONICAL_TYPE(CLASS, PARENT) \
2434    case Type::CLASS: \
2435      llvm_unreachable("can't mangle non-canonical type " #CLASS "Type"); \
2436      return;
2437#define TYPE(CLASS, PARENT) \
2438    case Type::CLASS: \
2439      mangleType(static_cast<const CLASS##Type*>(ty)); \
2440      break;
2441#include "clang/AST/TypeNodes.def"
2442    }
2443  }
2444
2445  // Add the substitution.
2446  if (isSubstitutable)
2447    addSubstitution(T);
2448}
2449
2450void CXXNameMangler::mangleNameOrStandardSubstitution(const NamedDecl *ND) {
2451  if (!mangleStandardSubstitution(ND))
2452    mangleName(ND);
2453}
2454
2455void CXXNameMangler::mangleType(const BuiltinType *T) {
2456  //  <type>         ::= <builtin-type>
2457  //  <builtin-type> ::= v  # void
2458  //                 ::= w  # wchar_t
2459  //                 ::= b  # bool
2460  //                 ::= c  # char
2461  //                 ::= a  # signed char
2462  //                 ::= h  # unsigned char
2463  //                 ::= s  # short
2464  //                 ::= t  # unsigned short
2465  //                 ::= i  # int
2466  //                 ::= j  # unsigned int
2467  //                 ::= l  # long
2468  //                 ::= m  # unsigned long
2469  //                 ::= x  # long long, __int64
2470  //                 ::= y  # unsigned long long, __int64
2471  //                 ::= n  # __int128
2472  //                 ::= o  # unsigned __int128
2473  //                 ::= f  # float
2474  //                 ::= d  # double
2475  //                 ::= e  # long double, __float80
2476  //                 ::= g  # __float128
2477  // UNSUPPORTED:    ::= Dd # IEEE 754r decimal floating point (64 bits)
2478  // UNSUPPORTED:    ::= De # IEEE 754r decimal floating point (128 bits)
2479  // UNSUPPORTED:    ::= Df # IEEE 754r decimal floating point (32 bits)
2480  //                 ::= Dh # IEEE 754r half-precision floating point (16 bits)
2481  //                 ::= DF <number> _ # ISO/IEC TS 18661 binary floating point type _FloatN (N bits);
2482  //                 ::= Di # char32_t
2483  //                 ::= Ds # char16_t
2484  //                 ::= Dn # std::nullptr_t (i.e., decltype(nullptr))
2485  //                 ::= u <source-name>    # vendor extended type
2486  std::string type_name;
2487  switch (T->getKind()) {
2488  case BuiltinType::Void:
2489    Out << 'v';
2490    break;
2491  case BuiltinType::Bool:
2492    Out << 'b';
2493    break;
2494  case BuiltinType::Char_U:
2495  case BuiltinType::Char_S:
2496    Out << 'c';
2497    break;
2498  case BuiltinType::UChar:
2499    Out << 'h';
2500    break;
2501  case BuiltinType::UShort:
2502    Out << 't';
2503    break;
2504  case BuiltinType::UInt:
2505    Out << 'j';
2506    break;
2507  case BuiltinType::ULong:
2508    Out << 'm';
2509    break;
2510  case BuiltinType::ULongLong:
2511    Out << 'y';
2512    break;
2513  case BuiltinType::UInt128:
2514    Out << 'o';
2515    break;
2516  case BuiltinType::SChar:
2517    Out << 'a';
2518    break;
2519  case BuiltinType::WChar_S:
2520  case BuiltinType::WChar_U:
2521    Out << 'w';
2522    break;
2523  case BuiltinType::Char8:
2524    Out << "Du";
2525    break;
2526  case BuiltinType::Char16:
2527    Out << "Ds";
2528    break;
2529  case BuiltinType::Char32:
2530    Out << "Di";
2531    break;
2532  case BuiltinType::Short:
2533    Out << 's';
2534    break;
2535  case BuiltinType::Int:
2536    Out << 'i';
2537    break;
2538  case BuiltinType::Long:
2539    Out << 'l';
2540    break;
2541  case BuiltinType::LongLong:
2542    Out << 'x';
2543    break;
2544  case BuiltinType::Int128:
2545    Out << 'n';
2546    break;
2547  case BuiltinType::Float16:
2548    Out << "DF16_";
2549    break;
2550  case BuiltinType::ShortAccum:
2551  case BuiltinType::Accum:
2552  case BuiltinType::LongAccum:
2553  case BuiltinType::UShortAccum:
2554  case BuiltinType::UAccum:
2555  case BuiltinType::ULongAccum:
2556  case BuiltinType::ShortFract:
2557  case BuiltinType::Fract:
2558  case BuiltinType::LongFract:
2559  case BuiltinType::UShortFract:
2560  case BuiltinType::UFract:
2561  case BuiltinType::ULongFract:
2562  case BuiltinType::SatShortAccum:
2563  case BuiltinType::SatAccum:
2564  case BuiltinType::SatLongAccum:
2565  case BuiltinType::SatUShortAccum:
2566  case BuiltinType::SatUAccum:
2567  case BuiltinType::SatULongAccum:
2568  case BuiltinType::SatShortFract:
2569  case BuiltinType::SatFract:
2570  case BuiltinType::SatLongFract:
2571  case BuiltinType::SatUShortFract:
2572  case BuiltinType::SatUFract:
2573  case BuiltinType::SatULongFract:
2574    llvm_unreachable("Fixed point types are disabled for c++");
2575  case BuiltinType::Half:
2576    Out << "Dh";
2577    break;
2578  case BuiltinType::Float:
2579    Out << 'f';
2580    break;
2581  case BuiltinType::Double:
2582    Out << 'd';
2583    break;
2584  case BuiltinType::LongDouble:
2585    Out << (getASTContext().getTargetInfo().useFloat128ManglingForLongDouble()
2586                ? 'g'
2587                : 'e');
2588    break;
2589  case BuiltinType::Float128:
2590    if (getASTContext().getTargetInfo().useFloat128ManglingForLongDouble())
2591      Out << "U10__float128"// Match the GCC mangling
2592    else
2593      Out << 'g';
2594    break;
2595  case BuiltinType::NullPtr:
2596    Out << "Dn";
2597    break;
2598
2599#define BUILTIN_TYPE(Id, SingletonId)
2600#define PLACEHOLDER_TYPE(Id, SingletonId) \
2601  case BuiltinType::Id:
2602#include "clang/AST/BuiltinTypes.def"
2603  case BuiltinType::Dependent:
2604    if (!NullOut)
2605      llvm_unreachable("mangling a placeholder type");
2606    break;
2607  case BuiltinType::ObjCId:
2608    Out << "11objc_object";
2609    break;
2610  case BuiltinType::ObjCClass:
2611    Out << "10objc_class";
2612    break;
2613  case BuiltinType::ObjCSel:
2614    Out << "13objc_selector";
2615    break;
2616#define IMAGE_TYPE(ImgType, Id, SingletonId, Access, Suffix) \
2617  case BuiltinType::Id: \
2618    type_name = "ocl_" #ImgType "_" #Suffix; \
2619    Out << type_name.size() << type_name; \
2620    break;
2621#include "clang/Basic/OpenCLImageTypes.def"
2622  case BuiltinType::OCLSampler:
2623    Out << "11ocl_sampler";
2624    break;
2625  case BuiltinType::OCLEvent:
2626    Out << "9ocl_event";
2627    break;
2628  case BuiltinType::OCLClkEvent:
2629    Out << "12ocl_clkevent";
2630    break;
2631  case BuiltinType::OCLQueue:
2632    Out << "9ocl_queue";
2633    break;
2634  case BuiltinType::OCLReserveID:
2635    Out << "13ocl_reserveid";
2636    break;
2637#define EXT_OPAQUE_TYPE(ExtType, Id, Ext) \
2638  case BuiltinType::Id: \
2639    type_name = "ocl_" #ExtType; \
2640    Out << type_name.size() << type_name; \
2641    break;
2642#include "clang/Basic/OpenCLExtensionTypes.def"
2643  }
2644}
2645
2646StringRef CXXNameMangler::getCallingConvQualifierName(CallingConv CC) {
2647  switch (CC) {
2648  case CC_C:
2649    return "";
2650
2651  case CC_X86VectorCall:
2652  case CC_X86Pascal:
2653  case CC_X86RegCall:
2654  case CC_AAPCS:
2655  case CC_AAPCS_VFP:
2656  case CC_AArch64VectorCall:
2657  case CC_IntelOclBicc:
2658  case CC_SpirFunction:
2659  case CC_OpenCLKernel:
2660  case CC_PreserveMost:
2661  case CC_PreserveAll:
2662    // FIXME: we should be mangling all of the above.
2663    return "";
2664
2665  case CC_X86ThisCall:
2666    // FIXME: To match mingw GCC, thiscall should only be mangled in when it is
2667    // used explicitly. At this point, we don't have that much information in
2668    // the AST, since clang tends to bake the convention into the canonical
2669    // function type. thiscall only rarely used explicitly, so don't mangle it
2670    // for now.
2671    return "";
2672
2673  case CC_X86StdCall:
2674    return "stdcall";
2675  case CC_X86FastCall:
2676    return "fastcall";
2677  case CC_X86_64SysV:
2678    return "sysv_abi";
2679  case CC_Win64:
2680    return "ms_abi";
2681  case CC_Swift:
2682    return "swiftcall";
2683  }
2684  llvm_unreachable("bad calling convention");
2685}
2686
2687void CXXNameMangler::mangleExtFunctionInfo(const FunctionType *T) {
2688  // Fast path.
2689  if (T->getExtInfo() == FunctionType::ExtInfo())
2690    return;
2691
2692  // Vendor-specific qualifiers are emitted in reverse alphabetical order.
2693  // This will get more complicated in the future if we mangle other
2694  // things here; but for now, since we mangle ns_returns_retained as
2695  // a qualifier on the result type, we can get away with this:
2696  StringRef CCQualifier = getCallingConvQualifierName(T->getExtInfo().getCC());
2697  if (!CCQualifier.empty())
2698    mangleVendorQualifier(CCQualifier);
2699
2700  // FIXME: regparm
2701  // FIXME: noreturn
2702}
2703
2704void
2705CXXNameMangler::mangleExtParameterInfo(FunctionProtoType::ExtParameterInfo PI) {
2706  // Vendor-specific qualifiers are emitted in reverse alphabetical order.
2707
2708  // Note that these are *not* substitution candidates.  Demanglers might
2709  // have trouble with this if the parameter type is fully substituted.
2710
2711  switch (PI.getABI()) {
2712  case ParameterABI::Ordinary:
2713    break;
2714
2715  // All of these start with "swift", so they come before "ns_consumed".
2716  case ParameterABI::SwiftContext:
2717  case ParameterABI::SwiftErrorResult:
2718  case ParameterABI::SwiftIndirectResult:
2719    mangleVendorQualifier(getParameterABISpelling(PI.getABI()));
2720    break;
2721  }
2722
2723  if (PI.isConsumed())
2724    mangleVendorQualifier("ns_consumed");
2725
2726  if (PI.isNoEscape())
2727    mangleVendorQualifier("noescape");
2728}
2729
2730// <type>          ::= <function-type>
2731// <function-type> ::= [<CV-qualifiers>] F [Y]
2732//                      <bare-function-type> [<ref-qualifier>] E
2733void CXXNameMangler::mangleType(const FunctionProtoType *T) {
2734  mangleExtFunctionInfo(T);
2735
2736  // Mangle CV-qualifiers, if present.  These are 'this' qualifiers,
2737  // e.g. "const" in "int (A::*)() const".
2738  mangleQualifiers(T->getMethodQuals());
2739
2740  // Mangle instantiation-dependent exception-specification, if present,
2741  // per cxx-abi-dev proposal on 2016-10-11.
2742  if (T->hasInstantiationDependentExceptionSpec()) {
2743    if (isComputedNoexcept(T->getExceptionSpecType())) {
2744      Out << "DO";
2745      mangleExpression(T->getNoexceptExpr());
2746      Out << "E";
2747    } else {
2748      getExceptionSpecType() == EST_Dynamic", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 2748, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(T->getExceptionSpecType() == EST_Dynamic);
2749      Out << "Dw";
2750      for (auto ExceptTy : T->exceptions())
2751        mangleType(ExceptTy);
2752      Out << "E";
2753    }
2754  } else if (T->isNothrow()) {
2755    Out << "Do";
2756  }
2757
2758  Out << 'F';
2759
2760  // FIXME: We don't have enough information in the AST to produce the 'Y'
2761  // encoding for extern "C" function types.
2762  mangleBareFunctionType(T/*MangleReturnType=*/true);
2763
2764  // Mangle the ref-qualifier, if present.
2765  mangleRefQualifier(T->getRefQualifier());
2766
2767  Out << 'E';
2768}
2769
2770void CXXNameMangler::mangleType(const FunctionNoProtoType *T) {
2771  // Function types without prototypes can arise when mangling a function type
2772  // within an overloadable function in C. We mangle these as the absence of any
2773  // parameter types (not even an empty parameter list).
2774  Out << 'F';
2775
2776  FunctionTypeDepthState saved = FunctionTypeDepth.push();
2777
2778  FunctionTypeDepth.enterResultType();
2779  mangleType(T->getReturnType());
2780  FunctionTypeDepth.leaveResultType();
2781
2782  FunctionTypeDepth.pop(saved);
2783  Out << 'E';
2784}
2785
2786void CXXNameMangler::mangleBareFunctionType(const FunctionProtoType *Proto,
2787                                            bool MangleReturnType,
2788                                            const FunctionDecl *FD) {
2789  // Record that we're in a function type.  See mangleFunctionParam
2790  // for details on what we're trying to achieve here.
2791  FunctionTypeDepthState saved = FunctionTypeDepth.push();
2792
2793  // <bare-function-type> ::= <signature type>+
2794  if (MangleReturnType) {
2795    FunctionTypeDepth.enterResultType();
2796
2797    // Mangle ns_returns_retained as an order-sensitive qualifier here.
2798    if (Proto->getExtInfo().getProducesResult() && FD == nullptr)
2799      mangleVendorQualifier("ns_returns_retained");
2800
2801    // Mangle the return type without any direct ARC ownership qualifiers.
2802    QualType ReturnTy = Proto->getReturnType();
2803    if (ReturnTy.getObjCLifetime()) {
2804      auto SplitReturnTy = ReturnTy.split();
2805      SplitReturnTy.Quals.removeObjCLifetime();
2806      ReturnTy = getASTContext().getQualifiedType(SplitReturnTy);
2807    }
2808    mangleType(ReturnTy);
2809
2810    FunctionTypeDepth.leaveResultType();
2811  }
2812
2813  if (Proto->getNumParams() == 0 && !Proto->isVariadic()) {
2814    //   <builtin-type> ::= v   # void
2815    Out << 'v';
2816
2817    FunctionTypeDepth.pop(saved);
2818    return;
2819  }
2820
2821  getNumParams() == Proto->getNumParams()", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 2821, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!FD || FD->getNumParams() == Proto->getNumParams());
2822  for (unsigned I = 0E = Proto->getNumParams(); I != E; ++I) {
2823    // Mangle extended parameter info as order-sensitive qualifiers here.
2824    if (Proto->hasExtParameterInfos() && FD == nullptr) {
2825      mangleExtParameterInfo(Proto->getExtParameterInfo(I));
2826    }
2827
2828    // Mangle the type.
2829    QualType ParamTy = Proto->getParamType(I);
2830    mangleType(Context.getASTContext().getSignatureParameterType(ParamTy));
2831
2832    if (FD) {
2833      if (auto *Attr = FD->getParamDecl(I)->getAttr<PassObjectSizeAttr>()) {
2834        // Attr can only take 1 character, so we can hardcode the length below.
2835        getType() <= 9 && Attr->getType() >= 0", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 2835, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(Attr->getType() <= 9 && Attr->getType() >= 0);
2836        if (Attr->isDynamic())
2837          Out << "U25pass_dynamic_object_size" << Attr->getType();
2838        else
2839          Out << "U17pass_object_size" << Attr->getType();
2840      }
2841    }
2842  }
2843
2844  FunctionTypeDepth.pop(saved);
2845
2846  // <builtin-type>      ::= z  # ellipsis
2847  if (Proto->isVariadic())
2848    Out << 'z';
2849}
2850
2851// <type>            ::= <class-enum-type>
2852// <class-enum-type> ::= <name>
2853void CXXNameMangler::mangleType(const UnresolvedUsingType *T) {
2854  mangleName(T->getDecl());
2855}
2856
2857// <type>            ::= <class-enum-type>
2858// <class-enum-type> ::= <name>
2859void CXXNameMangler::mangleType(const EnumType *T) {
2860  mangleType(static_cast<const TagType*>(T));
2861}
2862void CXXNameMangler::mangleType(const RecordType *T) {
2863  mangleType(static_cast<const TagType*>(T));
2864}
2865void CXXNameMangler::mangleType(const TagType *T) {
2866  mangleName(T->getDecl());
2867}
2868
2869// <type>       ::= <array-type>
2870// <array-type> ::= A <positive dimension number> _ <element type>
2871//              ::= A [<dimension expression>] _ <element type>
2872void CXXNameMangler::mangleType(const ConstantArrayType *T) {
2873  Out << 'A' << T->getSize() << '_';
2874  mangleType(T->getElementType());
2875}
2876void CXXNameMangler::mangleType(const VariableArrayType *T) {
2877  Out << 'A';
2878  // decayed vla types (size 0) will just be skipped.
2879  if (T->getSizeExpr())
2880    mangleExpression(T->getSizeExpr());
2881  Out << '_';
2882  mangleType(T->getElementType());
2883}
2884void CXXNameMangler::mangleType(const DependentSizedArrayType *T) {
2885  Out << 'A';
2886  mangleExpression(T->getSizeExpr());
2887  Out << '_';
2888  mangleType(T->getElementType());
2889}
2890void CXXNameMangler::mangleType(const IncompleteArrayType *T) {
2891  Out << "A_";
2892  mangleType(T->getElementType());
2893}
2894
2895// <type>                   ::= <pointer-to-member-type>
2896// <pointer-to-member-type> ::= M <class type> <member type>
2897void CXXNameMangler::mangleType(const MemberPointerType *T) {
2898  Out << 'M';
2899  mangleType(QualType(T->getClass(), 0));
2900  QualType PointeeType = T->getPointeeType();
2901  if (const FunctionProtoType *FPT = dyn_cast<FunctionProtoType>(PointeeType)) {
2902    mangleType(FPT);
2903
2904    // Itanium C++ ABI 5.1.8:
2905    //
2906    //   The type of a non-static member function is considered to be different,
2907    //   for the purposes of substitution, from the type of a namespace-scope or
2908    //   static member function whose type appears similar. The types of two
2909    //   non-static member functions are considered to be different, for the
2910    //   purposes of substitution, if the functions are members of different
2911    //   classes. In other words, for the purposes of substitution, the class of
2912    //   which the function is a member is considered part of the type of
2913    //   function.
2914
2915    // Given that we already substitute member function pointers as a
2916    // whole, the net effect of this rule is just to unconditionally
2917    // suppress substitution on the function type in a member pointer.
2918    // We increment the SeqID here to emulate adding an entry to the
2919    // substitution table.
2920    ++SeqID;
2921  } else
2922    mangleType(PointeeType);
2923}
2924
2925// <type>           ::= <template-param>
2926void CXXNameMangler::mangleType(const TemplateTypeParmType *T) {
2927  mangleTemplateParameter(T->getIndex());
2928}
2929
2930// <type>           ::= <template-param>
2931void CXXNameMangler::mangleType(const SubstTemplateTypeParmPackType *T) {
2932  // FIXME: not clear how to mangle this!
2933  // template <class T...> class A {
2934  //   template <class U...> void foo(T(*)(U) x...);
2935  // };
2936  Out << "_SUBSTPACK_";
2937}
2938
2939// <type> ::= P <type>   # pointer-to
2940void CXXNameMangler::mangleType(const PointerType *T) {
2941  Out << 'P';
2942  mangleType(T->getPointeeType());
2943}
2944void CXXNameMangler::mangleType(const ObjCObjectPointerType *T) {
2945  Out << 'P';
2946  mangleType(T->getPointeeType());
2947}
2948
2949// <type> ::= R <type>   # reference-to
2950void CXXNameMangler::mangleType(const LValueReferenceType *T) {
2951  Out << 'R';
2952  mangleType(T->getPointeeType());
2953}
2954
2955// <type> ::= O <type>   # rvalue reference-to (C++0x)
2956void CXXNameMangler::mangleType(const RValueReferenceType *T) {
2957  Out << 'O';
2958  mangleType(T->getPointeeType());
2959}
2960
2961// <type> ::= C <type>   # complex pair (C 2000)
2962void CXXNameMangler::mangleType(const ComplexType *T) {
2963  Out << 'C';
2964  mangleType(T->getElementType());
2965}
2966
2967// ARM's ABI for Neon vector types specifies that they should be mangled as
2968// if they are structs (to match ARM's initial implementation).  The
2969// vector type must be one of the special types predefined by ARM.
2970void CXXNameMangler::mangleNeonVectorType(const VectorType *T) {
2971  QualType EltType = T->getElementType();
2972   (0) . __assert_fail ("EltType->isBuiltinType() && \"Neon vector element not a BuiltinType\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 2972, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(EltType->isBuiltinType() && "Neon vector element not a BuiltinType");
2973  const char *EltName = nullptr;
2974  if (T->getVectorKind() == VectorType::NeonPolyVector) {
2975    switch (cast<BuiltinType>(EltType)->getKind()) {
2976    case BuiltinType::SChar:
2977    case BuiltinType::UChar:
2978      EltName = "poly8_t";
2979      break;
2980    case BuiltinType::Short:
2981    case BuiltinType::UShort:
2982      EltName = "poly16_t";
2983      break;
2984    case BuiltinType::ULongLong:
2985      EltName = "poly64_t";
2986      break;
2987    default: llvm_unreachable("unexpected Neon polynomial vector element type");
2988    }
2989  } else {
2990    switch (cast<BuiltinType>(EltType)->getKind()) {
2991    case BuiltinType::SChar:     EltName = "int8_t"break;
2992    case BuiltinType::UChar:     EltName = "uint8_t"break;
2993    case BuiltinType::Short:     EltName = "int16_t"break;
2994    case BuiltinType::UShort:    EltName = "uint16_t"break;
2995    case BuiltinType::Int:       EltName = "int32_t"break;
2996    case BuiltinType::UInt:      EltName = "uint32_t"break;
2997    case BuiltinType::LongLong:  EltName = "int64_t"break;
2998    case BuiltinType::ULongLongEltName = "uint64_t"break;
2999    case BuiltinType::Double:    EltName = "float64_t"break;
3000    case BuiltinType::Float:     EltName = "float32_t"break;
3001    case BuiltinType::Half:      EltName = "float16_t";break;
3002    default:
3003      llvm_unreachable("unexpected Neon vector element type");
3004    }
3005  }
3006  const char *BaseName = nullptr;
3007  unsigned BitSize = (T->getNumElements() *
3008                      getASTContext().getTypeSize(EltType));
3009  if (BitSize == 64)
3010    BaseName = "__simd64_";
3011  else {
3012     (0) . __assert_fail ("BitSize == 128 && \"Neon vector type not 64 or 128 bits\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3012, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(BitSize == 128 && "Neon vector type not 64 or 128 bits");
3013    BaseName = "__simd128_";
3014  }
3015  Out << strlen(BaseName) + strlen(EltName);
3016  Out << BaseName << EltName;
3017}
3018
3019void CXXNameMangler::mangleNeonVectorType(const DependentVectorType *T) {
3020  DiagnosticsEngine &Diags = Context.getDiags();
3021  unsigned DiagID = Diags.getCustomDiagID(
3022      DiagnosticsEngine::Error,
3023      "cannot mangle this dependent neon vector type yet");
3024  Diags.Report(T->getAttributeLoc(), DiagID);
3025}
3026
3027static StringRef mangleAArch64VectorBase(const BuiltinType *EltType) {
3028  switch (EltType->getKind()) {
3029  case BuiltinType::SChar:
3030    return "Int8";
3031  case BuiltinType::Short:
3032    return "Int16";
3033  case BuiltinType::Int:
3034    return "Int32";
3035  case BuiltinType::Long:
3036  case BuiltinType::LongLong:
3037    return "Int64";
3038  case BuiltinType::UChar:
3039    return "Uint8";
3040  case BuiltinType::UShort:
3041    return "Uint16";
3042  case BuiltinType::UInt:
3043    return "Uint32";
3044  case BuiltinType::ULong:
3045  case BuiltinType::ULongLong:
3046    return "Uint64";
3047  case BuiltinType::Half:
3048    return "Float16";
3049  case BuiltinType::Float:
3050    return "Float32";
3051  case BuiltinType::Double:
3052    return "Float64";
3053  default:
3054    llvm_unreachable("Unexpected vector element base type");
3055  }
3056}
3057
3058// AArch64's ABI for Neon vector types specifies that they should be mangled as
3059// the equivalent internal name. The vector type must be one of the special
3060// types predefined by ARM.
3061void CXXNameMangler::mangleAArch64NeonVectorType(const VectorType *T) {
3062  QualType EltType = T->getElementType();
3063   (0) . __assert_fail ("EltType->isBuiltinType() && \"Neon vector element not a BuiltinType\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3063, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(EltType->isBuiltinType() && "Neon vector element not a BuiltinType");
3064  unsigned BitSize =
3065      (T->getNumElements() * getASTContext().getTypeSize(EltType));
3066  (void)BitSize// Silence warning.
3067
3068   (0) . __assert_fail ("(BitSize == 64 || BitSize == 128) && \"Neon vector type not 64 or 128 bits\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3069, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert((BitSize == 64 || BitSize == 128) &&
3069 (0) . __assert_fail ("(BitSize == 64 || BitSize == 128) && \"Neon vector type not 64 or 128 bits\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3069, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">         "Neon vector type not 64 or 128 bits");
3070
3071  StringRef EltName;
3072  if (T->getVectorKind() == VectorType::NeonPolyVector) {
3073    switch (cast<BuiltinType>(EltType)->getKind()) {
3074    case BuiltinType::UChar:
3075      EltName = "Poly8";
3076      break;
3077    case BuiltinType::UShort:
3078      EltName = "Poly16";
3079      break;
3080    case BuiltinType::ULong:
3081    case BuiltinType::ULongLong:
3082      EltName = "Poly64";
3083      break;
3084    default:
3085      llvm_unreachable("unexpected Neon polynomial vector element type");
3086    }
3087  } else
3088    EltName = mangleAArch64VectorBase(cast<BuiltinType>(EltType));
3089
3090  std::string TypeName =
3091      ("__" + EltName + "x" + Twine(T->getNumElements()) + "_t").str();
3092  Out << TypeName.length() << TypeName;
3093}
3094void CXXNameMangler::mangleAArch64NeonVectorType(const DependentVectorType *T) {
3095  DiagnosticsEngine &Diags = Context.getDiags();
3096  unsigned DiagID = Diags.getCustomDiagID(
3097      DiagnosticsEngine::Error,
3098      "cannot mangle this dependent neon vector type yet");
3099  Diags.Report(T->getAttributeLoc(), DiagID);
3100}
3101
3102// GNU extension: vector types
3103// <type>                  ::= <vector-type>
3104// <vector-type>           ::= Dv <positive dimension number> _
3105//                                    <extended element type>
3106//                         ::= Dv [<dimension expression>] _ <element type>
3107// <extended element type> ::= <element type>
3108//                         ::= p # AltiVec vector pixel
3109//                         ::= b # Altivec vector bool
3110void CXXNameMangler::mangleType(const VectorType *T) {
3111  if ((T->getVectorKind() == VectorType::NeonVector ||
3112       T->getVectorKind() == VectorType::NeonPolyVector)) {
3113    llvm::Triple Target = getASTContext().getTargetInfo().getTriple();
3114    llvm::Triple::ArchType Arch =
3115        getASTContext().getTargetInfo().getTriple().getArch();
3116    if ((Arch == llvm::Triple::aarch64 ||
3117         Arch == llvm::Triple::aarch64_be) && !Target.isOSDarwin())
3118      mangleAArch64NeonVectorType(T);
3119    else
3120      mangleNeonVectorType(T);
3121    return;
3122  }
3123  Out << "Dv" << T->getNumElements() << '_';
3124  if (T->getVectorKind() == VectorType::AltiVecPixel)
3125    Out << 'p';
3126  else if (T->getVectorKind() == VectorType::AltiVecBool)
3127    Out << 'b';
3128  else
3129    mangleType(T->getElementType());
3130}
3131
3132void CXXNameMangler::mangleType(const DependentVectorType *T) {
3133  if ((T->getVectorKind() == VectorType::NeonVector ||
3134       T->getVectorKind() == VectorType::NeonPolyVector)) {
3135    llvm::Triple Target = getASTContext().getTargetInfo().getTriple();
3136    llvm::Triple::ArchType Arch =
3137        getASTContext().getTargetInfo().getTriple().getArch();
3138    if ((Arch == llvm::Triple::aarch64 || Arch == llvm::Triple::aarch64_be) &&
3139        !Target.isOSDarwin())
3140      mangleAArch64NeonVectorType(T);
3141    else
3142      mangleNeonVectorType(T);
3143    return;
3144  }
3145
3146  Out << "Dv";
3147  mangleExpression(T->getSizeExpr());
3148  Out << '_';
3149  if (T->getVectorKind() == VectorType::AltiVecPixel)
3150    Out << 'p';
3151  else if (T->getVectorKind() == VectorType::AltiVecBool)
3152    Out << 'b';
3153  else
3154    mangleType(T->getElementType());
3155}
3156
3157void CXXNameMangler::mangleType(const ExtVectorType *T) {
3158  mangleType(static_cast<const VectorType*>(T));
3159}
3160void CXXNameMangler::mangleType(const DependentSizedExtVectorType *T) {
3161  Out << "Dv";
3162  mangleExpression(T->getSizeExpr());
3163  Out << '_';
3164  mangleType(T->getElementType());
3165}
3166
3167void CXXNameMangler::mangleType(const DependentAddressSpaceType *T) {
3168  SplitQualType split = T->getPointeeType().split();
3169  mangleQualifiers(split.QualsT);
3170  mangleType(QualType(split.Ty0));
3171}
3172
3173void CXXNameMangler::mangleType(const PackExpansionType *T) {
3174  // <type>  ::= Dp <type>          # pack expansion (C++0x)
3175  Out << "Dp";
3176  mangleType(T->getPattern());
3177}
3178
3179void CXXNameMangler::mangleType(const ObjCInterfaceType *T) {
3180  mangleSourceName(T->getDecl()->getIdentifier());
3181}
3182
3183void CXXNameMangler::mangleType(const ObjCObjectType *T) {
3184  // Treat __kindof as a vendor extended type qualifier.
3185  if (T->isKindOfType())
3186    Out << "U8__kindof";
3187
3188  if (!T->qual_empty()) {
3189    // Mangle protocol qualifiers.
3190    SmallString<64QualStr;
3191    llvm::raw_svector_ostream QualOS(QualStr);
3192    QualOS << "objcproto";
3193    for (const auto *I : T->quals()) {
3194      StringRef name = I->getName();
3195      QualOS << name.size() << name;
3196    }
3197    Out << 'U' << QualStr.size() << QualStr;
3198  }
3199
3200  mangleType(T->getBaseType());
3201
3202  if (T->isSpecialized()) {
3203    // Mangle type arguments as I <type>+ E
3204    Out << 'I';
3205    for (auto typeArg : T->getTypeArgs())
3206      mangleType(typeArg);
3207    Out << 'E';
3208  }
3209}
3210
3211void CXXNameMangler::mangleType(const BlockPointerType *T) {
3212  Out << "U13block_pointer";
3213  mangleType(T->getPointeeType());
3214}
3215
3216void CXXNameMangler::mangleType(const InjectedClassNameType *T) {
3217  // Mangle injected class name types as if the user had written the
3218  // specialization out fully.  It may not actually be possible to see
3219  // this mangling, though.
3220  mangleType(T->getInjectedSpecializationType());
3221}
3222
3223void CXXNameMangler::mangleType(const TemplateSpecializationType *T) {
3224  if (TemplateDecl *TD = T->getTemplateName().getAsTemplateDecl()) {
3225    mangleTemplateName(TDT->getArgs(), T->getNumArgs());
3226  } else {
3227    if (mangleSubstitution(QualType(T0)))
3228      return;
3229
3230    mangleTemplatePrefix(T->getTemplateName());
3231
3232    // FIXME: GCC does not appear to mangle the template arguments when
3233    // the template in question is a dependent template name. Should we
3234    // emulate that badness?
3235    mangleTemplateArgs(T->getArgs(), T->getNumArgs());
3236    addSubstitution(QualType(T0));
3237  }
3238}
3239
3240void CXXNameMangler::mangleType(const DependentNameType *T) {
3241  // Proposal by cxx-abi-dev, 2014-03-26
3242  // <class-enum-type> ::= <name>    # non-dependent or dependent type name or
3243  //                                 # dependent elaborated type specifier using
3244  //                                 # 'typename'
3245  //                   ::= Ts <name> # dependent elaborated type specifier using
3246  //                                 # 'struct' or 'class'
3247  //                   ::= Tu <name> # dependent elaborated type specifier using
3248  //                                 # 'union'
3249  //                   ::= Te <name> # dependent elaborated type specifier using
3250  //                                 # 'enum'
3251  switch (T->getKeyword()) {
3252    case ETK_None:
3253    case ETK_Typename:
3254      break;
3255    case ETK_Struct:
3256    case ETK_Class:
3257    case ETK_Interface:
3258      Out << "Ts";
3259      break;
3260    case ETK_Union:
3261      Out << "Tu";
3262      break;
3263    case ETK_Enum:
3264      Out << "Te";
3265      break;
3266  }
3267  // Typename types are always nested
3268  Out << 'N';
3269  manglePrefix(T->getQualifier());
3270  mangleSourceName(T->getIdentifier());
3271  Out << 'E';
3272}
3273
3274void CXXNameMangler::mangleType(const DependentTemplateSpecializationType *T) {
3275  // Dependently-scoped template types are nested if they have a prefix.
3276  Out << 'N';
3277
3278  // TODO: avoid making this TemplateName.
3279  TemplateName Prefix =
3280    getASTContext().getDependentTemplateName(T->getQualifier(),
3281                                             T->getIdentifier());
3282  mangleTemplatePrefix(Prefix);
3283
3284  // FIXME: GCC does not appear to mangle the template arguments when
3285  // the template in question is a dependent template name. Should we
3286  // emulate that badness?
3287  mangleTemplateArgs(T->getArgs(), T->getNumArgs());
3288  Out << 'E';
3289}
3290
3291void CXXNameMangler::mangleType(const TypeOfType *T) {
3292  // FIXME: this is pretty unsatisfactory, but there isn't an obvious
3293  // "extension with parameters" mangling.
3294  Out << "u6typeof";
3295}
3296
3297void CXXNameMangler::mangleType(const TypeOfExprType *T) {
3298  // FIXME: this is pretty unsatisfactory, but there isn't an obvious
3299  // "extension with parameters" mangling.
3300  Out << "u6typeof";
3301}
3302
3303void CXXNameMangler::mangleType(const DecltypeType *T) {
3304  Expr *E = T->getUnderlyingExpr();
3305
3306  // type ::= Dt <expression> E  # decltype of an id-expression
3307  //                             #   or class member access
3308  //      ::= DT <expression> E  # decltype of an expression
3309
3310  // This purports to be an exhaustive list of id-expressions and
3311  // class member accesses.  Note that we do not ignore parentheses;
3312  // parentheses change the semantics of decltype for these
3313  // expressions (and cause the mangler to use the other form).
3314  if (isa<DeclRefExpr>(E) ||
3315      isa<MemberExpr>(E) ||
3316      isa<UnresolvedLookupExpr>(E) ||
3317      isa<DependentScopeDeclRefExpr>(E) ||
3318      isa<CXXDependentScopeMemberExpr>(E) ||
3319      isa<UnresolvedMemberExpr>(E))
3320    Out << "Dt";
3321  else
3322    Out << "DT";
3323  mangleExpression(E);
3324  Out << 'E';
3325}
3326
3327void CXXNameMangler::mangleType(const UnaryTransformType *T) {
3328  // If this is dependent, we need to record that. If not, we simply
3329  // mangle it as the underlying type since they are equivalent.
3330  if (T->isDependentType()) {
3331    Out << 'U';
3332
3333    switch (T->getUTTKind()) {
3334      case UnaryTransformType::EnumUnderlyingType:
3335        Out << "3eut";
3336        break;
3337    }
3338  }
3339
3340  mangleType(T->getBaseType());
3341}
3342
3343void CXXNameMangler::mangleType(const AutoType *T) {
3344   (0) . __assert_fail ("T->getDeducedType().isNull() && \"Deduced AutoType shouldn't be handled here!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3345, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(T->getDeducedType().isNull() &&
3345 (0) . __assert_fail ("T->getDeducedType().isNull() && \"Deduced AutoType shouldn't be handled here!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3345, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">         "Deduced AutoType shouldn't be handled here!");
3346   (0) . __assert_fail ("T->getKeyword() != AutoTypeKeyword..GNUAutoType && \"shouldn't need to mangle __auto_type!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3347, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(T->getKeyword() != AutoTypeKeyword::GNUAutoType &&
3347 (0) . __assert_fail ("T->getKeyword() != AutoTypeKeyword..GNUAutoType && \"shouldn't need to mangle __auto_type!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3347, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">         "shouldn't need to mangle __auto_type!");
3348  // <builtin-type> ::= Da # auto
3349  //                ::= Dc # decltype(auto)
3350  Out << (T->isDecltypeAuto() ? "Dc" : "Da");
3351}
3352
3353void CXXNameMangler::mangleType(const DeducedTemplateSpecializationType *T) {
3354  // FIXME: This is not the right mangling. We also need to include a scope
3355  // here in some cases.
3356  QualType D = T->getDeducedType();
3357  if (D.isNull())
3358    mangleUnscopedTemplateName(T->getTemplateName(), nullptr);
3359  else
3360    mangleType(D);
3361}
3362
3363void CXXNameMangler::mangleType(const AtomicType *T) {
3364  // <type> ::= U <source-name> <type>  # vendor extended type qualifier
3365  // (Until there's a standardized mangling...)
3366  Out << "U7_Atomic";
3367  mangleType(T->getValueType());
3368}
3369
3370void CXXNameMangler::mangleType(const PipeType *T) {
3371  // Pipe type mangling rules are described in SPIR 2.0 specification
3372  // A.1 Data types and A.3 Summary of changes
3373  // <type> ::= 8ocl_pipe
3374  Out << "8ocl_pipe";
3375}
3376
3377void CXXNameMangler::mangleIntegerLiteral(QualType T,
3378                                          const llvm::APSInt &Value) {
3379  //  <expr-primary> ::= L <type> <value number> E # integer literal
3380  Out << 'L';
3381
3382  mangleType(T);
3383  if (T->isBooleanType()) {
3384    // Boolean values are encoded as 0/1.
3385    Out << (Value.getBoolValue() ? '1' : '0');
3386  } else {
3387    mangleNumber(Value);
3388  }
3389  Out << 'E';
3390
3391}
3392
3393void CXXNameMangler::mangleMemberExprBase(const Expr *Basebool IsArrow) {
3394  // Ignore member expressions involving anonymous unions.
3395  while (const auto *RT = Base->getType()->getAs<RecordType>()) {
3396    if (!RT->getDecl()->isAnonymousStructOrUnion())
3397      break;
3398    const auto *ME = dyn_cast<MemberExpr>(Base);
3399    if (!ME)
3400      break;
3401    Base = ME->getBase();
3402    IsArrow = ME->isArrow();
3403  }
3404
3405  if (Base->isImplicitCXXThis()) {
3406    // Note: GCC mangles member expressions to the implicit 'this' as
3407    // *this., whereas we represent them as this->. The Itanium C++ ABI
3408    // does not specify anything here, so we follow GCC.
3409    Out << "dtdefpT";
3410  } else {
3411    Out << (IsArrow ? "pt" : "dt");
3412    mangleExpression(Base);
3413  }
3414}
3415
3416/// Mangles a member expression.
3417void CXXNameMangler::mangleMemberExpr(const Expr *base,
3418                                      bool isArrow,
3419                                      NestedNameSpecifier *qualifier,
3420                                      NamedDecl *firstQualifierLookup,
3421                                      DeclarationName member,
3422                                      const TemplateArgumentLoc *TemplateArgs,
3423                                      unsigned NumTemplateArgs,
3424                                      unsigned arity) {
3425  // <expression> ::= dt <expression> <unresolved-name>
3426  //              ::= pt <expression> <unresolved-name>
3427  if (base)
3428    mangleMemberExprBase(baseisArrow);
3429  mangleUnresolvedName(qualifiermemberTemplateArgsNumTemplateArgsarity);
3430}
3431
3432/// Look at the callee of the given call expression and determine if
3433/// it's a parenthesized id-expression which would have triggered ADL
3434/// otherwise.
3435static bool isParenthesizedADLCallee(const CallExpr *call) {
3436  const Expr *callee = call->getCallee();
3437  const Expr *fn = callee->IgnoreParens();
3438
3439  // Must be parenthesized.  IgnoreParens() skips __extension__ nodes,
3440  // too, but for those to appear in the callee, it would have to be
3441  // parenthesized.
3442  if (callee == fnreturn false;
3443
3444  // Must be an unresolved lookup.
3445  const UnresolvedLookupExpr *lookup = dyn_cast<UnresolvedLookupExpr>(fn);
3446  if (!lookupreturn false;
3447
3448  requiresADL()", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3448, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!lookup->requiresADL());
3449
3450  // Must be an unqualified lookup.
3451  if (lookup->getQualifier()) return false;
3452
3453  // Must not have found a class member.  Note that if one is a class
3454  // member, they're all class members.
3455  if (lookup->getNumDecls() > 0 &&
3456      (*lookup->decls_begin())->isCXXClassMember())
3457    return false;
3458
3459  // Otherwise, ADL would have been triggered.
3460  return true;
3461}
3462
3463void CXXNameMangler::mangleCastExpression(const Expr *EStringRef CastEncoding) {
3464  const ExplicitCastExpr *ECE = cast<ExplicitCastExpr>(E);
3465  Out << CastEncoding;
3466  mangleType(ECE->getType());
3467  mangleExpression(ECE->getSubExpr());
3468}
3469
3470void CXXNameMangler::mangleInitListElements(const InitListExpr *InitList) {
3471  if (auto *Syntactic = InitList->getSyntacticForm())
3472    InitList = Syntactic;
3473  for (unsigned i = 0e = InitList->getNumInits(); i != e; ++i)
3474    mangleExpression(InitList->getInit(i));
3475}
3476
3477void CXXNameMangler::mangleExpression(const Expr *Eunsigned Arity) {
3478  // <expression> ::= <unary operator-name> <expression>
3479  //              ::= <binary operator-name> <expression> <expression>
3480  //              ::= <trinary operator-name> <expression> <expression> <expression>
3481  //              ::= cv <type> expression           # conversion with one argument
3482  //              ::= cv <type> _ <expression>* E # conversion with a different number of arguments
3483  //              ::= dc <type> <expression>         # dynamic_cast<type> (expression)
3484  //              ::= sc <type> <expression>         # static_cast<type> (expression)
3485  //              ::= cc <type> <expression>         # const_cast<type> (expression)
3486  //              ::= rc <type> <expression>         # reinterpret_cast<type> (expression)
3487  //              ::= st <type>                      # sizeof (a type)
3488  //              ::= at <type>                      # alignof (a type)
3489  //              ::= <template-param>
3490  //              ::= <function-param>
3491  //              ::= sr <type> <unqualified-name>                   # dependent name
3492  //              ::= sr <type> <unqualified-name> <template-args>   # dependent template-id
3493  //              ::= ds <expression> <expression>                   # expr.*expr
3494  //              ::= sZ <template-param>                            # size of a parameter pack
3495  //              ::= sZ <function-param>    # size of a function parameter pack
3496  //              ::= <expr-primary>
3497  // <expr-primary> ::= L <type> <value number> E    # integer literal
3498  //                ::= L <type <value float> E      # floating literal
3499  //                ::= L <mangled-name> E           # external name
3500  //                ::= fpT                          # 'this' expression
3501  QualType ImplicitlyConvertedToType;
3502
3503recurse:
3504  switch (E->getStmtClass()) {
3505  case Expr::NoStmtClass:
3506#define ABSTRACT_STMT(Type)
3507#define EXPR(Type, Base)
3508#define STMT(Type, Base) \
3509  case Expr::Type##Class:
3510#include "clang/AST/StmtNodes.inc"
3511    // fallthrough
3512
3513  // These all can only appear in local or variable-initialization
3514  // contexts and so should never appear in a mangling.
3515  case Expr::AddrLabelExprClass:
3516  case Expr::DesignatedInitUpdateExprClass:
3517  case Expr::ImplicitValueInitExprClass:
3518  case Expr::ArrayInitLoopExprClass:
3519  case Expr::ArrayInitIndexExprClass:
3520  case Expr::NoInitExprClass:
3521  case Expr::ParenListExprClass:
3522  case Expr::LambdaExprClass:
3523  case Expr::MSPropertyRefExprClass:
3524  case Expr::MSPropertySubscriptExprClass:
3525  case Expr::TypoExprClass:  // This should no longer exist in the AST by now.
3526  case Expr::OMPArraySectionExprClass:
3527  case Expr::CXXInheritedCtorInitExprClass:
3528    llvm_unreachable("unexpected statement kind");
3529
3530  case Expr::ConstantExprClass:
3531    E = cast<ConstantExpr>(E)->getSubExpr();
3532    goto recurse;
3533
3534  // FIXME: invent manglings for all these.
3535  case Expr::BlockExprClass:
3536  case Expr::ChooseExprClass:
3537  case Expr::CompoundLiteralExprClass:
3538  case Expr::ExtVectorElementExprClass:
3539  case Expr::GenericSelectionExprClass:
3540  case Expr::ObjCEncodeExprClass:
3541  case Expr::ObjCIsaExprClass:
3542  case Expr::ObjCIvarRefExprClass:
3543  case Expr::ObjCMessageExprClass:
3544  case Expr::ObjCPropertyRefExprClass:
3545  case Expr::ObjCProtocolExprClass:
3546  case Expr::ObjCSelectorExprClass:
3547  case Expr::ObjCStringLiteralClass:
3548  case Expr::ObjCBoxedExprClass:
3549  case Expr::ObjCArrayLiteralClass:
3550  case Expr::ObjCDictionaryLiteralClass:
3551  case Expr::ObjCSubscriptRefExprClass:
3552  case Expr::ObjCIndirectCopyRestoreExprClass:
3553  case Expr::ObjCAvailabilityCheckExprClass:
3554  case Expr::OffsetOfExprClass:
3555  case Expr::PredefinedExprClass:
3556  case Expr::ShuffleVectorExprClass:
3557  case Expr::ConvertVectorExprClass:
3558  case Expr::StmtExprClass:
3559  case Expr::TypeTraitExprClass:
3560  case Expr::ArrayTypeTraitExprClass:
3561  case Expr::ExpressionTraitExprClass:
3562  case Expr::VAArgExprClass:
3563  case Expr::CUDAKernelCallExprClass:
3564  case Expr::AsTypeExprClass:
3565  case Expr::PseudoObjectExprClass:
3566  case Expr::AtomicExprClass:
3567  case Expr::FixedPointLiteralClass:
3568  {
3569    if (!NullOut) {
3570      // As bad as this diagnostic is, it's better than crashing.
3571      DiagnosticsEngine &Diags = Context.getDiags();
3572      unsigned DiagID = Diags.getCustomDiagID(DiagnosticsEngine::Error,
3573                                       "cannot yet mangle expression type %0");
3574      Diags.Report(E->getExprLoc(), DiagID)
3575        << E->getStmtClassName() << E->getSourceRange();
3576    }
3577    break;
3578  }
3579
3580  case Expr::CXXUuidofExprClass: {
3581    const CXXUuidofExpr *UE = cast<CXXUuidofExpr>(E);
3582    if (UE->isTypeOperand()) {
3583      QualType UuidT = UE->getTypeOperand(Context.getASTContext());
3584      Out << "u8__uuidoft";
3585      mangleType(UuidT);
3586    } else {
3587      Expr *UuidExp = UE->getExprOperand();
3588      Out << "u8__uuidofz";
3589      mangleExpression(UuidExpArity);
3590    }
3591    break;
3592  }
3593
3594  // Even gcc-4.5 doesn't mangle this.
3595  case Expr::BinaryConditionalOperatorClass: {
3596    DiagnosticsEngine &Diags = Context.getDiags();
3597    unsigned DiagID =
3598      Diags.getCustomDiagID(DiagnosticsEngine::Error,
3599                "?: operator with omitted middle operand cannot be mangled");
3600    Diags.Report(E->getExprLoc(), DiagID)
3601      << E->getStmtClassName() << E->getSourceRange();
3602    break;
3603  }
3604
3605  // These are used for internal purposes and cannot be meaningfully mangled.
3606  case Expr::OpaqueValueExprClass:
3607    llvm_unreachable("cannot mangle opaque value; mangling wrong thing?");
3608
3609  case Expr::InitListExprClass: {
3610    Out << "il";
3611    mangleInitListElements(cast<InitListExpr>(E));
3612    Out << "E";
3613    break;
3614  }
3615
3616  case Expr::DesignatedInitExprClass: {
3617    auto *DIE = cast<DesignatedInitExpr>(E);
3618    for (const auto &Designator : DIE->designators()) {
3619      if (Designator.isFieldDesignator()) {
3620        Out << "di";
3621        mangleSourceName(Designator.getFieldName());
3622      } else if (Designator.isArrayDesignator()) {
3623        Out << "dx";
3624        mangleExpression(DIE->getArrayIndex(Designator));
3625      } else {
3626         (0) . __assert_fail ("Designator.isArrayRangeDesignator() && \"unknown designator kind\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3627, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(Designator.isArrayRangeDesignator() &&
3627 (0) . __assert_fail ("Designator.isArrayRangeDesignator() && \"unknown designator kind\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3627, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">               "unknown designator kind");
3628        Out << "dX";
3629        mangleExpression(DIE->getArrayRangeStart(Designator));
3630        mangleExpression(DIE->getArrayRangeEnd(Designator));
3631      }
3632    }
3633    mangleExpression(DIE->getInit());
3634    break;
3635  }
3636
3637  case Expr::CXXDefaultArgExprClass:
3638    mangleExpression(cast<CXXDefaultArgExpr>(E)->getExpr(), Arity);
3639    break;
3640
3641  case Expr::CXXDefaultInitExprClass:
3642    mangleExpression(cast<CXXDefaultInitExpr>(E)->getExpr(), Arity);
3643    break;
3644
3645  case Expr::CXXStdInitializerListExprClass:
3646    mangleExpression(cast<CXXStdInitializerListExpr>(E)->getSubExpr(), Arity);
3647    break;
3648
3649  case Expr::SubstNonTypeTemplateParmExprClass:
3650    mangleExpression(cast<SubstNonTypeTemplateParmExpr>(E)->getReplacement(),
3651                     Arity);
3652    break;
3653
3654  case Expr::UserDefinedLiteralClass:
3655    // We follow g++'s approach of mangling a UDL as a call to the literal
3656    // operator.
3657  case Expr::CXXMemberCallExprClass: // fallthrough
3658  case Expr::CallExprClass: {
3659    const CallExpr *CE = cast<CallExpr>(E);
3660
3661    // <expression> ::= cp <simple-id> <expression>* E
3662    // We use this mangling only when the call would use ADL except
3663    // for being parenthesized.  Per discussion with David
3664    // Vandervoorde, 2011.04.25.
3665    if (isParenthesizedADLCallee(CE)) {
3666      Out << "cp";
3667      // The callee here is a parenthesized UnresolvedLookupExpr with
3668      // no qualifier and should always get mangled as a <simple-id>
3669      // anyway.
3670
3671    // <expression> ::= cl <expression>* E
3672    } else {
3673      Out << "cl";
3674    }
3675
3676    unsigned CallArity = CE->getNumArgs();
3677    for (const Expr *Arg : CE->arguments())
3678      if (isa<PackExpansionExpr>(Arg))
3679        CallArity = UnknownArity;
3680
3681    mangleExpression(CE->getCallee(), CallArity);
3682    for (const Expr *Arg : CE->arguments())
3683      mangleExpression(Arg);
3684    Out << 'E';
3685    break;
3686  }
3687
3688  case Expr::CXXNewExprClass: {
3689    const CXXNewExpr *New = cast<CXXNewExpr>(E);
3690    if (New->isGlobalNew()) Out << "gs";
3691    Out << (New->isArray() ? "na" : "nw");
3692    for (CXXNewExpr::const_arg_iterator I = New->placement_arg_begin(),
3693           E = New->placement_arg_end(); I != E; ++I)
3694      mangleExpression(*I);
3695    Out << '_';
3696    mangleType(New->getAllocatedType());
3697    if (New->hasInitializer()) {
3698      if (New->getInitializationStyle() == CXXNewExpr::ListInit)
3699        Out << "il";
3700      else
3701        Out << "pi";
3702      const Expr *Init = New->getInitializer();
3703      if (const CXXConstructExpr *CCE = dyn_cast<CXXConstructExpr>(Init)) {
3704        // Directly inline the initializers.
3705        for (CXXConstructExpr::const_arg_iterator I = CCE->arg_begin(),
3706                                                  E = CCE->arg_end();
3707             I != E; ++I)
3708          mangleExpression(*I);
3709      } else if (const ParenListExpr *PLE = dyn_cast<ParenListExpr>(Init)) {
3710        for (unsigned i = 0e = PLE->getNumExprs(); i != e; ++i)
3711          mangleExpression(PLE->getExpr(i));
3712      } else if (New->getInitializationStyle() == CXXNewExpr::ListInit &&
3713                 isa<InitListExpr>(Init)) {
3714        // Only take InitListExprs apart for list-initialization.
3715        mangleInitListElements(cast<InitListExpr>(Init));
3716      } else
3717        mangleExpression(Init);
3718    }
3719    Out << 'E';
3720    break;
3721  }
3722
3723  case Expr::CXXPseudoDestructorExprClass: {
3724    const auto *PDE = cast<CXXPseudoDestructorExpr>(E);
3725    if (const Expr *Base = PDE->getBase())
3726      mangleMemberExprBase(Base, PDE->isArrow());
3727    NestedNameSpecifier *Qualifier = PDE->getQualifier();
3728    if (TypeSourceInfo *ScopeInfo = PDE->getScopeTypeInfo()) {
3729      if (Qualifier) {
3730        mangleUnresolvedPrefix(Qualifier,
3731                               /*Recursive=*/true);
3732        mangleUnresolvedTypeOrSimpleId(ScopeInfo->getType());
3733        Out << 'E';
3734      } else {
3735        Out << "sr";
3736        if (!mangleUnresolvedTypeOrSimpleId(ScopeInfo->getType()))
3737          Out << 'E';
3738      }
3739    } else if (Qualifier) {
3740      mangleUnresolvedPrefix(Qualifier);
3741    }
3742    // <base-unresolved-name> ::= dn <destructor-name>
3743    Out << "dn";
3744    QualType DestroyedType = PDE->getDestroyedType();
3745    mangleUnresolvedTypeOrSimpleId(DestroyedType);
3746    break;
3747  }
3748
3749  case Expr::MemberExprClass: {
3750    const MemberExpr *ME = cast<MemberExpr>(E);
3751    mangleMemberExpr(ME->getBase(), ME->isArrow(),
3752                     ME->getQualifier(), nullptr,
3753                     ME->getMemberDecl()->getDeclName(),
3754                     ME->getTemplateArgs(), ME->getNumTemplateArgs(),
3755                     Arity);
3756    break;
3757  }
3758
3759  case Expr::UnresolvedMemberExprClass: {
3760    const UnresolvedMemberExpr *ME = cast<UnresolvedMemberExpr>(E);
3761    mangleMemberExpr(ME->isImplicitAccess() ? nullptr : ME->getBase(),
3762                     ME->isArrow(), ME->getQualifier(), nullptr,
3763                     ME->getMemberName(),
3764                     ME->getTemplateArgs(), ME->getNumTemplateArgs(),
3765                     Arity);
3766    break;
3767  }
3768
3769  case Expr::CXXDependentScopeMemberExprClass: {
3770    const CXXDependentScopeMemberExpr *ME
3771      = cast<CXXDependentScopeMemberExpr>(E);
3772    mangleMemberExpr(ME->isImplicitAccess() ? nullptr : ME->getBase(),
3773                     ME->isArrow(), ME->getQualifier(),
3774                     ME->getFirstQualifierFoundInScope(),
3775                     ME->getMember(),
3776                     ME->getTemplateArgs(), ME->getNumTemplateArgs(),
3777                     Arity);
3778    break;
3779  }
3780
3781  case Expr::UnresolvedLookupExprClass: {
3782    const UnresolvedLookupExpr *ULE = cast<UnresolvedLookupExpr>(E);
3783    mangleUnresolvedName(ULE->getQualifier(), ULE->getName(),
3784                         ULE->getTemplateArgs(), ULE->getNumTemplateArgs(),
3785                         Arity);
3786    break;
3787  }
3788
3789  case Expr::CXXUnresolvedConstructExprClass: {
3790    const CXXUnresolvedConstructExpr *CE = cast<CXXUnresolvedConstructExpr>(E);
3791    unsigned N = CE->arg_size();
3792
3793    if (CE->isListInitialization()) {
3794       (0) . __assert_fail ("N == 1 && \"unexpected form for list initialization\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3794, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(N == 1 && "unexpected form for list initialization");
3795      auto *IL = cast<InitListExpr>(CE->getArg(0));
3796      Out << "tl";
3797      mangleType(CE->getType());
3798      mangleInitListElements(IL);
3799      Out << "E";
3800      return;
3801    }
3802
3803    Out << "cv";
3804    mangleType(CE->getType());
3805    if (N != 1Out << '_';
3806    for (unsigned I = 0I != N; ++ImangleExpression(CE->getArg(I));
3807    if (N != 1Out << 'E';
3808    break;
3809  }
3810
3811  case Expr::CXXConstructExprClass: {
3812    const auto *CE = cast<CXXConstructExpr>(E);
3813    if (!CE->isListInitialization() || CE->isStdInitListInitialization()) {
3814       (0) . __assert_fail ("CE->getNumArgs() >= 1 && (CE->getNumArgs() == 1 || isa(CE->getArg(1))) && \"implicit CXXConstructExpr must have one argument\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3817, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(
3815 (0) . __assert_fail ("CE->getNumArgs() >= 1 && (CE->getNumArgs() == 1 || isa(CE->getArg(1))) && \"implicit CXXConstructExpr must have one argument\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3817, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">          CE->getNumArgs() >= 1 &&
3816 (0) . __assert_fail ("CE->getNumArgs() >= 1 && (CE->getNumArgs() == 1 || isa(CE->getArg(1))) && \"implicit CXXConstructExpr must have one argument\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3817, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">          (CE->getNumArgs() == 1 || isa<CXXDefaultArgExpr>(CE->getArg(1))) &&
3817 (0) . __assert_fail ("CE->getNumArgs() >= 1 && (CE->getNumArgs() == 1 || isa(CE->getArg(1))) && \"implicit CXXConstructExpr must have one argument\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 3817, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">          "implicit CXXConstructExpr must have one argument");
3818      return mangleExpression(cast<CXXConstructExpr>(E)->getArg(0));
3819    }
3820    Out << "il";
3821    for (auto *E : CE->arguments())
3822      mangleExpression(E);
3823    Out << "E";
3824    break;
3825  }
3826
3827  case Expr::CXXTemporaryObjectExprClass: {
3828    const auto *CE = cast<CXXTemporaryObjectExpr>(E);
3829    unsigned N = CE->getNumArgs();
3830    bool List = CE->isListInitialization();
3831
3832    if (List)
3833      Out << "tl";
3834    else
3835      Out << "cv";
3836    mangleType(CE->getType());
3837    if (!List && N != 1)
3838      Out << '_';
3839    if (CE->isStdInitListInitialization()) {
3840      // We implicitly created a std::initializer_list<T> for the first argument
3841      // of a constructor of type U in an expression of the form U{a, b, c}.
3842      // Strip all the semantic gunk off the initializer list.
3843      auto *SILE =
3844          cast<CXXStdInitializerListExpr>(CE->getArg(0)->IgnoreImplicit());
3845      auto *ILE = cast<InitListExpr>(SILE->getSubExpr()->IgnoreImplicit());
3846      mangleInitListElements(ILE);
3847    } else {
3848      for (auto *E : CE->arguments())
3849        mangleExpression(E);
3850    }
3851    if (List || N != 1)
3852      Out << 'E';
3853    break;
3854  }
3855
3856  case Expr::CXXScalarValueInitExprClass:
3857    Out << "cv";
3858    mangleType(E->getType());
3859    Out << "_E";
3860    break;
3861
3862  case Expr::CXXNoexceptExprClass:
3863    Out << "nx";
3864    mangleExpression(cast<CXXNoexceptExpr>(E)->getOperand());
3865    break;
3866
3867  case Expr::UnaryExprOrTypeTraitExprClass: {
3868    const UnaryExprOrTypeTraitExpr *SAE = cast<UnaryExprOrTypeTraitExpr>(E);
3869
3870    if (!SAE->isInstantiationDependent()) {
3871      // Itanium C++ ABI:
3872      //   If the operand of a sizeof or alignof operator is not
3873      //   instantiation-dependent it is encoded as an integer literal
3874      //   reflecting the result of the operator.
3875      //
3876      //   If the result of the operator is implicitly converted to a known
3877      //   integer type, that type is used for the literal; otherwise, the type
3878      //   of std::size_t or std::ptrdiff_t is used.
3879      QualType T = (ImplicitlyConvertedToType.isNull() ||
3880                    !ImplicitlyConvertedToType->isIntegerType())? SAE->getType()
3881                                                    : ImplicitlyConvertedToType;
3882      llvm::APSInt V = SAE->EvaluateKnownConstInt(Context.getASTContext());
3883      mangleIntegerLiteral(T, V);
3884      break;
3885    }
3886
3887    switch(SAE->getKind()) {
3888    case UETT_SizeOf:
3889      Out << 's';
3890      break;
3891    case UETT_PreferredAlignOf:
3892    case UETT_AlignOf:
3893      Out << 'a';
3894      break;
3895    case UETT_VecStep: {
3896      DiagnosticsEngine &Diags = Context.getDiags();
3897      unsigned DiagID = Diags.getCustomDiagID(DiagnosticsEngine::Error,
3898                                     "cannot yet mangle vec_step expression");
3899      Diags.Report(DiagID);
3900      return;
3901    }
3902    case UETT_OpenMPRequiredSimdAlign:
3903      DiagnosticsEngine &Diags = Context.getDiags();
3904      unsigned DiagID = Diags.getCustomDiagID(
3905          DiagnosticsEngine::Error,
3906          "cannot yet mangle __builtin_omp_required_simd_align expression");
3907      Diags.Report(DiagID);
3908      return;
3909    }
3910    if (SAE->isArgumentType()) {
3911      Out << 't';
3912      mangleType(SAE->getArgumentType());
3913    } else {
3914      Out << 'z';
3915      mangleExpression(SAE->getArgumentExpr());
3916    }
3917    break;
3918  }
3919
3920  case Expr::CXXThrowExprClass: {
3921    const CXXThrowExpr *TE = cast<CXXThrowExpr>(E);
3922    //  <expression> ::= tw <expression>  # throw expression
3923    //               ::= tr               # rethrow
3924    if (TE->getSubExpr()) {
3925      Out << "tw";
3926      mangleExpression(TE->getSubExpr());
3927    } else {
3928      Out << "tr";
3929    }
3930    break;
3931  }
3932
3933  case Expr::CXXTypeidExprClass: {
3934    const CXXTypeidExpr *TIE = cast<CXXTypeidExpr>(E);
3935    //  <expression> ::= ti <type>        # typeid (type)
3936    //               ::= te <expression>  # typeid (expression)
3937    if (TIE->isTypeOperand()) {
3938      Out << "ti";
3939      mangleType(TIE->getTypeOperand(Context.getASTContext()));
3940    } else {
3941      Out << "te";
3942      mangleExpression(TIE->getExprOperand());
3943    }
3944    break;
3945  }
3946
3947  case Expr::CXXDeleteExprClass: {
3948    const CXXDeleteExpr *DE = cast<CXXDeleteExpr>(E);
3949    //  <expression> ::= [gs] dl <expression>  # [::] delete expr
3950    //               ::= [gs] da <expression>  # [::] delete [] expr
3951    if (DE->isGlobalDelete()) Out << "gs";
3952    Out << (DE->isArrayForm() ? "da" : "dl");
3953    mangleExpression(DE->getArgument());
3954    break;
3955  }
3956
3957  case Expr::UnaryOperatorClass: {
3958    const UnaryOperator *UO = cast<UnaryOperator>(E);
3959    mangleOperatorName(UnaryOperator::getOverloadedOperator(UO->getOpcode()),
3960                       /*Arity=*/1);
3961    mangleExpression(UO->getSubExpr());
3962    break;
3963  }
3964
3965  case Expr::ArraySubscriptExprClass: {
3966    const ArraySubscriptExpr *AE = cast<ArraySubscriptExpr>(E);
3967
3968    // Array subscript is treated as a syntactically weird form of
3969    // binary operator.
3970    Out << "ix";
3971    mangleExpression(AE->getLHS());
3972    mangleExpression(AE->getRHS());
3973    break;
3974  }
3975
3976  case Expr::CompoundAssignOperatorClass: // fallthrough
3977  case Expr::BinaryOperatorClass: {
3978    const BinaryOperator *BO = cast<BinaryOperator>(E);
3979    if (BO->getOpcode() == BO_PtrMemD)
3980      Out << "ds";
3981    else
3982      mangleOperatorName(BinaryOperator::getOverloadedOperator(BO->getOpcode()),
3983                         /*Arity=*/2);
3984    mangleExpression(BO->getLHS());
3985    mangleExpression(BO->getRHS());
3986    break;
3987  }
3988
3989  case Expr::ConditionalOperatorClass: {
3990    const ConditionalOperator *CO = cast<ConditionalOperator>(E);
3991    mangleOperatorName(OO_Conditional/*Arity=*/3);
3992    mangleExpression(CO->getCond());
3993    mangleExpression(CO->getLHS(), Arity);
3994    mangleExpression(CO->getRHS(), Arity);
3995    break;
3996  }
3997
3998  case Expr::ImplicitCastExprClass: {
3999    ImplicitlyConvertedToType = E->getType();
4000    E = cast<ImplicitCastExpr>(E)->getSubExpr();
4001    goto recurse;
4002  }
4003
4004  case Expr::ObjCBridgedCastExprClass: {
4005    // Mangle ownership casts as a vendor extended operator __bridge,
4006    // __bridge_transfer, or __bridge_retain.
4007    StringRef Kind = cast<ObjCBridgedCastExpr>(E)->getBridgeKindName();
4008    Out << "v1U" << Kind.size() << Kind;
4009  }
4010  // Fall through to mangle the cast itself.
4011  LLVM_FALLTHROUGH;
4012
4013  case Expr::CStyleCastExprClass:
4014    mangleCastExpression(E"cv");
4015    break;
4016
4017  case Expr::CXXFunctionalCastExprClass: {
4018    auto *Sub = cast<ExplicitCastExpr>(E)->getSubExpr()->IgnoreImplicit();
4019    // FIXME: Add isImplicit to CXXConstructExpr.
4020    if (auto *CCE = dyn_cast<CXXConstructExpr>(Sub))
4021      if (CCE->getParenOrBraceRange().isInvalid())
4022        Sub = CCE->getArg(0)->IgnoreImplicit();
4023    if (auto *StdInitList = dyn_cast<CXXStdInitializerListExpr>(Sub))
4024      Sub = StdInitList->getSubExpr()->IgnoreImplicit();
4025    if (auto *IL = dyn_cast<InitListExpr>(Sub)) {
4026      Out << "tl";
4027      mangleType(E->getType());
4028      mangleInitListElements(IL);
4029      Out << "E";
4030    } else {
4031      mangleCastExpression(E"cv");
4032    }
4033    break;
4034  }
4035
4036  case Expr::CXXStaticCastExprClass:
4037    mangleCastExpression(E"sc");
4038    break;
4039  case Expr::CXXDynamicCastExprClass:
4040    mangleCastExpression(E"dc");
4041    break;
4042  case Expr::CXXReinterpretCastExprClass:
4043    mangleCastExpression(E"rc");
4044    break;
4045  case Expr::CXXConstCastExprClass:
4046    mangleCastExpression(E"cc");
4047    break;
4048
4049  case Expr::CXXOperatorCallExprClass: {
4050    const CXXOperatorCallExpr *CE = cast<CXXOperatorCallExpr>(E);
4051    unsigned NumArgs = CE->getNumArgs();
4052    // A CXXOperatorCallExpr for OO_Arrow models only semantics, not syntax
4053    // (the enclosing MemberExpr covers the syntactic portion).
4054    if (CE->getOperator() != OO_Arrow)
4055      mangleOperatorName(CE->getOperator(), /*Arity=*/NumArgs);
4056    // Mangle the arguments.
4057    for (unsigned i = 0i != NumArgs; ++i)
4058      mangleExpression(CE->getArg(i));
4059    break;
4060  }
4061
4062  case Expr::ParenExprClass:
4063    mangleExpression(cast<ParenExpr>(E)->getSubExpr(), Arity);
4064    break;
4065
4066  case Expr::DeclRefExprClass: {
4067    const NamedDecl *D = cast<DeclRefExpr>(E)->getDecl();
4068
4069    switch (D->getKind()) {
4070    default:
4071      //  <expr-primary> ::= L <mangled-name> E # external name
4072      Out << 'L';
4073      mangle(D);
4074      Out << 'E';
4075      break;
4076
4077    case Decl::ParmVar:
4078      mangleFunctionParam(cast<ParmVarDecl>(D));
4079      break;
4080
4081    case Decl::EnumConstant: {
4082      const EnumConstantDecl *ED = cast<EnumConstantDecl>(D);
4083      mangleIntegerLiteral(ED->getType(), ED->getInitVal());
4084      break;
4085    }
4086
4087    case Decl::NonTypeTemplateParm: {
4088      const NonTypeTemplateParmDecl *PD = cast<NonTypeTemplateParmDecl>(D);
4089      mangleTemplateParameter(PD->getIndex());
4090      break;
4091    }
4092
4093    }
4094
4095    break;
4096  }
4097
4098  case Expr::SubstNonTypeTemplateParmPackExprClass:
4099    // FIXME: not clear how to mangle this!
4100    // template <unsigned N...> class A {
4101    //   template <class U...> void foo(U (&x)[N]...);
4102    // };
4103    Out << "_SUBSTPACK_";
4104    break;
4105
4106  case Expr::FunctionParmPackExprClass: {
4107    // FIXME: not clear how to mangle this!
4108    const FunctionParmPackExpr *FPPE = cast<FunctionParmPackExpr>(E);
4109    Out << "v110_SUBSTPACK";
4110    mangleFunctionParam(FPPE->getParameterPack());
4111    break;
4112  }
4113
4114  case Expr::DependentScopeDeclRefExprClass: {
4115    const DependentScopeDeclRefExpr *DRE = cast<DependentScopeDeclRefExpr>(E);
4116    mangleUnresolvedName(DRE->getQualifier(), DRE->getDeclName(),
4117                         DRE->getTemplateArgs(), DRE->getNumTemplateArgs(),
4118                         Arity);
4119    break;
4120  }
4121
4122  case Expr::CXXBindTemporaryExprClass:
4123    mangleExpression(cast<CXXBindTemporaryExpr>(E)->getSubExpr());
4124    break;
4125
4126  case Expr::ExprWithCleanupsClass:
4127    mangleExpression(cast<ExprWithCleanups>(E)->getSubExpr(), Arity);
4128    break;
4129
4130  case Expr::FloatingLiteralClass: {
4131    const FloatingLiteral *FL = cast<FloatingLiteral>(E);
4132    Out << 'L';
4133    mangleType(FL->getType());
4134    mangleFloat(FL->getValue());
4135    Out << 'E';
4136    break;
4137  }
4138
4139  case Expr::CharacterLiteralClass:
4140    Out << 'L';
4141    mangleType(E->getType());
4142    Out << cast<CharacterLiteral>(E)->getValue();
4143    Out << 'E';
4144    break;
4145
4146  // FIXME. __objc_yes/__objc_no are mangled same as true/false
4147  case Expr::ObjCBoolLiteralExprClass:
4148    Out << "Lb";
4149    Out << (cast<ObjCBoolLiteralExpr>(E)->getValue() ? '1' : '0');
4150    Out << 'E';
4151    break;
4152
4153  case Expr::CXXBoolLiteralExprClass:
4154    Out << "Lb";
4155    Out << (cast<CXXBoolLiteralExpr>(E)->getValue() ? '1' : '0');
4156    Out << 'E';
4157    break;
4158
4159  case Expr::IntegerLiteralClass: {
4160    llvm::APSInt Value(cast<IntegerLiteral>(E)->getValue());
4161    if (E->getType()->isSignedIntegerType())
4162      Value.setIsSigned(true);
4163    mangleIntegerLiteral(E->getType(), Value);
4164    break;
4165  }
4166
4167  case Expr::ImaginaryLiteralClass: {
4168    const ImaginaryLiteral *IE = cast<ImaginaryLiteral>(E);
4169    // Mangle as if a complex literal.
4170    // Proposal from David Vandevoorde, 2010.06.30.
4171    Out << 'L';
4172    mangleType(E->getType());
4173    if (const FloatingLiteral *Imag =
4174          dyn_cast<FloatingLiteral>(IE->getSubExpr())) {
4175      // Mangle a floating-point zero of the appropriate type.
4176      mangleFloat(llvm::APFloat(Imag->getValue().getSemantics()));
4177      Out << '_';
4178      mangleFloat(Imag->getValue());
4179    } else {
4180      Out << "0_";
4181      llvm::APSInt Value(cast<IntegerLiteral>(IE->getSubExpr())->getValue());
4182      if (IE->getSubExpr()->getType()->isSignedIntegerType())
4183        Value.setIsSigned(true);
4184      mangleNumber(Value);
4185    }
4186    Out << 'E';
4187    break;
4188  }
4189
4190  case Expr::StringLiteralClass: {
4191    // Revised proposal from David Vandervoorde, 2010.07.15.
4192    Out << 'L';
4193    (E->getType())", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4193, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(isa<ConstantArrayType>(E->getType()));
4194    mangleType(E->getType());
4195    Out << 'E';
4196    break;
4197  }
4198
4199  case Expr::GNUNullExprClass:
4200    // FIXME: should this really be mangled the same as nullptr?
4201    // fallthrough
4202
4203  case Expr::CXXNullPtrLiteralExprClass: {
4204    Out << "LDnE";
4205    break;
4206  }
4207
4208  case Expr::PackExpansionExprClass:
4209    Out << "sp";
4210    mangleExpression(cast<PackExpansionExpr>(E)->getPattern());
4211    break;
4212
4213  case Expr::SizeOfPackExprClass: {
4214    auto *SPE = cast<SizeOfPackExpr>(E);
4215    if (SPE->isPartiallySubstituted()) {
4216      Out << "sP";
4217      for (const auto &A : SPE->getPartialArguments())
4218        mangleTemplateArg(A);
4219      Out << "E";
4220      break;
4221    }
4222
4223    Out << "sZ";
4224    const NamedDecl *Pack = SPE->getPack();
4225    if (const TemplateTypeParmDecl *TTP = dyn_cast<TemplateTypeParmDecl>(Pack))
4226      mangleTemplateParameter(TTP->getIndex());
4227    else if (const NonTypeTemplateParmDecl *NTTP
4228                = dyn_cast<NonTypeTemplateParmDecl>(Pack))
4229      mangleTemplateParameter(NTTP->getIndex());
4230    else if (const TemplateTemplateParmDecl *TempTP
4231                                    = dyn_cast<TemplateTemplateParmDecl>(Pack))
4232      mangleTemplateParameter(TempTP->getIndex());
4233    else
4234      mangleFunctionParam(cast<ParmVarDecl>(Pack));
4235    break;
4236  }
4237
4238  case Expr::MaterializeTemporaryExprClass: {
4239    mangleExpression(cast<MaterializeTemporaryExpr>(E)->GetTemporaryExpr());
4240    break;
4241  }
4242
4243  case Expr::CXXFoldExprClass: {
4244    auto *FE = cast<CXXFoldExpr>(E);
4245    if (FE->isLeftFold())
4246      Out << (FE->getInit() ? "fL" : "fl");
4247    else
4248      Out << (FE->getInit() ? "fR" : "fr");
4249
4250    if (FE->getOperator() == BO_PtrMemD)
4251      Out << "ds";
4252    else
4253      mangleOperatorName(
4254          BinaryOperator::getOverloadedOperator(FE->getOperator()),
4255          /*Arity=*/2);
4256
4257    if (FE->getLHS())
4258      mangleExpression(FE->getLHS());
4259    if (FE->getRHS())
4260      mangleExpression(FE->getRHS());
4261    break;
4262  }
4263
4264  case Expr::CXXThisExprClass:
4265    Out << "fpT";
4266    break;
4267
4268  case Expr::CoawaitExprClass:
4269    // FIXME: Propose a non-vendor mangling.
4270    Out << "v18co_await";
4271    mangleExpression(cast<CoawaitExpr>(E)->getOperand());
4272    break;
4273
4274  case Expr::DependentCoawaitExprClass:
4275    // FIXME: Propose a non-vendor mangling.
4276    Out << "v18co_await";
4277    mangleExpression(cast<DependentCoawaitExpr>(E)->getOperand());
4278    break;
4279
4280  case Expr::CoyieldExprClass:
4281    // FIXME: Propose a non-vendor mangling.
4282    Out << "v18co_yield";
4283    mangleExpression(cast<CoawaitExpr>(E)->getOperand());
4284    break;
4285  }
4286}
4287
4288/// Mangle an expression which refers to a parameter variable.
4289///
4290/// <expression>     ::= <function-param>
4291/// <function-param> ::= fp <top-level CV-qualifiers> _      # L == 0, I == 0
4292/// <function-param> ::= fp <top-level CV-qualifiers>
4293///                      <parameter-2 non-negative number> _ # L == 0, I > 0
4294/// <function-param> ::= fL <L-1 non-negative number>
4295///                      p <top-level CV-qualifiers> _       # L > 0, I == 0
4296/// <function-param> ::= fL <L-1 non-negative number>
4297///                      p <top-level CV-qualifiers>
4298///                      <I-1 non-negative number> _         # L > 0, I > 0
4299///
4300/// L is the nesting depth of the parameter, defined as 1 if the
4301/// parameter comes from the innermost function prototype scope
4302/// enclosing the current context, 2 if from the next enclosing
4303/// function prototype scope, and so on, with one special case: if
4304/// we've processed the full parameter clause for the innermost
4305/// function type, then L is one less.  This definition conveniently
4306/// makes it irrelevant whether a function's result type was written
4307/// trailing or leading, but is otherwise overly complicated; the
4308/// numbering was first designed without considering references to
4309/// parameter in locations other than return types, and then the
4310/// mangling had to be generalized without changing the existing
4311/// manglings.
4312///
4313/// I is the zero-based index of the parameter within its parameter
4314/// declaration clause.  Note that the original ABI document describes
4315/// this using 1-based ordinals.
4316void CXXNameMangler::mangleFunctionParam(const ParmVarDecl *parm) {
4317  unsigned parmDepth = parm->getFunctionScopeDepth();
4318  unsigned parmIndex = parm->getFunctionScopeIndex();
4319
4320  // Compute 'L'.
4321  // parmDepth does not include the declaring function prototype.
4322  // FunctionTypeDepth does account for that.
4323  assert(parmDepth < FunctionTypeDepth.getDepth());
4324  unsigned nestingDepth = FunctionTypeDepth.getDepth() - parmDepth;
4325  if (FunctionTypeDepth.isInResultType())
4326    nestingDepth--;
4327
4328  if (nestingDepth == 0) {
4329    Out << "fp";
4330  } else {
4331    Out << "fL" << (nestingDepth - 1) << 'p';
4332  }
4333
4334  // Top-level qualifiers.  We don't have to worry about arrays here,
4335  // because parameters declared as arrays should already have been
4336  // transformed to have pointer type. FIXME: apparently these don't
4337  // get mangled if used as an rvalue of a known non-class type?
4338   (0) . __assert_fail ("!parm->getType()->isArrayType() && \"parameter's type is still an array type?\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4339, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!parm->getType()->isArrayType()
4339 (0) . __assert_fail ("!parm->getType()->isArrayType() && \"parameter's type is still an array type?\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4339, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">         && "parameter's type is still an array type?");
4340
4341  if (const DependentAddressSpaceType *DAST =
4342      dyn_cast<DependentAddressSpaceType>(parm->getType())) {
4343    mangleQualifiers(DAST->getPointeeType().getQualifiers(), DAST);
4344  } else {
4345    mangleQualifiers(parm->getType().getQualifiers());
4346  }
4347
4348  // Parameter index.
4349  if (parmIndex != 0) {
4350    Out << (parmIndex - 1);
4351  }
4352  Out << '_';
4353}
4354
4355void CXXNameMangler::mangleCXXCtorType(CXXCtorType T,
4356                                       const CXXRecordDecl *InheritedFrom) {
4357  // <ctor-dtor-name> ::= C1  # complete object constructor
4358  //                  ::= C2  # base object constructor
4359  //                  ::= CI1 <type> # complete inheriting constructor
4360  //                  ::= CI2 <type> # base inheriting constructor
4361  //
4362  // In addition, C5 is a comdat name with C1 and C2 in it.
4363  Out << 'C';
4364  if (InheritedFrom)
4365    Out << 'I';
4366  switch (T) {
4367  case Ctor_Complete:
4368    Out << '1';
4369    break;
4370  case Ctor_Base:
4371    Out << '2';
4372    break;
4373  case Ctor_Comdat:
4374    Out << '5';
4375    break;
4376  case Ctor_DefaultClosure:
4377  case Ctor_CopyingClosure:
4378    llvm_unreachable("closure constructors don't exist for the Itanium ABI!");
4379  }
4380  if (InheritedFrom)
4381    mangleName(InheritedFrom);
4382}
4383
4384void CXXNameMangler::mangleCXXDtorType(CXXDtorType T) {
4385  // <ctor-dtor-name> ::= D0  # deleting destructor
4386  //                  ::= D1  # complete object destructor
4387  //                  ::= D2  # base object destructor
4388  //
4389  // In addition, D5 is a comdat name with D1, D2 and, if virtual, D0 in it.
4390  switch (T) {
4391  case Dtor_Deleting:
4392    Out << "D0";
4393    break;
4394  case Dtor_Complete:
4395    Out << "D1";
4396    break;
4397  case Dtor_Base:
4398    Out << "D2";
4399    break;
4400  case Dtor_Comdat:
4401    Out << "D5";
4402    break;
4403  }
4404}
4405
4406void CXXNameMangler::mangleTemplateArgs(const TemplateArgumentLoc *TemplateArgs,
4407                                        unsigned NumTemplateArgs) {
4408  // <template-args> ::= I <template-arg>+ E
4409  Out << 'I';
4410  for (unsigned i = 0i != NumTemplateArgs; ++i)
4411    mangleTemplateArg(TemplateArgs[i].getArgument());
4412  Out << 'E';
4413}
4414
4415void CXXNameMangler::mangleTemplateArgs(const TemplateArgumentList &AL) {
4416  // <template-args> ::= I <template-arg>+ E
4417  Out << 'I';
4418  for (unsigned i = 0e = AL.size(); i != e; ++i)
4419    mangleTemplateArg(AL[i]);
4420  Out << 'E';
4421}
4422
4423void CXXNameMangler::mangleTemplateArgs(const TemplateArgument *TemplateArgs,
4424                                        unsigned NumTemplateArgs) {
4425  // <template-args> ::= I <template-arg>+ E
4426  Out << 'I';
4427  for (unsigned i = 0i != NumTemplateArgs; ++i)
4428    mangleTemplateArg(TemplateArgs[i]);
4429  Out << 'E';
4430}
4431
4432void CXXNameMangler::mangleTemplateArg(TemplateArgument A) {
4433  // <template-arg> ::= <type>              # type or template
4434  //                ::= X <expression> E    # expression
4435  //                ::= <expr-primary>      # simple expressions
4436  //                ::= J <template-arg>* E # argument pack
4437  if (!A.isInstantiationDependent() || A.isDependent())
4438    A = Context.getASTContext().getCanonicalTemplateArgument(A);
4439
4440  switch (A.getKind()) {
4441  case TemplateArgument::Null:
4442    llvm_unreachable("Cannot mangle NULL template argument");
4443
4444  case TemplateArgument::Type:
4445    mangleType(A.getAsType());
4446    break;
4447  case TemplateArgument::Template:
4448    // This is mangled as <type>.
4449    mangleType(A.getAsTemplate());
4450    break;
4451  case TemplateArgument::TemplateExpansion:
4452    // <type>  ::= Dp <type>          # pack expansion (C++0x)
4453    Out << "Dp";
4454    mangleType(A.getAsTemplateOrTemplatePattern());
4455    break;
4456  case TemplateArgument::Expression: {
4457    // It's possible to end up with a DeclRefExpr here in certain
4458    // dependent cases, in which case we should mangle as a
4459    // declaration.
4460    const Expr *E = A.getAsExpr()->IgnoreParens();
4461    if (const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) {
4462      const ValueDecl *D = DRE->getDecl();
4463      if (isa<VarDecl>(D) || isa<FunctionDecl>(D)) {
4464        Out << 'L';
4465        mangle(D);
4466        Out << 'E';
4467        break;
4468      }
4469    }
4470
4471    Out << 'X';
4472    mangleExpression(E);
4473    Out << 'E';
4474    break;
4475  }
4476  case TemplateArgument::Integral:
4477    mangleIntegerLiteral(A.getIntegralType(), A.getAsIntegral());
4478    break;
4479  case TemplateArgument::Declaration: {
4480    //  <expr-primary> ::= L <mangled-name> E # external name
4481    // Clang produces AST's where pointer-to-member-function expressions
4482    // and pointer-to-function expressions are represented as a declaration not
4483    // an expression. We compensate for it here to produce the correct mangling.
4484    ValueDecl *D = A.getAsDecl();
4485    bool compensateMangling = !A.getParamTypeForDecl()->isReferenceType();
4486    if (compensateMangling) {
4487      Out << 'X';
4488      mangleOperatorName(OO_Amp1);
4489    }
4490
4491    Out << 'L';
4492    // References to external entities use the mangled name; if the name would
4493    // not normally be mangled then mangle it as unqualified.
4494    mangle(D);
4495    Out << 'E';
4496
4497    if (compensateMangling)
4498      Out << 'E';
4499
4500    break;
4501  }
4502  case TemplateArgument::NullPtr: {
4503    //  <expr-primary> ::= L <type> 0 E
4504    Out << 'L';
4505    mangleType(A.getNullPtrType());
4506    Out << "0E";
4507    break;
4508  }
4509  case TemplateArgument::Pack: {
4510    //  <template-arg> ::= J <template-arg>* E
4511    Out << 'J';
4512    for (const auto &P : A.pack_elements())
4513      mangleTemplateArg(P);
4514    Out << 'E';
4515  }
4516  }
4517}
4518
4519void CXXNameMangler::mangleTemplateParameter(unsigned Index) {
4520  // <template-param> ::= T_    # first template parameter
4521  //                  ::= T <parameter-2 non-negative number> _
4522  if (Index == 0)
4523    Out << "T_";
4524  else
4525    Out << 'T' << (Index - 1) << '_';
4526}
4527
4528void CXXNameMangler::mangleSeqID(unsigned SeqID) {
4529  if (SeqID == 1)
4530    Out << '0';
4531  else if (SeqID > 1) {
4532    SeqID--;
4533
4534    // <seq-id> is encoded in base-36, using digits and upper case letters.
4535    char Buffer[7]; // log(2**32) / log(36) ~= 7
4536    MutableArrayRef<charBufferRef(Buffer);
4537    MutableArrayRef<char>::reverse_iterator I = BufferRef.rbegin();
4538
4539    for (; SeqID != 0SeqID /= 36) {
4540      unsigned C = SeqID % 36;
4541      *I++ = (C < 10 ? '0' + C : 'A' + C - 10);
4542    }
4543
4544    Out.write(I.base(), I - BufferRef.rbegin());
4545  }
4546  Out << '_';
4547}
4548
4549void CXXNameMangler::mangleExistingSubstitution(TemplateName tname) {
4550  bool result = mangleSubstitution(tname);
4551   (0) . __assert_fail ("result && \"no existing substitution for template name\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4551, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(result && "no existing substitution for template name");
4552  (voidresult;
4553}
4554
4555// <substitution> ::= S <seq-id> _
4556//                ::= S_
4557bool CXXNameMangler::mangleSubstitution(const NamedDecl *ND) {
4558  // Try one of the standard substitutions first.
4559  if (mangleStandardSubstitution(ND))
4560    return true;
4561
4562  ND = cast<NamedDecl>(ND->getCanonicalDecl());
4563  return mangleSubstitution(reinterpret_cast<uintptr_t>(ND));
4564}
4565
4566/// Determine whether the given type has any qualifiers that are relevant for
4567/// substitutions.
4568static bool hasMangledSubstitutionQualifiers(QualType T) {
4569  Qualifiers Qs = T.getQualifiers();
4570  return Qs.getCVRQualifiers() || Qs.hasAddressSpace() || Qs.hasUnaligned();
4571}
4572
4573bool CXXNameMangler::mangleSubstitution(QualType T) {
4574  if (!hasMangledSubstitutionQualifiers(T)) {
4575    if (const RecordType *RT = T->getAs<RecordType>())
4576      return mangleSubstitution(RT->getDecl());
4577  }
4578
4579  uintptr_t TypePtr = reinterpret_cast<uintptr_t>(T.getAsOpaquePtr());
4580
4581  return mangleSubstitution(TypePtr);
4582}
4583
4584bool CXXNameMangler::mangleSubstitution(TemplateName Template) {
4585  if (TemplateDecl *TD = Template.getAsTemplateDecl())
4586    return mangleSubstitution(TD);
4587
4588  Template = Context.getASTContext().getCanonicalTemplateName(Template);
4589  return mangleSubstitution(
4590                      reinterpret_cast<uintptr_t>(Template.getAsVoidPointer()));
4591}
4592
4593bool CXXNameMangler::mangleSubstitution(uintptr_t Ptr) {
4594  llvm::DenseMap<uintptr_t, unsigned>::iterator I = Substitutions.find(Ptr);
4595  if (I == Substitutions.end())
4596    return false;
4597
4598  unsigned SeqID = I->second;
4599  Out << 'S';
4600  mangleSeqID(SeqID);
4601
4602  return true;
4603}
4604
4605static bool isCharType(QualType T) {
4606  if (T.isNull())
4607    return false;
4608
4609  return T->isSpecificBuiltinType(BuiltinType::Char_S) ||
4610    T->isSpecificBuiltinType(BuiltinType::Char_U);
4611}
4612
4613/// Returns whether a given type is a template specialization of a given name
4614/// with a single argument of type char.
4615static bool isCharSpecialization(QualType Tconst char *Name) {
4616  if (T.isNull())
4617    return false;
4618
4619  const RecordType *RT = T->getAs<RecordType>();
4620  if (!RT)
4621    return false;
4622
4623  const ClassTemplateSpecializationDecl *SD =
4624    dyn_cast<ClassTemplateSpecializationDecl>(RT->getDecl());
4625  if (!SD)
4626    return false;
4627
4628  if (!isStdNamespace(getEffectiveDeclContext(SD)))
4629    return false;
4630
4631  const TemplateArgumentList &TemplateArgs = SD->getTemplateArgs();
4632  if (TemplateArgs.size() != 1)
4633    return false;
4634
4635  if (!isCharType(TemplateArgs[0].getAsType()))
4636    return false;
4637
4638  return SD->getIdentifier()->getName() == Name;
4639}
4640
4641template <std::size_t StrLen>
4642static bool isStreamCharSpecialization(const ClassTemplateSpecializationDecl*SD,
4643                                       const char (&Str)[StrLen]) {
4644  if (!SD->getIdentifier()->isStr(Str))
4645    return false;
4646
4647  const TemplateArgumentList &TemplateArgs = SD->getTemplateArgs();
4648  if (TemplateArgs.size() != 2)
4649    return false;
4650
4651  if (!isCharType(TemplateArgs[0].getAsType()))
4652    return false;
4653
4654  if (!isCharSpecialization(TemplateArgs[1].getAsType(), "char_traits"))
4655    return false;
4656
4657  return true;
4658}
4659
4660bool CXXNameMangler::mangleStandardSubstitution(const NamedDecl *ND) {
4661  // <substitution> ::= St # ::std::
4662  if (const NamespaceDecl *NS = dyn_cast<NamespaceDecl>(ND)) {
4663    if (isStd(NS)) {
4664      Out << "St";
4665      return true;
4666    }
4667  }
4668
4669  if (const ClassTemplateDecl *TD = dyn_cast<ClassTemplateDecl>(ND)) {
4670    if (!isStdNamespace(getEffectiveDeclContext(TD)))
4671      return false;
4672
4673    // <substitution> ::= Sa # ::std::allocator
4674    if (TD->getIdentifier()->isStr("allocator")) {
4675      Out << "Sa";
4676      return true;
4677    }
4678
4679    // <<substitution> ::= Sb # ::std::basic_string
4680    if (TD->getIdentifier()->isStr("basic_string")) {
4681      Out << "Sb";
4682      return true;
4683    }
4684  }
4685
4686  if (const ClassTemplateSpecializationDecl *SD =
4687        dyn_cast<ClassTemplateSpecializationDecl>(ND)) {
4688    if (!isStdNamespace(getEffectiveDeclContext(SD)))
4689      return false;
4690
4691    //    <substitution> ::= Ss # ::std::basic_string<char,
4692    //                            ::std::char_traits<char>,
4693    //                            ::std::allocator<char> >
4694    if (SD->getIdentifier()->isStr("basic_string")) {
4695      const TemplateArgumentList &TemplateArgs = SD->getTemplateArgs();
4696
4697      if (TemplateArgs.size() != 3)
4698        return false;
4699
4700      if (!isCharType(TemplateArgs[0].getAsType()))
4701        return false;
4702
4703      if (!isCharSpecialization(TemplateArgs[1].getAsType(), "char_traits"))
4704        return false;
4705
4706      if (!isCharSpecialization(TemplateArgs[2].getAsType(), "allocator"))
4707        return false;
4708
4709      Out << "Ss";
4710      return true;
4711    }
4712
4713    //    <substitution> ::= Si # ::std::basic_istream<char,
4714    //                            ::std::char_traits<char> >
4715    if (isStreamCharSpecialization(SD"basic_istream")) {
4716      Out << "Si";
4717      return true;
4718    }
4719
4720    //    <substitution> ::= So # ::std::basic_ostream<char,
4721    //                            ::std::char_traits<char> >
4722    if (isStreamCharSpecialization(SD"basic_ostream")) {
4723      Out << "So";
4724      return true;
4725    }
4726
4727    //    <substitution> ::= Sd # ::std::basic_iostream<char,
4728    //                            ::std::char_traits<char> >
4729    if (isStreamCharSpecialization(SD"basic_iostream")) {
4730      Out << "Sd";
4731      return true;
4732    }
4733  }
4734  return false;
4735}
4736
4737void CXXNameMangler::addSubstitution(QualType T) {
4738  if (!hasMangledSubstitutionQualifiers(T)) {
4739    if (const RecordType *RT = T->getAs<RecordType>()) {
4740      addSubstitution(RT->getDecl());
4741      return;
4742    }
4743  }
4744
4745  uintptr_t TypePtr = reinterpret_cast<uintptr_t>(T.getAsOpaquePtr());
4746  addSubstitution(TypePtr);
4747}
4748
4749void CXXNameMangler::addSubstitution(TemplateName Template) {
4750  if (TemplateDecl *TD = Template.getAsTemplateDecl())
4751    return addSubstitution(TD);
4752
4753  Template = Context.getASTContext().getCanonicalTemplateName(Template);
4754  addSubstitution(reinterpret_cast<uintptr_t>(Template.getAsVoidPointer()));
4755}
4756
4757void CXXNameMangler::addSubstitution(uintptr_t Ptr) {
4758   (0) . __assert_fail ("!Substitutions.count(Ptr) && \"Substitution already exists!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4758, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!Substitutions.count(Ptr) && "Substitution already exists!");
4759  Substitutions[Ptr] = SeqID++;
4760}
4761
4762void CXXNameMangler::extendSubstitutions(CXXNameManglerOther) {
4763   (0) . __assert_fail ("Other->SeqID >= SeqID && \"Must be superset of substitutions!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4763, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(Other->SeqID >= SeqID && "Must be superset of substitutions!");
4764  if (Other->SeqID > SeqID) {
4765    Substitutions.swap(Other->Substitutions);
4766    SeqID = Other->SeqID;
4767  }
4768}
4769
4770CXXNameMangler::AbiTagList
4771CXXNameMangler::makeFunctionReturnTypeTags(const FunctionDecl *FD) {
4772  // When derived abi tags are disabled there is no need to make any list.
4773  if (DisableDerivedAbiTags)
4774    return AbiTagList();
4775
4776  llvm::raw_null_ostream NullOutStream;
4777  CXXNameMangler TrackReturnTypeTags(*this, NullOutStream);
4778  TrackReturnTypeTags.disableDerivedAbiTags();
4779
4780  const FunctionProtoType *Proto =
4781      cast<FunctionProtoType>(FD->getType()->getAs<FunctionType>());
4782  FunctionTypeDepthState saved = TrackReturnTypeTags.FunctionTypeDepth.push();
4783  TrackReturnTypeTags.FunctionTypeDepth.enterResultType();
4784  TrackReturnTypeTags.mangleType(Proto->getReturnType());
4785  TrackReturnTypeTags.FunctionTypeDepth.leaveResultType();
4786  TrackReturnTypeTags.FunctionTypeDepth.pop(saved);
4787
4788  return TrackReturnTypeTags.AbiTagsRoot.getSortedUniqueUsedAbiTags();
4789}
4790
4791CXXNameMangler::AbiTagList
4792CXXNameMangler::makeVariableTypeTags(const VarDecl *VD) {
4793  // When derived abi tags are disabled there is no need to make any list.
4794  if (DisableDerivedAbiTags)
4795    return AbiTagList();
4796
4797  llvm::raw_null_ostream NullOutStream;
4798  CXXNameMangler TrackVariableType(*this, NullOutStream);
4799  TrackVariableType.disableDerivedAbiTags();
4800
4801  TrackVariableType.mangleType(VD->getType());
4802
4803  return TrackVariableType.AbiTagsRoot.getSortedUniqueUsedAbiTags();
4804}
4805
4806bool CXXNameMangler::shouldHaveAbiTags(ItaniumMangleContextImpl &C,
4807                                       const VarDecl *VD) {
4808  llvm::raw_null_ostream NullOutStream;
4809  CXXNameMangler TrackAbiTags(C, NullOutStream, nullptrtrue);
4810  TrackAbiTags.mangle(VD);
4811  return TrackAbiTags.AbiTagsRoot.getUsedAbiTags().size();
4812}
4813
4814//
4815
4816/// Mangles the name of the declaration D and emits that name to the given
4817/// output stream.
4818///
4819/// If the declaration D requires a mangled name, this routine will emit that
4820/// mangled name to \p os and return true. Otherwise, \p os will be unchanged
4821/// and this routine will return false. In this case, the caller should just
4822/// emit the identifier of the declaration (\c D->getIdentifier()) as its
4823/// name.
4824void ItaniumMangleContextImpl::mangleCXXName(const NamedDecl *D,
4825                                             raw_ostream &Out) {
4826   (0) . __assert_fail ("(isa(D) || isa(D)) && \"Invalid mangleName() call, argument is not a variable or function!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4827, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert((isa<FunctionDecl>(D) || isa<VarDecl>(D)) &&
4827 (0) . __assert_fail ("(isa(D) || isa(D)) && \"Invalid mangleName() call, argument is not a variable or function!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4827, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">          "Invalid mangleName() call, argument is not a variable or function!");
4828   (0) . __assert_fail ("!isa(D) && !isa(D) && \"Invalid mangleName() call on 'structor decl!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4829, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!isa<CXXConstructorDecl>(D) && !isa<CXXDestructorDecl>(D) &&
4829 (0) . __assert_fail ("!isa(D) && !isa(D) && \"Invalid mangleName() call on 'structor decl!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4829, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">         "Invalid mangleName() call on 'structor decl!");
4830
4831  PrettyStackTraceDecl CrashInfo(DSourceLocation(),
4832                                 getASTContext().getSourceManager(),
4833                                 "Mangling declaration");
4834
4835  CXXNameMangler Mangler(*thisOutD);
4836  Mangler.mangle(D);
4837}
4838
4839void ItaniumMangleContextImpl::mangleCXXCtor(const CXXConstructorDecl *D,
4840                                             CXXCtorType Type,
4841                                             raw_ostream &Out) {
4842  CXXNameMangler Mangler(*thisOutDType);
4843  Mangler.mangle(D);
4844}
4845
4846void ItaniumMangleContextImpl::mangleCXXDtor(const CXXDestructorDecl *D,
4847                                             CXXDtorType Type,
4848                                             raw_ostream &Out) {
4849  CXXNameMangler Mangler(*thisOutDType);
4850  Mangler.mangle(D);
4851}
4852
4853void ItaniumMangleContextImpl::mangleCXXCtorComdat(const CXXConstructorDecl *D,
4854                                                   raw_ostream &Out) {
4855  CXXNameMangler Mangler(*thisOutDCtor_Comdat);
4856  Mangler.mangle(D);
4857}
4858
4859void ItaniumMangleContextImpl::mangleCXXDtorComdat(const CXXDestructorDecl *D,
4860                                                   raw_ostream &Out) {
4861  CXXNameMangler Mangler(*thisOutDDtor_Comdat);
4862  Mangler.mangle(D);
4863}
4864
4865void ItaniumMangleContextImpl::mangleThunk(const CXXMethodDecl *MD,
4866                                           const ThunkInfo &Thunk,
4867                                           raw_ostream &Out) {
4868  //  <special-name> ::= T <call-offset> <base encoding>
4869  //                      # base is the nominal target function of thunk
4870  //  <special-name> ::= Tc <call-offset> <call-offset> <base encoding>
4871  //                      # base is the nominal target function of thunk
4872  //                      # first call-offset is 'this' adjustment
4873  //                      # second call-offset is result adjustment
4874
4875   (0) . __assert_fail ("!isa(MD) && \"Use mangleCXXDtor for destructor decls!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4876, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!isa<CXXDestructorDecl>(MD) &&
4876 (0) . __assert_fail ("!isa(MD) && \"Use mangleCXXDtor for destructor decls!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4876, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">         "Use mangleCXXDtor for destructor decls!");
4877  CXXNameMangler Mangler(*thisOut);
4878  Mangler.getStream() << "_ZT";
4879  if (!Thunk.Return.isEmpty())
4880    Mangler.getStream() << 'c';
4881
4882  // Mangle the 'this' pointer adjustment.
4883  Mangler.mangleCallOffset(Thunk.This.NonVirtual,
4884                           Thunk.This.Virtual.Itanium.VCallOffsetOffset);
4885
4886  // Mangle the return pointer adjustment if there is one.
4887  if (!Thunk.Return.isEmpty())
4888    Mangler.mangleCallOffset(Thunk.Return.NonVirtual,
4889                             Thunk.Return.Virtual.Itanium.VBaseOffsetOffset);
4890
4891  Mangler.mangleFunctionEncoding(MD);
4892}
4893
4894void ItaniumMangleContextImpl::mangleCXXDtorThunk(
4895    const CXXDestructorDecl *DDCXXDtorType Type,
4896    const ThisAdjustment &ThisAdjustmentraw_ostream &Out) {
4897  //  <special-name> ::= T <call-offset> <base encoding>
4898  //                      # base is the nominal target function of thunk
4899  CXXNameMangler Mangler(*thisOutDDType);
4900  Mangler.getStream() << "_ZT";
4901
4902  // Mangle the 'this' pointer adjustment.
4903  Mangler.mangleCallOffset(ThisAdjustment.NonVirtual,
4904                           ThisAdjustment.Virtual.Itanium.VCallOffsetOffset);
4905
4906  Mangler.mangleFunctionEncoding(DD);
4907}
4908
4909/// Returns the mangled name for a guard variable for the passed in VarDecl.
4910void ItaniumMangleContextImpl::mangleStaticGuardVariable(const VarDecl *D,
4911                                                         raw_ostream &Out) {
4912  //  <special-name> ::= GV <object name>       # Guard variable for one-time
4913  //                                            # initialization
4914  CXXNameMangler Mangler(*thisOut);
4915  // GCC 5.3.0 doesn't emit derived ABI tags for local names but that seems to
4916  // be a bug that is fixed in trunk.
4917  Mangler.getStream() << "_ZGV";
4918  Mangler.mangleName(D);
4919}
4920
4921void ItaniumMangleContextImpl::mangleDynamicInitializer(const VarDecl *MD,
4922                                                        raw_ostream &Out) {
4923  // These symbols are internal in the Itanium ABI, so the names don't matter.
4924  // Clang has traditionally used this symbol and allowed LLVM to adjust it to
4925  // avoid duplicate symbols.
4926  Out << "__cxx_global_var_init";
4927}
4928
4929void ItaniumMangleContextImpl::mangleDynamicAtExitDestructor(const VarDecl *D,
4930                                                             raw_ostream &Out) {
4931  // Prefix the mangling of D with __dtor_.
4932  CXXNameMangler Mangler(*thisOut);
4933  Mangler.getStream() << "__dtor_";
4934  if (shouldMangleDeclName(D))
4935    Mangler.mangle(D);
4936  else
4937    Mangler.getStream() << D->getName();
4938}
4939
4940void ItaniumMangleContextImpl::mangleSEHFilterExpression(
4941    const NamedDecl *EnclosingDeclraw_ostream &Out) {
4942  CXXNameMangler Mangler(*thisOut);
4943  Mangler.getStream() << "__filt_";
4944  if (shouldMangleDeclName(EnclosingDecl))
4945    Mangler.mangle(EnclosingDecl);
4946  else
4947    Mangler.getStream() << EnclosingDecl->getName();
4948}
4949
4950void ItaniumMangleContextImpl::mangleSEHFinallyBlock(
4951    const NamedDecl *EnclosingDeclraw_ostream &Out) {
4952  CXXNameMangler Mangler(*thisOut);
4953  Mangler.getStream() << "__fin_";
4954  if (shouldMangleDeclName(EnclosingDecl))
4955    Mangler.mangle(EnclosingDecl);
4956  else
4957    Mangler.getStream() << EnclosingDecl->getName();
4958}
4959
4960void ItaniumMangleContextImpl::mangleItaniumThreadLocalInit(const VarDecl *D,
4961                                                            raw_ostream &Out) {
4962  //  <special-name> ::= TH <object name>
4963  CXXNameMangler Mangler(*thisOut);
4964  Mangler.getStream() << "_ZTH";
4965  Mangler.mangleName(D);
4966}
4967
4968void
4969ItaniumMangleContextImpl::mangleItaniumThreadLocalWrapper(const VarDecl *D,
4970                                                          raw_ostream &Out) {
4971  //  <special-name> ::= TW <object name>
4972  CXXNameMangler Mangler(*thisOut);
4973  Mangler.getStream() << "_ZTW";
4974  Mangler.mangleName(D);
4975}
4976
4977void ItaniumMangleContextImpl::mangleReferenceTemporary(const VarDecl *D,
4978                                                        unsigned ManglingNumber,
4979                                                        raw_ostream &Out) {
4980  // We match the GCC mangling here.
4981  //  <special-name> ::= GR <object name>
4982  CXXNameMangler Mangler(*thisOut);
4983  Mangler.getStream() << "_ZGR";
4984  Mangler.mangleName(D);
4985   (0) . __assert_fail ("ManglingNumber > 0 && \"Reference temporary mangling number is zero!\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 4985, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(ManglingNumber > 0 && "Reference temporary mangling number is zero!");
4986  Mangler.mangleSeqID(ManglingNumber - 1);
4987}
4988
4989void ItaniumMangleContextImpl::mangleCXXVTable(const CXXRecordDecl *RD,
4990                                               raw_ostream &Out) {
4991  // <special-name> ::= TV <type>  # virtual table
4992  CXXNameMangler Mangler(*thisOut);
4993  Mangler.getStream() << "_ZTV";
4994  Mangler.mangleNameOrStandardSubstitution(RD);
4995}
4996
4997void ItaniumMangleContextImpl::mangleCXXVTT(const CXXRecordDecl *RD,
4998                                            raw_ostream &Out) {
4999  // <special-name> ::= TT <type>  # VTT structure
5000  CXXNameMangler Mangler(*thisOut);
5001  Mangler.getStream() << "_ZTT";
5002  Mangler.mangleNameOrStandardSubstitution(RD);
5003}
5004
5005void ItaniumMangleContextImpl::mangleCXXCtorVTable(const CXXRecordDecl *RD,
5006                                                   int64_t Offset,
5007                                                   const CXXRecordDecl *Type,
5008                                                   raw_ostream &Out) {
5009  // <special-name> ::= TC <type> <offset number> _ <base type>
5010  CXXNameMangler Mangler(*thisOut);
5011  Mangler.getStream() << "_ZTC";
5012  Mangler.mangleNameOrStandardSubstitution(RD);
5013  Mangler.getStream() << Offset;
5014  Mangler.getStream() << '_';
5015  Mangler.mangleNameOrStandardSubstitution(Type);
5016}
5017
5018void ItaniumMangleContextImpl::mangleCXXRTTI(QualType Tyraw_ostream &Out) {
5019  // <special-name> ::= TI <type>  # typeinfo structure
5020   (0) . __assert_fail ("!Ty.hasQualifiers() && \"RTTI info cannot have top-level qualifiers\"", "/home/seafit/code_projects/clang_source/clang/lib/AST/ItaniumMangle.cpp", 5020, __PRETTY_FUNCTION__))" file_link="../../../include/assert.h.html#88" macro="true">assert(!Ty.hasQualifiers() && "RTTI info cannot have top-level qualifiers");
5021  CXXNameMangler Mangler(*thisOut);
5022  Mangler.getStream() << "_ZTI";
5023  Mangler.mangleType(Ty);
5024}
5025
5026void ItaniumMangleContextImpl::mangleCXXRTTIName(QualType Ty,
5027                                                 raw_ostream &Out) {
5028  // <special-name> ::= TS <type>  # typeinfo name (null terminated byte string)
5029  CXXNameMangler Mangler(*thisOut);
5030  Mangler.getStream() << "_ZTS";
5031  Mangler.mangleType(Ty);
5032}
5033
5034void ItaniumMangleContextImpl::mangleTypeName(QualType Tyraw_ostream &Out) {
5035  mangleCXXRTTIName(TyOut);
5036}
5037
5038void ItaniumMangleContextImpl::mangleStringLiteral(const StringLiteral *, raw_ostream &) {
5039  llvm_unreachable("Can't mangle string literals");
5040}
5041
5042ItaniumMangleContext *
5043ItaniumMangleContext::create(ASTContext &ContextDiagnosticsEngine &Diags) {
5044  return new ItaniumMangleContextImpl(Context, Diags);
5045}
5046
clang::ItaniumMangleContext::create