blob: ca546d5fc63fa953db3954e74c87ddbb3323a971 [file] [log] [blame]
Guy Benyei11169dd2012-12-18 14:30:41 +00001//===--- ItaniumMangle.cpp - Itanium C++ Name Mangling ----------*- C++ -*-===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// Implements C++ name mangling according to the Itanium C++ ABI,
11// which is used in GCC 3.2 and newer (and many compilers that are
12// ABI-compatible with GCC):
13//
David Majnemer98559942013-12-13 00:54:42 +000014// http://mentorembedded.github.io/cxx-abi/abi.html#mangling
Guy Benyei11169dd2012-12-18 14:30:41 +000015//
16//===----------------------------------------------------------------------===//
17#include "clang/AST/Mangle.h"
18#include "clang/AST/ASTContext.h"
19#include "clang/AST/Attr.h"
20#include "clang/AST/Decl.h"
21#include "clang/AST/DeclCXX.h"
22#include "clang/AST/DeclObjC.h"
23#include "clang/AST/DeclTemplate.h"
24#include "clang/AST/ExprCXX.h"
25#include "clang/AST/ExprObjC.h"
26#include "clang/AST/TypeLoc.h"
27#include "clang/Basic/ABI.h"
28#include "clang/Basic/SourceManager.h"
29#include "clang/Basic/TargetInfo.h"
30#include "llvm/ADT/StringExtras.h"
31#include "llvm/Support/ErrorHandling.h"
32#include "llvm/Support/raw_ostream.h"
33
34#define MANGLE_CHECKER 0
35
36#if MANGLE_CHECKER
37#include <cxxabi.h>
38#endif
39
40using namespace clang;
41
42namespace {
43
44/// \brief Retrieve the declaration context that should be used when mangling
45/// the given declaration.
46static const DeclContext *getEffectiveDeclContext(const Decl *D) {
47 // The ABI assumes that lambda closure types that occur within
48 // default arguments live in the context of the function. However, due to
49 // the way in which Clang parses and creates function declarations, this is
50 // not the case: the lambda closure type ends up living in the context
51 // where the function itself resides, because the function declaration itself
52 // had not yet been created. Fix the context here.
53 if (const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(D)) {
54 if (RD->isLambda())
55 if (ParmVarDecl *ContextParam
56 = dyn_cast_or_null<ParmVarDecl>(RD->getLambdaContextDecl()))
57 return ContextParam->getDeclContext();
58 }
Eli Friedman0cd23352013-07-10 01:33:19 +000059
60 // Perform the same check for block literals.
61 if (const BlockDecl *BD = dyn_cast<BlockDecl>(D)) {
62 if (ParmVarDecl *ContextParam
63 = dyn_cast_or_null<ParmVarDecl>(BD->getBlockManglingContextDecl()))
64 return ContextParam->getDeclContext();
65 }
Guy Benyei11169dd2012-12-18 14:30:41 +000066
Eli Friedman95f50122013-07-02 17:52:28 +000067 const DeclContext *DC = D->getDeclContext();
68 if (const CapturedDecl *CD = dyn_cast<CapturedDecl>(DC))
69 return getEffectiveDeclContext(CD);
70
71 return DC;
Guy Benyei11169dd2012-12-18 14:30:41 +000072}
73
74static const DeclContext *getEffectiveParentContext(const DeclContext *DC) {
75 return getEffectiveDeclContext(cast<Decl>(DC));
76}
Eli Friedman95f50122013-07-02 17:52:28 +000077
78static bool isLocalContainerContext(const DeclContext *DC) {
79 return isa<FunctionDecl>(DC) || isa<ObjCMethodDecl>(DC) || isa<BlockDecl>(DC);
80}
81
Eli Friedmaneecc09a2013-07-05 20:27:40 +000082static const RecordDecl *GetLocalClassDecl(const Decl *D) {
Eli Friedman92821742013-07-02 02:01:18 +000083 const DeclContext *DC = getEffectiveDeclContext(D);
Guy Benyei11169dd2012-12-18 14:30:41 +000084 while (!DC->isNamespace() && !DC->isTranslationUnit()) {
Eli Friedman95f50122013-07-02 17:52:28 +000085 if (isLocalContainerContext(DC))
Eli Friedmaneecc09a2013-07-05 20:27:40 +000086 return dyn_cast<RecordDecl>(D);
Eli Friedman92821742013-07-02 02:01:18 +000087 D = cast<Decl>(DC);
88 DC = getEffectiveDeclContext(D);
Guy Benyei11169dd2012-12-18 14:30:41 +000089 }
90 return 0;
91}
92
93static const FunctionDecl *getStructor(const FunctionDecl *fn) {
94 if (const FunctionTemplateDecl *ftd = fn->getPrimaryTemplate())
95 return ftd->getTemplatedDecl();
96
97 return fn;
98}
99
100static const NamedDecl *getStructor(const NamedDecl *decl) {
101 const FunctionDecl *fn = dyn_cast_or_null<FunctionDecl>(decl);
102 return (fn ? getStructor(fn) : decl);
103}
104
105static const unsigned UnknownArity = ~0U;
106
Timur Iskhodzhanov67455222013-10-03 06:26:13 +0000107class ItaniumMangleContextImpl : public ItaniumMangleContext {
Guy Benyei11169dd2012-12-18 14:30:41 +0000108 llvm::DenseMap<const TagDecl *, uint64_t> AnonStructIds;
Eli Friedman3b7d46c2013-07-10 00:30:46 +0000109 typedef std::pair<const DeclContext*, IdentifierInfo*> DiscriminatorKeyTy;
110 llvm::DenseMap<DiscriminatorKeyTy, unsigned> Discriminator;
Guy Benyei11169dd2012-12-18 14:30:41 +0000111 llvm::DenseMap<const NamedDecl*, unsigned> Uniquifier;
112
113public:
Timur Iskhodzhanov67455222013-10-03 06:26:13 +0000114 explicit ItaniumMangleContextImpl(ASTContext &Context,
115 DiagnosticsEngine &Diags)
116 : ItaniumMangleContext(Context, Diags) {}
Guy Benyei11169dd2012-12-18 14:30:41 +0000117
118 uint64_t getAnonymousStructId(const TagDecl *TD) {
119 std::pair<llvm::DenseMap<const TagDecl *,
120 uint64_t>::iterator, bool> Result =
121 AnonStructIds.insert(std::make_pair(TD, AnonStructIds.size()));
122 return Result.first->second;
123 }
124
Guy Benyei11169dd2012-12-18 14:30:41 +0000125 /// @name Mangler Entry Points
126 /// @{
127
Rafael Espindola002667c2013-10-16 01:40:34 +0000128 bool shouldMangleCXXName(const NamedDecl *D);
129 void mangleCXXName(const NamedDecl *D, raw_ostream &);
Guy Benyei11169dd2012-12-18 14:30:41 +0000130 void mangleThunk(const CXXMethodDecl *MD,
131 const ThunkInfo &Thunk,
132 raw_ostream &);
133 void mangleCXXDtorThunk(const CXXDestructorDecl *DD, CXXDtorType Type,
134 const ThisAdjustment &ThisAdjustment,
135 raw_ostream &);
136 void mangleReferenceTemporary(const VarDecl *D,
137 raw_ostream &);
138 void mangleCXXVTable(const CXXRecordDecl *RD,
139 raw_ostream &);
140 void mangleCXXVTT(const CXXRecordDecl *RD,
141 raw_ostream &);
142 void mangleCXXCtorVTable(const CXXRecordDecl *RD, int64_t Offset,
143 const CXXRecordDecl *Type,
144 raw_ostream &);
145 void mangleCXXRTTI(QualType T, raw_ostream &);
146 void mangleCXXRTTIName(QualType T, raw_ostream &);
Reid Klecknercc99e262013-11-19 23:23:00 +0000147 void mangleTypeName(QualType T, raw_ostream &);
Guy Benyei11169dd2012-12-18 14:30:41 +0000148 void mangleCXXCtor(const CXXConstructorDecl *D, CXXCtorType Type,
149 raw_ostream &);
150 void mangleCXXDtor(const CXXDestructorDecl *D, CXXDtorType Type,
151 raw_ostream &);
152
Reid Klecknerd8110b62013-09-10 20:14:30 +0000153 void mangleStaticGuardVariable(const VarDecl *D, raw_ostream &);
Reid Kleckner1ece9fc2013-09-10 20:43:12 +0000154 void mangleDynamicInitializer(const VarDecl *D, raw_ostream &Out);
Reid Klecknerd8110b62013-09-10 20:14:30 +0000155 void mangleDynamicAtExitDestructor(const VarDecl *D, raw_ostream &Out);
Richard Smith2fd1d7a2013-04-19 16:42:07 +0000156 void mangleItaniumThreadLocalInit(const VarDecl *D, raw_ostream &);
157 void mangleItaniumThreadLocalWrapper(const VarDecl *D, raw_ostream &);
Guy Benyei11169dd2012-12-18 14:30:41 +0000158
Guy Benyei11169dd2012-12-18 14:30:41 +0000159 bool getNextDiscriminator(const NamedDecl *ND, unsigned &disc) {
Eli Friedman3b7d46c2013-07-10 00:30:46 +0000160 // Lambda closure types are already numbered.
Guy Benyei11169dd2012-12-18 14:30:41 +0000161 if (const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(ND))
Eli Friedman3b7d46c2013-07-10 00:30:46 +0000162 if (RD->isLambda())
Guy Benyei11169dd2012-12-18 14:30:41 +0000163 return false;
Eli Friedman3b7d46c2013-07-10 00:30:46 +0000164
165 // Anonymous tags are already numbered.
166 if (const TagDecl *Tag = dyn_cast<TagDecl>(ND)) {
167 if (Tag->getName().empty() && !Tag->getTypedefNameForAnonDecl())
168 return false;
169 }
170
171 // Use the canonical number for externally visible decls.
172 if (ND->isExternallyVisible()) {
173 unsigned discriminator = getASTContext().getManglingNumber(ND);
174 if (discriminator == 1)
175 return false;
176 disc = discriminator - 2;
177 return true;
178 }
179
180 // Make up a reasonable number for internal decls.
Guy Benyei11169dd2012-12-18 14:30:41 +0000181 unsigned &discriminator = Uniquifier[ND];
Eli Friedman3b7d46c2013-07-10 00:30:46 +0000182 if (!discriminator) {
183 const DeclContext *DC = getEffectiveDeclContext(ND);
184 discriminator = ++Discriminator[std::make_pair(DC, ND->getIdentifier())];
185 }
Guy Benyei11169dd2012-12-18 14:30:41 +0000186 if (discriminator == 1)
187 return false;
188 disc = discriminator-2;
189 return true;
190 }
191 /// @}
192};
193
194/// CXXNameMangler - Manage the mangling of a single name.
195class CXXNameMangler {
Timur Iskhodzhanov67455222013-10-03 06:26:13 +0000196 ItaniumMangleContextImpl &Context;
Guy Benyei11169dd2012-12-18 14:30:41 +0000197 raw_ostream &Out;
198
199 /// The "structor" is the top-level declaration being mangled, if
200 /// that's not a template specialization; otherwise it's the pattern
201 /// for that specialization.
202 const NamedDecl *Structor;
203 unsigned StructorType;
204
205 /// SeqID - The next subsitution sequence number.
206 unsigned SeqID;
207
208 class FunctionTypeDepthState {
209 unsigned Bits;
210
211 enum { InResultTypeMask = 1 };
212
213 public:
214 FunctionTypeDepthState() : Bits(0) {}
215
216 /// The number of function types we're inside.
217 unsigned getDepth() const {
218 return Bits >> 1;
219 }
220
221 /// True if we're in the return type of the innermost function type.
222 bool isInResultType() const {
223 return Bits & InResultTypeMask;
224 }
225
226 FunctionTypeDepthState push() {
227 FunctionTypeDepthState tmp = *this;
228 Bits = (Bits & ~InResultTypeMask) + 2;
229 return tmp;
230 }
231
232 void enterResultType() {
233 Bits |= InResultTypeMask;
234 }
235
236 void leaveResultType() {
237 Bits &= ~InResultTypeMask;
238 }
239
240 void pop(FunctionTypeDepthState saved) {
241 assert(getDepth() == saved.getDepth() + 1);
242 Bits = saved.Bits;
243 }
244
245 } FunctionTypeDepth;
246
247 llvm::DenseMap<uintptr_t, unsigned> Substitutions;
248
249 ASTContext &getASTContext() const { return Context.getASTContext(); }
250
251public:
Timur Iskhodzhanov67455222013-10-03 06:26:13 +0000252 CXXNameMangler(ItaniumMangleContextImpl &C, raw_ostream &Out_,
Guy Benyei11169dd2012-12-18 14:30:41 +0000253 const NamedDecl *D = 0)
254 : Context(C), Out(Out_), Structor(getStructor(D)), StructorType(0),
255 SeqID(0) {
256 // These can't be mangled without a ctor type or dtor type.
257 assert(!D || (!isa<CXXDestructorDecl>(D) &&
258 !isa<CXXConstructorDecl>(D)));
259 }
Timur Iskhodzhanov67455222013-10-03 06:26:13 +0000260 CXXNameMangler(ItaniumMangleContextImpl &C, raw_ostream &Out_,
Guy Benyei11169dd2012-12-18 14:30:41 +0000261 const CXXConstructorDecl *D, CXXCtorType Type)
262 : Context(C), Out(Out_), Structor(getStructor(D)), StructorType(Type),
263 SeqID(0) { }
Timur Iskhodzhanov67455222013-10-03 06:26:13 +0000264 CXXNameMangler(ItaniumMangleContextImpl &C, raw_ostream &Out_,
Guy Benyei11169dd2012-12-18 14:30:41 +0000265 const CXXDestructorDecl *D, CXXDtorType Type)
266 : Context(C), Out(Out_), Structor(getStructor(D)), StructorType(Type),
267 SeqID(0) { }
268
269#if MANGLE_CHECKER
270 ~CXXNameMangler() {
271 if (Out.str()[0] == '\01')
272 return;
273
274 int status = 0;
275 char *result = abi::__cxa_demangle(Out.str().str().c_str(), 0, 0, &status);
276 assert(status == 0 && "Could not demangle mangled name!");
277 free(result);
278 }
279#endif
280 raw_ostream &getStream() { return Out; }
281
282 void mangle(const NamedDecl *D, StringRef Prefix = "_Z");
283 void mangleCallOffset(int64_t NonVirtual, int64_t Virtual);
284 void mangleNumber(const llvm::APSInt &I);
285 void mangleNumber(int64_t Number);
286 void mangleFloat(const llvm::APFloat &F);
287 void mangleFunctionEncoding(const FunctionDecl *FD);
288 void mangleName(const NamedDecl *ND);
289 void mangleType(QualType T);
290 void mangleNameOrStandardSubstitution(const NamedDecl *ND);
291
292private:
293 bool mangleSubstitution(const NamedDecl *ND);
294 bool mangleSubstitution(QualType T);
295 bool mangleSubstitution(TemplateName Template);
296 bool mangleSubstitution(uintptr_t Ptr);
297
298 void mangleExistingSubstitution(QualType type);
299 void mangleExistingSubstitution(TemplateName name);
300
301 bool mangleStandardSubstitution(const NamedDecl *ND);
302
303 void addSubstitution(const NamedDecl *ND) {
304 ND = cast<NamedDecl>(ND->getCanonicalDecl());
305
306 addSubstitution(reinterpret_cast<uintptr_t>(ND));
307 }
308 void addSubstitution(QualType T);
309 void addSubstitution(TemplateName Template);
310 void addSubstitution(uintptr_t Ptr);
311
312 void mangleUnresolvedPrefix(NestedNameSpecifier *qualifier,
313 NamedDecl *firstQualifierLookup,
314 bool recursive = false);
315 void mangleUnresolvedName(NestedNameSpecifier *qualifier,
316 NamedDecl *firstQualifierLookup,
317 DeclarationName name,
318 unsigned KnownArity = UnknownArity);
319
320 void mangleName(const TemplateDecl *TD,
321 const TemplateArgument *TemplateArgs,
322 unsigned NumTemplateArgs);
323 void mangleUnqualifiedName(const NamedDecl *ND) {
324 mangleUnqualifiedName(ND, ND->getDeclName(), UnknownArity);
325 }
326 void mangleUnqualifiedName(const NamedDecl *ND, DeclarationName Name,
327 unsigned KnownArity);
328 void mangleUnscopedName(const NamedDecl *ND);
329 void mangleUnscopedTemplateName(const TemplateDecl *ND);
330 void mangleUnscopedTemplateName(TemplateName);
331 void mangleSourceName(const IdentifierInfo *II);
Eli Friedman95f50122013-07-02 17:52:28 +0000332 void mangleLocalName(const Decl *D);
333 void mangleBlockForPrefix(const BlockDecl *Block);
334 void mangleUnqualifiedBlock(const BlockDecl *Block);
Guy Benyei11169dd2012-12-18 14:30:41 +0000335 void mangleLambda(const CXXRecordDecl *Lambda);
336 void mangleNestedName(const NamedDecl *ND, const DeclContext *DC,
337 bool NoFunction=false);
338 void mangleNestedName(const TemplateDecl *TD,
339 const TemplateArgument *TemplateArgs,
340 unsigned NumTemplateArgs);
341 void manglePrefix(NestedNameSpecifier *qualifier);
342 void manglePrefix(const DeclContext *DC, bool NoFunction=false);
343 void manglePrefix(QualType type);
Eli Friedman86af13f02013-07-05 18:41:30 +0000344 void mangleTemplatePrefix(const TemplateDecl *ND, bool NoFunction=false);
Guy Benyei11169dd2012-12-18 14:30:41 +0000345 void mangleTemplatePrefix(TemplateName Template);
346 void mangleOperatorName(OverloadedOperatorKind OO, unsigned Arity);
347 void mangleQualifiers(Qualifiers Quals);
348 void mangleRefQualifier(RefQualifierKind RefQualifier);
349
350 void mangleObjCMethodName(const ObjCMethodDecl *MD);
351
352 // Declare manglers for every type class.
353#define ABSTRACT_TYPE(CLASS, PARENT)
354#define NON_CANONICAL_TYPE(CLASS, PARENT)
355#define TYPE(CLASS, PARENT) void mangleType(const CLASS##Type *T);
356#include "clang/AST/TypeNodes.def"
357
358 void mangleType(const TagType*);
359 void mangleType(TemplateName);
360 void mangleBareFunctionType(const FunctionType *T,
361 bool MangleReturnType);
362 void mangleNeonVectorType(const VectorType *T);
Tim Northover2fe823a2013-08-01 09:23:19 +0000363 void mangleAArch64NeonVectorType(const VectorType *T);
Guy Benyei11169dd2012-12-18 14:30:41 +0000364
365 void mangleIntegerLiteral(QualType T, const llvm::APSInt &Value);
366 void mangleMemberExpr(const Expr *base, bool isArrow,
367 NestedNameSpecifier *qualifier,
368 NamedDecl *firstQualifierLookup,
369 DeclarationName name,
370 unsigned knownArity);
371 void mangleExpression(const Expr *E, unsigned Arity = UnknownArity);
372 void mangleCXXCtorType(CXXCtorType T);
373 void mangleCXXDtorType(CXXDtorType T);
374
375 void mangleTemplateArgs(const ASTTemplateArgumentListInfo &TemplateArgs);
376 void mangleTemplateArgs(const TemplateArgument *TemplateArgs,
377 unsigned NumTemplateArgs);
378 void mangleTemplateArgs(const TemplateArgumentList &AL);
379 void mangleTemplateArg(TemplateArgument A);
380
381 void mangleTemplateParameter(unsigned Index);
382
383 void mangleFunctionParam(const ParmVarDecl *parm);
384};
385
386}
387
Rafael Espindola002667c2013-10-16 01:40:34 +0000388bool ItaniumMangleContextImpl::shouldMangleCXXName(const NamedDecl *D) {
Guy Benyei11169dd2012-12-18 14:30:41 +0000389 const FunctionDecl *FD = dyn_cast<FunctionDecl>(D);
Rafael Espindola5bda63f2013-02-14 01:47:04 +0000390 if (FD) {
391 LanguageLinkage L = FD->getLanguageLinkage();
392 // Overloadable functions need mangling.
393 if (FD->hasAttr<OverloadableAttr>())
394 return true;
395
Rafael Espindola3e0e33d2013-02-14 15:38:59 +0000396 // "main" is not mangled.
397 if (FD->isMain())
Rafael Espindola5bda63f2013-02-14 01:47:04 +0000398 return false;
399
400 // C++ functions and those whose names are not a simple identifier need
401 // mangling.
402 if (!FD->getDeclName().isIdentifier() || L == CXXLanguageLinkage)
403 return true;
Rafael Espindola46d2b6b2013-02-14 03:31:26 +0000404
Rafael Espindola3e0e33d2013-02-14 15:38:59 +0000405 // C functions are not mangled.
406 if (L == CLanguageLinkage)
407 return false;
Rafael Espindola5bda63f2013-02-14 01:47:04 +0000408 }
Guy Benyei11169dd2012-12-18 14:30:41 +0000409
410 // Otherwise, no mangling is done outside C++ mode.
411 if (!getASTContext().getLangOpts().CPlusPlus)
412 return false;
413
Rafael Espindola5bda63f2013-02-14 01:47:04 +0000414 const VarDecl *VD = dyn_cast<VarDecl>(D);
415 if (VD) {
416 // C variables are not mangled.
417 if (VD->isExternC())
418 return false;
419
420 // Variables at global scope with non-internal linkage are not mangled
Guy Benyei11169dd2012-12-18 14:30:41 +0000421 const DeclContext *DC = getEffectiveDeclContext(D);
422 // Check for extern variable declared locally.
423 if (DC->isFunctionOrMethod() && D->hasLinkage())
424 while (!DC->isNamespace() && !DC->isTranslationUnit())
425 DC = getEffectiveParentContext(DC);
Larisse Voufo39a1e502013-08-06 01:03:05 +0000426 if (DC->isTranslationUnit() && D->getFormalLinkage() != InternalLinkage &&
427 !isa<VarTemplateSpecializationDecl>(D))
Guy Benyei11169dd2012-12-18 14:30:41 +0000428 return false;
429 }
430
Guy Benyei11169dd2012-12-18 14:30:41 +0000431 return true;
432}
433
434void CXXNameMangler::mangle(const NamedDecl *D, StringRef Prefix) {
Guy Benyei11169dd2012-12-18 14:30:41 +0000435 // <mangled-name> ::= _Z <encoding>
436 // ::= <data name>
437 // ::= <special-name>
438 Out << Prefix;
439 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(D))
440 mangleFunctionEncoding(FD);
441 else if (const VarDecl *VD = dyn_cast<VarDecl>(D))
442 mangleName(VD);
David Majnemer0eb8bbd2013-10-23 20:52:43 +0000443 else if (const IndirectFieldDecl *IFD = dyn_cast<IndirectFieldDecl>(D))
444 mangleName(IFD->getAnonField());
Guy Benyei11169dd2012-12-18 14:30:41 +0000445 else
446 mangleName(cast<FieldDecl>(D));
447}
448
449void CXXNameMangler::mangleFunctionEncoding(const FunctionDecl *FD) {
450 // <encoding> ::= <function name> <bare-function-type>
451 mangleName(FD);
452
453 // Don't mangle in the type if this isn't a decl we should typically mangle.
454 if (!Context.shouldMangleDeclName(FD))
455 return;
456
457 // Whether the mangling of a function type includes the return type depends on
458 // the context and the nature of the function. The rules for deciding whether
459 // the return type is included are:
460 //
461 // 1. Template functions (names or types) have return types encoded, with
462 // the exceptions listed below.
463 // 2. Function types not appearing as part of a function name mangling,
464 // e.g. parameters, pointer types, etc., have return type encoded, with the
465 // exceptions listed below.
466 // 3. Non-template function names do not have return types encoded.
467 //
468 // The exceptions mentioned in (1) and (2) above, for which the return type is
469 // never included, are
470 // 1. Constructors.
471 // 2. Destructors.
472 // 3. Conversion operator functions, e.g. operator int.
473 bool MangleReturnType = false;
474 if (FunctionTemplateDecl *PrimaryTemplate = FD->getPrimaryTemplate()) {
475 if (!(isa<CXXConstructorDecl>(FD) || isa<CXXDestructorDecl>(FD) ||
476 isa<CXXConversionDecl>(FD)))
477 MangleReturnType = true;
478
479 // Mangle the type of the primary template.
480 FD = PrimaryTemplate->getTemplatedDecl();
481 }
482
483 mangleBareFunctionType(FD->getType()->getAs<FunctionType>(),
484 MangleReturnType);
485}
486
487static const DeclContext *IgnoreLinkageSpecDecls(const DeclContext *DC) {
488 while (isa<LinkageSpecDecl>(DC)) {
489 DC = getEffectiveParentContext(DC);
490 }
491
492 return DC;
493}
494
495/// isStd - Return whether a given namespace is the 'std' namespace.
496static bool isStd(const NamespaceDecl *NS) {
497 if (!IgnoreLinkageSpecDecls(getEffectiveParentContext(NS))
498 ->isTranslationUnit())
499 return false;
500
501 const IdentifierInfo *II = NS->getOriginalNamespace()->getIdentifier();
502 return II && II->isStr("std");
503}
504
505// isStdNamespace - Return whether a given decl context is a toplevel 'std'
506// namespace.
507static bool isStdNamespace(const DeclContext *DC) {
508 if (!DC->isNamespace())
509 return false;
510
511 return isStd(cast<NamespaceDecl>(DC));
512}
513
514static const TemplateDecl *
515isTemplate(const NamedDecl *ND, const TemplateArgumentList *&TemplateArgs) {
516 // Check if we have a function template.
517 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(ND)){
518 if (const TemplateDecl *TD = FD->getPrimaryTemplate()) {
519 TemplateArgs = FD->getTemplateSpecializationArgs();
520 return TD;
521 }
522 }
523
524 // Check if we have a class template.
525 if (const ClassTemplateSpecializationDecl *Spec =
526 dyn_cast<ClassTemplateSpecializationDecl>(ND)) {
527 TemplateArgs = &Spec->getTemplateArgs();
528 return Spec->getSpecializedTemplate();
529 }
530
Larisse Voufo39a1e502013-08-06 01:03:05 +0000531 // Check if we have a variable template.
532 if (const VarTemplateSpecializationDecl *Spec =
533 dyn_cast<VarTemplateSpecializationDecl>(ND)) {
534 TemplateArgs = &Spec->getTemplateArgs();
535 return Spec->getSpecializedTemplate();
536 }
537
Guy Benyei11169dd2012-12-18 14:30:41 +0000538 return 0;
539}
540
541static bool isLambda(const NamedDecl *ND) {
542 const CXXRecordDecl *Record = dyn_cast<CXXRecordDecl>(ND);
543 if (!Record)
544 return false;
545
546 return Record->isLambda();
547}
548
549void CXXNameMangler::mangleName(const NamedDecl *ND) {
550 // <name> ::= <nested-name>
551 // ::= <unscoped-name>
552 // ::= <unscoped-template-name> <template-args>
553 // ::= <local-name>
554 //
555 const DeclContext *DC = getEffectiveDeclContext(ND);
556
557 // If this is an extern variable declared locally, the relevant DeclContext
558 // is that of the containing namespace, or the translation unit.
559 // FIXME: This is a hack; extern variables declared locally should have
560 // a proper semantic declaration context!
Eli Friedman95f50122013-07-02 17:52:28 +0000561 if (isLocalContainerContext(DC) && ND->hasLinkage() && !isLambda(ND))
Guy Benyei11169dd2012-12-18 14:30:41 +0000562 while (!DC->isNamespace() && !DC->isTranslationUnit())
563 DC = getEffectiveParentContext(DC);
564 else if (GetLocalClassDecl(ND)) {
565 mangleLocalName(ND);
566 return;
567 }
568
569 DC = IgnoreLinkageSpecDecls(DC);
570
571 if (DC->isTranslationUnit() || isStdNamespace(DC)) {
572 // Check if we have a template.
573 const TemplateArgumentList *TemplateArgs = 0;
574 if (const TemplateDecl *TD = isTemplate(ND, TemplateArgs)) {
575 mangleUnscopedTemplateName(TD);
576 mangleTemplateArgs(*TemplateArgs);
577 return;
578 }
579
580 mangleUnscopedName(ND);
581 return;
582 }
583
Eli Friedman95f50122013-07-02 17:52:28 +0000584 if (isLocalContainerContext(DC)) {
Guy Benyei11169dd2012-12-18 14:30:41 +0000585 mangleLocalName(ND);
586 return;
587 }
588
589 mangleNestedName(ND, DC);
590}
591void CXXNameMangler::mangleName(const TemplateDecl *TD,
592 const TemplateArgument *TemplateArgs,
593 unsigned NumTemplateArgs) {
594 const DeclContext *DC = IgnoreLinkageSpecDecls(getEffectiveDeclContext(TD));
595
596 if (DC->isTranslationUnit() || isStdNamespace(DC)) {
597 mangleUnscopedTemplateName(TD);
598 mangleTemplateArgs(TemplateArgs, NumTemplateArgs);
599 } else {
600 mangleNestedName(TD, TemplateArgs, NumTemplateArgs);
601 }
602}
603
604void CXXNameMangler::mangleUnscopedName(const NamedDecl *ND) {
605 // <unscoped-name> ::= <unqualified-name>
606 // ::= St <unqualified-name> # ::std::
607
608 if (isStdNamespace(IgnoreLinkageSpecDecls(getEffectiveDeclContext(ND))))
609 Out << "St";
610
611 mangleUnqualifiedName(ND);
612}
613
614void CXXNameMangler::mangleUnscopedTemplateName(const TemplateDecl *ND) {
615 // <unscoped-template-name> ::= <unscoped-name>
616 // ::= <substitution>
617 if (mangleSubstitution(ND))
618 return;
619
620 // <template-template-param> ::= <template-param>
621 if (const TemplateTemplateParmDecl *TTP
622 = dyn_cast<TemplateTemplateParmDecl>(ND)) {
623 mangleTemplateParameter(TTP->getIndex());
624 return;
625 }
626
627 mangleUnscopedName(ND->getTemplatedDecl());
628 addSubstitution(ND);
629}
630
631void CXXNameMangler::mangleUnscopedTemplateName(TemplateName Template) {
632 // <unscoped-template-name> ::= <unscoped-name>
633 // ::= <substitution>
634 if (TemplateDecl *TD = Template.getAsTemplateDecl())
635 return mangleUnscopedTemplateName(TD);
636
637 if (mangleSubstitution(Template))
638 return;
639
640 DependentTemplateName *Dependent = Template.getAsDependentTemplateName();
641 assert(Dependent && "Not a dependent template name?");
642 if (const IdentifierInfo *Id = Dependent->getIdentifier())
643 mangleSourceName(Id);
644 else
645 mangleOperatorName(Dependent->getOperator(), UnknownArity);
646
647 addSubstitution(Template);
648}
649
650void CXXNameMangler::mangleFloat(const llvm::APFloat &f) {
651 // ABI:
652 // Floating-point literals are encoded using a fixed-length
653 // lowercase hexadecimal string corresponding to the internal
654 // representation (IEEE on Itanium), high-order bytes first,
655 // without leading zeroes. For example: "Lf bf800000 E" is -1.0f
656 // on Itanium.
657 // The 'without leading zeroes' thing seems to be an editorial
658 // mistake; see the discussion on cxx-abi-dev beginning on
659 // 2012-01-16.
660
661 // Our requirements here are just barely weird enough to justify
662 // using a custom algorithm instead of post-processing APInt::toString().
663
664 llvm::APInt valueBits = f.bitcastToAPInt();
665 unsigned numCharacters = (valueBits.getBitWidth() + 3) / 4;
666 assert(numCharacters != 0);
667
668 // Allocate a buffer of the right number of characters.
Dmitri Gribenkof8579502013-01-12 19:30:44 +0000669 SmallVector<char, 20> buffer;
Guy Benyei11169dd2012-12-18 14:30:41 +0000670 buffer.set_size(numCharacters);
671
672 // Fill the buffer left-to-right.
673 for (unsigned stringIndex = 0; stringIndex != numCharacters; ++stringIndex) {
674 // The bit-index of the next hex digit.
675 unsigned digitBitIndex = 4 * (numCharacters - stringIndex - 1);
676
677 // Project out 4 bits starting at 'digitIndex'.
678 llvm::integerPart hexDigit
679 = valueBits.getRawData()[digitBitIndex / llvm::integerPartWidth];
680 hexDigit >>= (digitBitIndex % llvm::integerPartWidth);
681 hexDigit &= 0xF;
682
683 // Map that over to a lowercase hex digit.
684 static const char charForHex[16] = {
685 '0', '1', '2', '3', '4', '5', '6', '7',
686 '8', '9', 'a', 'b', 'c', 'd', 'e', 'f'
687 };
688 buffer[stringIndex] = charForHex[hexDigit];
689 }
690
691 Out.write(buffer.data(), numCharacters);
692}
693
694void CXXNameMangler::mangleNumber(const llvm::APSInt &Value) {
695 if (Value.isSigned() && Value.isNegative()) {
696 Out << 'n';
697 Value.abs().print(Out, /*signed*/ false);
698 } else {
699 Value.print(Out, /*signed*/ false);
700 }
701}
702
703void CXXNameMangler::mangleNumber(int64_t Number) {
704 // <number> ::= [n] <non-negative decimal integer>
705 if (Number < 0) {
706 Out << 'n';
707 Number = -Number;
708 }
709
710 Out << Number;
711}
712
713void CXXNameMangler::mangleCallOffset(int64_t NonVirtual, int64_t Virtual) {
714 // <call-offset> ::= h <nv-offset> _
715 // ::= v <v-offset> _
716 // <nv-offset> ::= <offset number> # non-virtual base override
717 // <v-offset> ::= <offset number> _ <virtual offset number>
718 // # virtual base override, with vcall offset
719 if (!Virtual) {
720 Out << 'h';
721 mangleNumber(NonVirtual);
722 Out << '_';
723 return;
724 }
725
726 Out << 'v';
727 mangleNumber(NonVirtual);
728 Out << '_';
729 mangleNumber(Virtual);
730 Out << '_';
731}
732
733void CXXNameMangler::manglePrefix(QualType type) {
734 if (const TemplateSpecializationType *TST =
735 type->getAs<TemplateSpecializationType>()) {
736 if (!mangleSubstitution(QualType(TST, 0))) {
737 mangleTemplatePrefix(TST->getTemplateName());
738
739 // FIXME: GCC does not appear to mangle the template arguments when
740 // the template in question is a dependent template name. Should we
741 // emulate that badness?
742 mangleTemplateArgs(TST->getArgs(), TST->getNumArgs());
743 addSubstitution(QualType(TST, 0));
744 }
745 } else if (const DependentTemplateSpecializationType *DTST
746 = type->getAs<DependentTemplateSpecializationType>()) {
747 TemplateName Template
748 = getASTContext().getDependentTemplateName(DTST->getQualifier(),
749 DTST->getIdentifier());
750 mangleTemplatePrefix(Template);
751
752 // FIXME: GCC does not appear to mangle the template arguments when
753 // the template in question is a dependent template name. Should we
754 // emulate that badness?
755 mangleTemplateArgs(DTST->getArgs(), DTST->getNumArgs());
756 } else {
757 // We use the QualType mangle type variant here because it handles
758 // substitutions.
759 mangleType(type);
760 }
761}
762
763/// Mangle everything prior to the base-unresolved-name in an unresolved-name.
764///
765/// \param firstQualifierLookup - the entity found by unqualified lookup
766/// for the first name in the qualifier, if this is for a member expression
767/// \param recursive - true if this is being called recursively,
768/// i.e. if there is more prefix "to the right".
769void CXXNameMangler::mangleUnresolvedPrefix(NestedNameSpecifier *qualifier,
770 NamedDecl *firstQualifierLookup,
771 bool recursive) {
772
773 // x, ::x
774 // <unresolved-name> ::= [gs] <base-unresolved-name>
775
776 // T::x / decltype(p)::x
777 // <unresolved-name> ::= sr <unresolved-type> <base-unresolved-name>
778
779 // T::N::x /decltype(p)::N::x
780 // <unresolved-name> ::= srN <unresolved-type> <unresolved-qualifier-level>+ E
781 // <base-unresolved-name>
782
783 // A::x, N::y, A<T>::z; "gs" means leading "::"
784 // <unresolved-name> ::= [gs] sr <unresolved-qualifier-level>+ E
785 // <base-unresolved-name>
786
787 switch (qualifier->getKind()) {
788 case NestedNameSpecifier::Global:
789 Out << "gs";
790
791 // We want an 'sr' unless this is the entire NNS.
792 if (recursive)
793 Out << "sr";
794
795 // We never want an 'E' here.
796 return;
797
798 case NestedNameSpecifier::Namespace:
799 if (qualifier->getPrefix())
800 mangleUnresolvedPrefix(qualifier->getPrefix(), firstQualifierLookup,
801 /*recursive*/ true);
802 else
803 Out << "sr";
804 mangleSourceName(qualifier->getAsNamespace()->getIdentifier());
805 break;
806 case NestedNameSpecifier::NamespaceAlias:
807 if (qualifier->getPrefix())
808 mangleUnresolvedPrefix(qualifier->getPrefix(), firstQualifierLookup,
809 /*recursive*/ true);
810 else
811 Out << "sr";
812 mangleSourceName(qualifier->getAsNamespaceAlias()->getIdentifier());
813 break;
814
815 case NestedNameSpecifier::TypeSpec:
816 case NestedNameSpecifier::TypeSpecWithTemplate: {
817 const Type *type = qualifier->getAsType();
818
819 // We only want to use an unresolved-type encoding if this is one of:
820 // - a decltype
821 // - a template type parameter
822 // - a template template parameter with arguments
823 // In all of these cases, we should have no prefix.
824 if (qualifier->getPrefix()) {
825 mangleUnresolvedPrefix(qualifier->getPrefix(), firstQualifierLookup,
826 /*recursive*/ true);
827 } else {
828 // Otherwise, all the cases want this.
829 Out << "sr";
830 }
831
832 // Only certain other types are valid as prefixes; enumerate them.
833 switch (type->getTypeClass()) {
834 case Type::Builtin:
835 case Type::Complex:
Reid Kleckner0503a872013-12-05 01:23:43 +0000836 case Type::Adjusted:
Reid Kleckner8a365022013-06-24 17:51:48 +0000837 case Type::Decayed:
Guy Benyei11169dd2012-12-18 14:30:41 +0000838 case Type::Pointer:
839 case Type::BlockPointer:
840 case Type::LValueReference:
841 case Type::RValueReference:
842 case Type::MemberPointer:
843 case Type::ConstantArray:
844 case Type::IncompleteArray:
845 case Type::VariableArray:
846 case Type::DependentSizedArray:
847 case Type::DependentSizedExtVector:
848 case Type::Vector:
849 case Type::ExtVector:
850 case Type::FunctionProto:
851 case Type::FunctionNoProto:
852 case Type::Enum:
853 case Type::Paren:
854 case Type::Elaborated:
855 case Type::Attributed:
856 case Type::Auto:
857 case Type::PackExpansion:
858 case Type::ObjCObject:
859 case Type::ObjCInterface:
860 case Type::ObjCObjectPointer:
861 case Type::Atomic:
862 llvm_unreachable("type is illegal as a nested name specifier");
863
864 case Type::SubstTemplateTypeParmPack:
865 // FIXME: not clear how to mangle this!
866 // template <class T...> class A {
867 // template <class U...> void foo(decltype(T::foo(U())) x...);
868 // };
869 Out << "_SUBSTPACK_";
870 break;
871
872 // <unresolved-type> ::= <template-param>
873 // ::= <decltype>
874 // ::= <template-template-param> <template-args>
875 // (this last is not official yet)
876 case Type::TypeOfExpr:
877 case Type::TypeOf:
878 case Type::Decltype:
879 case Type::TemplateTypeParm:
880 case Type::UnaryTransform:
881 case Type::SubstTemplateTypeParm:
882 unresolvedType:
883 assert(!qualifier->getPrefix());
884
885 // We only get here recursively if we're followed by identifiers.
886 if (recursive) Out << 'N';
887
888 // This seems to do everything we want. It's not really
889 // sanctioned for a substituted template parameter, though.
890 mangleType(QualType(type, 0));
891
892 // We never want to print 'E' directly after an unresolved-type,
893 // so we return directly.
894 return;
895
896 case Type::Typedef:
897 mangleSourceName(cast<TypedefType>(type)->getDecl()->getIdentifier());
898 break;
899
900 case Type::UnresolvedUsing:
901 mangleSourceName(cast<UnresolvedUsingType>(type)->getDecl()
902 ->getIdentifier());
903 break;
904
905 case Type::Record:
906 mangleSourceName(cast<RecordType>(type)->getDecl()->getIdentifier());
907 break;
908
909 case Type::TemplateSpecialization: {
910 const TemplateSpecializationType *tst
911 = cast<TemplateSpecializationType>(type);
912 TemplateName name = tst->getTemplateName();
913 switch (name.getKind()) {
914 case TemplateName::Template:
915 case TemplateName::QualifiedTemplate: {
916 TemplateDecl *temp = name.getAsTemplateDecl();
917
918 // If the base is a template template parameter, this is an
919 // unresolved type.
920 assert(temp && "no template for template specialization type");
921 if (isa<TemplateTemplateParmDecl>(temp)) goto unresolvedType;
922
923 mangleSourceName(temp->getIdentifier());
924 break;
925 }
926
927 case TemplateName::OverloadedTemplate:
928 case TemplateName::DependentTemplate:
929 llvm_unreachable("invalid base for a template specialization type");
930
931 case TemplateName::SubstTemplateTemplateParm: {
932 SubstTemplateTemplateParmStorage *subst
933 = name.getAsSubstTemplateTemplateParm();
934 mangleExistingSubstitution(subst->getReplacement());
935 break;
936 }
937
938 case TemplateName::SubstTemplateTemplateParmPack: {
939 // FIXME: not clear how to mangle this!
940 // template <template <class U> class T...> class A {
941 // template <class U...> void foo(decltype(T<U>::foo) x...);
942 // };
943 Out << "_SUBSTPACK_";
944 break;
945 }
946 }
947
948 mangleTemplateArgs(tst->getArgs(), tst->getNumArgs());
949 break;
950 }
951
952 case Type::InjectedClassName:
953 mangleSourceName(cast<InjectedClassNameType>(type)->getDecl()
954 ->getIdentifier());
955 break;
956
957 case Type::DependentName:
958 mangleSourceName(cast<DependentNameType>(type)->getIdentifier());
959 break;
960
961 case Type::DependentTemplateSpecialization: {
962 const DependentTemplateSpecializationType *tst
963 = cast<DependentTemplateSpecializationType>(type);
964 mangleSourceName(tst->getIdentifier());
965 mangleTemplateArgs(tst->getArgs(), tst->getNumArgs());
966 break;
967 }
968 }
969 break;
970 }
971
972 case NestedNameSpecifier::Identifier:
973 // Member expressions can have these without prefixes.
974 if (qualifier->getPrefix()) {
975 mangleUnresolvedPrefix(qualifier->getPrefix(), firstQualifierLookup,
976 /*recursive*/ true);
977 } else if (firstQualifierLookup) {
978
979 // Try to make a proper qualifier out of the lookup result, and
980 // then just recurse on that.
981 NestedNameSpecifier *newQualifier;
982 if (TypeDecl *typeDecl = dyn_cast<TypeDecl>(firstQualifierLookup)) {
983 QualType type = getASTContext().getTypeDeclType(typeDecl);
984
985 // Pretend we had a different nested name specifier.
986 newQualifier = NestedNameSpecifier::Create(getASTContext(),
987 /*prefix*/ 0,
988 /*template*/ false,
989 type.getTypePtr());
990 } else if (NamespaceDecl *nspace =
991 dyn_cast<NamespaceDecl>(firstQualifierLookup)) {
992 newQualifier = NestedNameSpecifier::Create(getASTContext(),
993 /*prefix*/ 0,
994 nspace);
995 } else if (NamespaceAliasDecl *alias =
996 dyn_cast<NamespaceAliasDecl>(firstQualifierLookup)) {
997 newQualifier = NestedNameSpecifier::Create(getASTContext(),
998 /*prefix*/ 0,
999 alias);
1000 } else {
1001 // No sensible mangling to do here.
1002 newQualifier = 0;
1003 }
1004
1005 if (newQualifier)
1006 return mangleUnresolvedPrefix(newQualifier, /*lookup*/ 0, recursive);
1007
1008 } else {
1009 Out << "sr";
1010 }
1011
1012 mangleSourceName(qualifier->getAsIdentifier());
1013 break;
1014 }
1015
1016 // If this was the innermost part of the NNS, and we fell out to
1017 // here, append an 'E'.
1018 if (!recursive)
1019 Out << 'E';
1020}
1021
1022/// Mangle an unresolved-name, which is generally used for names which
1023/// weren't resolved to specific entities.
1024void CXXNameMangler::mangleUnresolvedName(NestedNameSpecifier *qualifier,
1025 NamedDecl *firstQualifierLookup,
1026 DeclarationName name,
1027 unsigned knownArity) {
1028 if (qualifier) mangleUnresolvedPrefix(qualifier, firstQualifierLookup);
1029 mangleUnqualifiedName(0, name, knownArity);
1030}
1031
1032static const FieldDecl *FindFirstNamedDataMember(const RecordDecl *RD) {
1033 assert(RD->isAnonymousStructOrUnion() &&
1034 "Expected anonymous struct or union!");
1035
1036 for (RecordDecl::field_iterator I = RD->field_begin(), E = RD->field_end();
1037 I != E; ++I) {
1038 if (I->getIdentifier())
1039 return *I;
1040
1041 if (const RecordType *RT = I->getType()->getAs<RecordType>())
1042 if (const FieldDecl *NamedDataMember =
1043 FindFirstNamedDataMember(RT->getDecl()))
1044 return NamedDataMember;
1045 }
1046
1047 // We didn't find a named data member.
1048 return 0;
1049}
1050
1051void CXXNameMangler::mangleUnqualifiedName(const NamedDecl *ND,
1052 DeclarationName Name,
1053 unsigned KnownArity) {
1054 // <unqualified-name> ::= <operator-name>
1055 // ::= <ctor-dtor-name>
1056 // ::= <source-name>
1057 switch (Name.getNameKind()) {
1058 case DeclarationName::Identifier: {
1059 if (const IdentifierInfo *II = Name.getAsIdentifierInfo()) {
1060 // We must avoid conflicts between internally- and externally-
1061 // linked variable and function declaration names in the same TU:
1062 // void test() { extern void foo(); }
1063 // static void foo();
1064 // This naming convention is the same as that followed by GCC,
1065 // though it shouldn't actually matter.
Rafael Espindola3ae00052013-05-13 00:12:11 +00001066 if (ND && ND->getFormalLinkage() == InternalLinkage &&
Guy Benyei11169dd2012-12-18 14:30:41 +00001067 getEffectiveDeclContext(ND)->isFileContext())
1068 Out << 'L';
1069
1070 mangleSourceName(II);
1071 break;
1072 }
1073
1074 // Otherwise, an anonymous entity. We must have a declaration.
1075 assert(ND && "mangling empty name without declaration");
1076
1077 if (const NamespaceDecl *NS = dyn_cast<NamespaceDecl>(ND)) {
1078 if (NS->isAnonymousNamespace()) {
1079 // This is how gcc mangles these names.
1080 Out << "12_GLOBAL__N_1";
1081 break;
1082 }
1083 }
1084
1085 if (const VarDecl *VD = dyn_cast<VarDecl>(ND)) {
1086 // We must have an anonymous union or struct declaration.
1087 const RecordDecl *RD =
1088 cast<RecordDecl>(VD->getType()->getAs<RecordType>()->getDecl());
1089
1090 // Itanium C++ ABI 5.1.2:
1091 //
1092 // For the purposes of mangling, the name of an anonymous union is
1093 // considered to be the name of the first named data member found by a
1094 // pre-order, depth-first, declaration-order walk of the data members of
1095 // the anonymous union. If there is no such data member (i.e., if all of
1096 // the data members in the union are unnamed), then there is no way for
1097 // a program to refer to the anonymous union, and there is therefore no
1098 // need to mangle its name.
1099 const FieldDecl *FD = FindFirstNamedDataMember(RD);
1100
1101 // It's actually possible for various reasons for us to get here
1102 // with an empty anonymous struct / union. Fortunately, it
1103 // doesn't really matter what name we generate.
1104 if (!FD) break;
1105 assert(FD->getIdentifier() && "Data member name isn't an identifier!");
1106
1107 mangleSourceName(FD->getIdentifier());
1108 break;
1109 }
John McCall924046f2013-04-10 06:08:21 +00001110
1111 // Class extensions have no name as a category, and it's possible
1112 // for them to be the semantic parent of certain declarations
1113 // (primarily, tag decls defined within declarations). Such
1114 // declarations will always have internal linkage, so the name
1115 // doesn't really matter, but we shouldn't crash on them. For
1116 // safety, just handle all ObjC containers here.
1117 if (isa<ObjCContainerDecl>(ND))
1118 break;
Guy Benyei11169dd2012-12-18 14:30:41 +00001119
1120 // We must have an anonymous struct.
1121 const TagDecl *TD = cast<TagDecl>(ND);
1122 if (const TypedefNameDecl *D = TD->getTypedefNameForAnonDecl()) {
1123 assert(TD->getDeclContext() == D->getDeclContext() &&
1124 "Typedef should not be in another decl context!");
1125 assert(D->getDeclName().getAsIdentifierInfo() &&
1126 "Typedef was not named!");
1127 mangleSourceName(D->getDeclName().getAsIdentifierInfo());
1128 break;
1129 }
1130
1131 // <unnamed-type-name> ::= <closure-type-name>
1132 //
1133 // <closure-type-name> ::= Ul <lambda-sig> E [ <nonnegative number> ] _
1134 // <lambda-sig> ::= <parameter-type>+ # Parameter types or 'v' for 'void'.
1135 if (const CXXRecordDecl *Record = dyn_cast<CXXRecordDecl>(TD)) {
1136 if (Record->isLambda() && Record->getLambdaManglingNumber()) {
1137 mangleLambda(Record);
1138 break;
1139 }
1140 }
1141
Eli Friedman3b7d46c2013-07-10 00:30:46 +00001142 if (TD->isExternallyVisible()) {
1143 unsigned UnnamedMangle = getASTContext().getManglingNumber(TD);
Guy Benyei11169dd2012-12-18 14:30:41 +00001144 Out << "Ut";
Eli Friedman3b7d46c2013-07-10 00:30:46 +00001145 if (UnnamedMangle > 1)
1146 Out << llvm::utostr(UnnamedMangle - 2);
Guy Benyei11169dd2012-12-18 14:30:41 +00001147 Out << '_';
1148 break;
1149 }
1150
1151 // Get a unique id for the anonymous struct.
1152 uint64_t AnonStructId = Context.getAnonymousStructId(TD);
1153
1154 // Mangle it as a source name in the form
1155 // [n] $_<id>
1156 // where n is the length of the string.
1157 SmallString<8> Str;
1158 Str += "$_";
1159 Str += llvm::utostr(AnonStructId);
1160
1161 Out << Str.size();
1162 Out << Str.str();
1163 break;
1164 }
1165
1166 case DeclarationName::ObjCZeroArgSelector:
1167 case DeclarationName::ObjCOneArgSelector:
1168 case DeclarationName::ObjCMultiArgSelector:
1169 llvm_unreachable("Can't mangle Objective-C selector names here!");
1170
1171 case DeclarationName::CXXConstructorName:
1172 if (ND == Structor)
1173 // If the named decl is the C++ constructor we're mangling, use the type
1174 // we were given.
1175 mangleCXXCtorType(static_cast<CXXCtorType>(StructorType));
1176 else
1177 // Otherwise, use the complete constructor name. This is relevant if a
1178 // class with a constructor is declared within a constructor.
1179 mangleCXXCtorType(Ctor_Complete);
1180 break;
1181
1182 case DeclarationName::CXXDestructorName:
1183 if (ND == Structor)
1184 // If the named decl is the C++ destructor we're mangling, use the type we
1185 // were given.
1186 mangleCXXDtorType(static_cast<CXXDtorType>(StructorType));
1187 else
1188 // Otherwise, use the complete destructor name. This is relevant if a
1189 // class with a destructor is declared within a destructor.
1190 mangleCXXDtorType(Dtor_Complete);
1191 break;
1192
1193 case DeclarationName::CXXConversionFunctionName:
1194 // <operator-name> ::= cv <type> # (cast)
1195 Out << "cv";
1196 mangleType(Name.getCXXNameType());
1197 break;
1198
1199 case DeclarationName::CXXOperatorName: {
1200 unsigned Arity;
1201 if (ND) {
1202 Arity = cast<FunctionDecl>(ND)->getNumParams();
1203
1204 // If we have a C++ member function, we need to include the 'this' pointer.
1205 // FIXME: This does not make sense for operators that are static, but their
1206 // names stay the same regardless of the arity (operator new for instance).
1207 if (isa<CXXMethodDecl>(ND))
1208 Arity++;
1209 } else
1210 Arity = KnownArity;
1211
1212 mangleOperatorName(Name.getCXXOverloadedOperator(), Arity);
1213 break;
1214 }
1215
1216 case DeclarationName::CXXLiteralOperatorName:
1217 // FIXME: This mangling is not yet official.
1218 Out << "li";
1219 mangleSourceName(Name.getCXXLiteralIdentifier());
1220 break;
1221
1222 case DeclarationName::CXXUsingDirective:
1223 llvm_unreachable("Can't mangle a using directive name!");
1224 }
1225}
1226
1227void CXXNameMangler::mangleSourceName(const IdentifierInfo *II) {
1228 // <source-name> ::= <positive length number> <identifier>
1229 // <number> ::= [n] <non-negative decimal integer>
1230 // <identifier> ::= <unqualified source code identifier>
1231 Out << II->getLength() << II->getName();
1232}
1233
1234void CXXNameMangler::mangleNestedName(const NamedDecl *ND,
1235 const DeclContext *DC,
1236 bool NoFunction) {
1237 // <nested-name>
1238 // ::= N [<CV-qualifiers>] [<ref-qualifier>] <prefix> <unqualified-name> E
1239 // ::= N [<CV-qualifiers>] [<ref-qualifier>] <template-prefix>
1240 // <template-args> E
1241
1242 Out << 'N';
1243 if (const CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(ND)) {
David Majnemer42350df2013-11-03 23:51:28 +00001244 Qualifiers MethodQuals =
1245 Qualifiers::fromCVRMask(Method->getTypeQualifiers());
1246 // We do not consider restrict a distinguishing attribute for overloading
1247 // purposes so we must not mangle it.
1248 MethodQuals.removeRestrict();
1249 mangleQualifiers(MethodQuals);
Guy Benyei11169dd2012-12-18 14:30:41 +00001250 mangleRefQualifier(Method->getRefQualifier());
1251 }
1252
1253 // Check if we have a template.
1254 const TemplateArgumentList *TemplateArgs = 0;
1255 if (const TemplateDecl *TD = isTemplate(ND, TemplateArgs)) {
Eli Friedman86af13f02013-07-05 18:41:30 +00001256 mangleTemplatePrefix(TD, NoFunction);
Guy Benyei11169dd2012-12-18 14:30:41 +00001257 mangleTemplateArgs(*TemplateArgs);
1258 }
1259 else {
1260 manglePrefix(DC, NoFunction);
1261 mangleUnqualifiedName(ND);
1262 }
1263
1264 Out << 'E';
1265}
1266void CXXNameMangler::mangleNestedName(const TemplateDecl *TD,
1267 const TemplateArgument *TemplateArgs,
1268 unsigned NumTemplateArgs) {
1269 // <nested-name> ::= N [<CV-qualifiers>] <template-prefix> <template-args> E
1270
1271 Out << 'N';
1272
1273 mangleTemplatePrefix(TD);
1274 mangleTemplateArgs(TemplateArgs, NumTemplateArgs);
1275
1276 Out << 'E';
1277}
1278
Eli Friedman95f50122013-07-02 17:52:28 +00001279void CXXNameMangler::mangleLocalName(const Decl *D) {
Guy Benyei11169dd2012-12-18 14:30:41 +00001280 // <local-name> := Z <function encoding> E <entity name> [<discriminator>]
1281 // := Z <function encoding> E s [<discriminator>]
1282 // <local-name> := Z <function encoding> E d [ <parameter number> ]
1283 // _ <entity name>
1284 // <discriminator> := _ <non-negative number>
Eli Friedman95f50122013-07-02 17:52:28 +00001285 assert(isa<NamedDecl>(D) || isa<BlockDecl>(D));
Eli Friedmaneecc09a2013-07-05 20:27:40 +00001286 const RecordDecl *RD = GetLocalClassDecl(D);
Eli Friedman95f50122013-07-02 17:52:28 +00001287 const DeclContext *DC = getEffectiveDeclContext(RD ? RD : D);
Guy Benyei11169dd2012-12-18 14:30:41 +00001288
1289 Out << 'Z';
1290
Eli Friedman92821742013-07-02 02:01:18 +00001291 if (const ObjCMethodDecl *MD = dyn_cast<ObjCMethodDecl>(DC))
1292 mangleObjCMethodName(MD);
1293 else if (const BlockDecl *BD = dyn_cast<BlockDecl>(DC))
Eli Friedman95f50122013-07-02 17:52:28 +00001294 mangleBlockForPrefix(BD);
Eli Friedman92821742013-07-02 02:01:18 +00001295 else
1296 mangleFunctionEncoding(cast<FunctionDecl>(DC));
Guy Benyei11169dd2012-12-18 14:30:41 +00001297
Eli Friedman92821742013-07-02 02:01:18 +00001298 Out << 'E';
1299
1300 if (RD) {
Guy Benyei11169dd2012-12-18 14:30:41 +00001301 // The parameter number is omitted for the last parameter, 0 for the
1302 // second-to-last parameter, 1 for the third-to-last parameter, etc. The
1303 // <entity name> will of course contain a <closure-type-name>: Its
1304 // numbering will be local to the particular argument in which it appears
1305 // -- other default arguments do not affect its encoding.
Eli Friedmaneecc09a2013-07-05 20:27:40 +00001306 const CXXRecordDecl *CXXRD = dyn_cast<CXXRecordDecl>(RD);
1307 if (CXXRD->isLambda()) {
Guy Benyei11169dd2012-12-18 14:30:41 +00001308 if (const ParmVarDecl *Parm
Eli Friedmaneecc09a2013-07-05 20:27:40 +00001309 = dyn_cast_or_null<ParmVarDecl>(CXXRD->getLambdaContextDecl())) {
Guy Benyei11169dd2012-12-18 14:30:41 +00001310 if (const FunctionDecl *Func
1311 = dyn_cast<FunctionDecl>(Parm->getDeclContext())) {
1312 Out << 'd';
1313 unsigned Num = Func->getNumParams() - Parm->getFunctionScopeIndex();
1314 if (Num > 1)
1315 mangleNumber(Num - 2);
1316 Out << '_';
Guy Benyei11169dd2012-12-18 14:30:41 +00001317 }
1318 }
1319 }
1320
1321 // Mangle the name relative to the closest enclosing function.
Eli Friedman95f50122013-07-02 17:52:28 +00001322 // equality ok because RD derived from ND above
1323 if (D == RD) {
1324 mangleUnqualifiedName(RD);
1325 } else if (const BlockDecl *BD = dyn_cast<BlockDecl>(D)) {
1326 manglePrefix(getEffectiveDeclContext(BD), true /*NoFunction*/);
1327 mangleUnqualifiedBlock(BD);
1328 } else {
1329 const NamedDecl *ND = cast<NamedDecl>(D);
Eli Friedman92821742013-07-02 02:01:18 +00001330 mangleNestedName(ND, getEffectiveDeclContext(ND), true /*NoFunction*/);
Eli Friedman95f50122013-07-02 17:52:28 +00001331 }
Eli Friedman0cd23352013-07-10 01:33:19 +00001332 } else if (const BlockDecl *BD = dyn_cast<BlockDecl>(D)) {
1333 // Mangle a block in a default parameter; see above explanation for
1334 // lambdas.
1335 if (const ParmVarDecl *Parm
1336 = dyn_cast_or_null<ParmVarDecl>(BD->getBlockManglingContextDecl())) {
1337 if (const FunctionDecl *Func
1338 = dyn_cast<FunctionDecl>(Parm->getDeclContext())) {
1339 Out << 'd';
1340 unsigned Num = Func->getNumParams() - Parm->getFunctionScopeIndex();
1341 if (Num > 1)
1342 mangleNumber(Num - 2);
1343 Out << '_';
1344 }
1345 }
1346
1347 mangleUnqualifiedBlock(BD);
Eli Friedman3b7d46c2013-07-10 00:30:46 +00001348 } else {
Eli Friedman0cd23352013-07-10 01:33:19 +00001349 mangleUnqualifiedName(cast<NamedDecl>(D));
Guy Benyei11169dd2012-12-18 14:30:41 +00001350 }
Eli Friedman0cd23352013-07-10 01:33:19 +00001351
Eli Friedman3b7d46c2013-07-10 00:30:46 +00001352 if (const NamedDecl *ND = dyn_cast<NamedDecl>(RD ? RD : D)) {
1353 unsigned disc;
1354 if (Context.getNextDiscriminator(ND, disc)) {
1355 if (disc < 10)
1356 Out << '_' << disc;
1357 else
1358 Out << "__" << disc << '_';
1359 }
1360 }
Eli Friedman95f50122013-07-02 17:52:28 +00001361}
1362
1363void CXXNameMangler::mangleBlockForPrefix(const BlockDecl *Block) {
1364 if (GetLocalClassDecl(Block)) {
1365 mangleLocalName(Block);
1366 return;
1367 }
1368 const DeclContext *DC = getEffectiveDeclContext(Block);
1369 if (isLocalContainerContext(DC)) {
1370 mangleLocalName(Block);
1371 return;
1372 }
1373 manglePrefix(getEffectiveDeclContext(Block));
1374 mangleUnqualifiedBlock(Block);
1375}
1376
1377void CXXNameMangler::mangleUnqualifiedBlock(const BlockDecl *Block) {
1378 if (Decl *Context = Block->getBlockManglingContextDecl()) {
1379 if ((isa<VarDecl>(Context) || isa<FieldDecl>(Context)) &&
1380 Context->getDeclContext()->isRecord()) {
1381 if (const IdentifierInfo *Name
1382 = cast<NamedDecl>(Context)->getIdentifier()) {
1383 mangleSourceName(Name);
1384 Out << 'M';
1385 }
1386 }
1387 }
1388
1389 // If we have a block mangling number, use it.
1390 unsigned Number = Block->getBlockManglingNumber();
1391 // Otherwise, just make up a number. It doesn't matter what it is because
1392 // the symbol in question isn't externally visible.
1393 if (!Number)
1394 Number = Context.getBlockId(Block, false);
1395 Out << "Ub";
1396 if (Number > 1)
1397 Out << Number - 2;
1398 Out << '_';
Guy Benyei11169dd2012-12-18 14:30:41 +00001399}
1400
1401void CXXNameMangler::mangleLambda(const CXXRecordDecl *Lambda) {
1402 // If the context of a closure type is an initializer for a class member
1403 // (static or nonstatic), it is encoded in a qualified name with a final
1404 // <prefix> of the form:
1405 //
1406 // <data-member-prefix> := <member source-name> M
1407 //
1408 // Technically, the data-member-prefix is part of the <prefix>. However,
1409 // since a closure type will always be mangled with a prefix, it's easier
1410 // to emit that last part of the prefix here.
1411 if (Decl *Context = Lambda->getLambdaContextDecl()) {
1412 if ((isa<VarDecl>(Context) || isa<FieldDecl>(Context)) &&
1413 Context->getDeclContext()->isRecord()) {
1414 if (const IdentifierInfo *Name
1415 = cast<NamedDecl>(Context)->getIdentifier()) {
1416 mangleSourceName(Name);
1417 Out << 'M';
1418 }
1419 }
1420 }
1421
1422 Out << "Ul";
1423 const FunctionProtoType *Proto = Lambda->getLambdaTypeInfo()->getType()->
1424 getAs<FunctionProtoType>();
1425 mangleBareFunctionType(Proto, /*MangleReturnType=*/false);
1426 Out << "E";
1427
1428 // The number is omitted for the first closure type with a given
1429 // <lambda-sig> in a given context; it is n-2 for the nth closure type
1430 // (in lexical order) with that same <lambda-sig> and context.
1431 //
1432 // The AST keeps track of the number for us.
1433 unsigned Number = Lambda->getLambdaManglingNumber();
1434 assert(Number > 0 && "Lambda should be mangled as an unnamed class");
1435 if (Number > 1)
1436 mangleNumber(Number - 2);
1437 Out << '_';
1438}
1439
1440void CXXNameMangler::manglePrefix(NestedNameSpecifier *qualifier) {
1441 switch (qualifier->getKind()) {
1442 case NestedNameSpecifier::Global:
1443 // nothing
1444 return;
1445
1446 case NestedNameSpecifier::Namespace:
1447 mangleName(qualifier->getAsNamespace());
1448 return;
1449
1450 case NestedNameSpecifier::NamespaceAlias:
1451 mangleName(qualifier->getAsNamespaceAlias()->getNamespace());
1452 return;
1453
1454 case NestedNameSpecifier::TypeSpec:
1455 case NestedNameSpecifier::TypeSpecWithTemplate:
1456 manglePrefix(QualType(qualifier->getAsType(), 0));
1457 return;
1458
1459 case NestedNameSpecifier::Identifier:
1460 // Member expressions can have these without prefixes, but that
1461 // should end up in mangleUnresolvedPrefix instead.
1462 assert(qualifier->getPrefix());
1463 manglePrefix(qualifier->getPrefix());
1464
1465 mangleSourceName(qualifier->getAsIdentifier());
1466 return;
1467 }
1468
1469 llvm_unreachable("unexpected nested name specifier");
1470}
1471
1472void CXXNameMangler::manglePrefix(const DeclContext *DC, bool NoFunction) {
1473 // <prefix> ::= <prefix> <unqualified-name>
1474 // ::= <template-prefix> <template-args>
1475 // ::= <template-param>
1476 // ::= # empty
1477 // ::= <substitution>
1478
1479 DC = IgnoreLinkageSpecDecls(DC);
1480
1481 if (DC->isTranslationUnit())
1482 return;
1483
Eli Friedman95f50122013-07-02 17:52:28 +00001484 if (NoFunction && isLocalContainerContext(DC))
1485 return;
Eli Friedman7e346a82013-07-01 20:22:57 +00001486
Eli Friedman95f50122013-07-02 17:52:28 +00001487 assert(!isLocalContainerContext(DC));
1488
Guy Benyei11169dd2012-12-18 14:30:41 +00001489 const NamedDecl *ND = cast<NamedDecl>(DC);
1490 if (mangleSubstitution(ND))
1491 return;
1492
1493 // Check if we have a template.
1494 const TemplateArgumentList *TemplateArgs = 0;
1495 if (const TemplateDecl *TD = isTemplate(ND, TemplateArgs)) {
1496 mangleTemplatePrefix(TD);
1497 mangleTemplateArgs(*TemplateArgs);
Eli Friedman95f50122013-07-02 17:52:28 +00001498 } else {
Guy Benyei11169dd2012-12-18 14:30:41 +00001499 manglePrefix(getEffectiveDeclContext(ND), NoFunction);
1500 mangleUnqualifiedName(ND);
1501 }
1502
1503 addSubstitution(ND);
1504}
1505
1506void CXXNameMangler::mangleTemplatePrefix(TemplateName Template) {
1507 // <template-prefix> ::= <prefix> <template unqualified-name>
1508 // ::= <template-param>
1509 // ::= <substitution>
1510 if (TemplateDecl *TD = Template.getAsTemplateDecl())
1511 return mangleTemplatePrefix(TD);
1512
1513 if (QualifiedTemplateName *Qualified = Template.getAsQualifiedTemplateName())
1514 manglePrefix(Qualified->getQualifier());
1515
1516 if (OverloadedTemplateStorage *Overloaded
1517 = Template.getAsOverloadedTemplate()) {
1518 mangleUnqualifiedName(0, (*Overloaded->begin())->getDeclName(),
1519 UnknownArity);
1520 return;
1521 }
1522
1523 DependentTemplateName *Dependent = Template.getAsDependentTemplateName();
1524 assert(Dependent && "Unknown template name kind?");
1525 manglePrefix(Dependent->getQualifier());
1526 mangleUnscopedTemplateName(Template);
1527}
1528
Eli Friedman86af13f02013-07-05 18:41:30 +00001529void CXXNameMangler::mangleTemplatePrefix(const TemplateDecl *ND,
1530 bool NoFunction) {
Guy Benyei11169dd2012-12-18 14:30:41 +00001531 // <template-prefix> ::= <prefix> <template unqualified-name>
1532 // ::= <template-param>
1533 // ::= <substitution>
1534 // <template-template-param> ::= <template-param>
1535 // <substitution>
1536
1537 if (mangleSubstitution(ND))
1538 return;
1539
1540 // <template-template-param> ::= <template-param>
1541 if (const TemplateTemplateParmDecl *TTP
1542 = dyn_cast<TemplateTemplateParmDecl>(ND)) {
1543 mangleTemplateParameter(TTP->getIndex());
1544 return;
1545 }
1546
Eli Friedman86af13f02013-07-05 18:41:30 +00001547 manglePrefix(getEffectiveDeclContext(ND), NoFunction);
Guy Benyei11169dd2012-12-18 14:30:41 +00001548 mangleUnqualifiedName(ND->getTemplatedDecl());
1549 addSubstitution(ND);
1550}
1551
1552/// Mangles a template name under the production <type>. Required for
1553/// template template arguments.
1554/// <type> ::= <class-enum-type>
1555/// ::= <template-param>
1556/// ::= <substitution>
1557void CXXNameMangler::mangleType(TemplateName TN) {
1558 if (mangleSubstitution(TN))
1559 return;
1560
1561 TemplateDecl *TD = 0;
1562
1563 switch (TN.getKind()) {
1564 case TemplateName::QualifiedTemplate:
1565 TD = TN.getAsQualifiedTemplateName()->getTemplateDecl();
1566 goto HaveDecl;
1567
1568 case TemplateName::Template:
1569 TD = TN.getAsTemplateDecl();
1570 goto HaveDecl;
1571
1572 HaveDecl:
1573 if (isa<TemplateTemplateParmDecl>(TD))
1574 mangleTemplateParameter(cast<TemplateTemplateParmDecl>(TD)->getIndex());
1575 else
1576 mangleName(TD);
1577 break;
1578
1579 case TemplateName::OverloadedTemplate:
1580 llvm_unreachable("can't mangle an overloaded template name as a <type>");
1581
1582 case TemplateName::DependentTemplate: {
1583 const DependentTemplateName *Dependent = TN.getAsDependentTemplateName();
1584 assert(Dependent->isIdentifier());
1585
1586 // <class-enum-type> ::= <name>
1587 // <name> ::= <nested-name>
1588 mangleUnresolvedPrefix(Dependent->getQualifier(), 0);
1589 mangleSourceName(Dependent->getIdentifier());
1590 break;
1591 }
1592
1593 case TemplateName::SubstTemplateTemplateParm: {
1594 // Substituted template parameters are mangled as the substituted
1595 // template. This will check for the substitution twice, which is
1596 // fine, but we have to return early so that we don't try to *add*
1597 // the substitution twice.
1598 SubstTemplateTemplateParmStorage *subst
1599 = TN.getAsSubstTemplateTemplateParm();
1600 mangleType(subst->getReplacement());
1601 return;
1602 }
1603
1604 case TemplateName::SubstTemplateTemplateParmPack: {
1605 // FIXME: not clear how to mangle this!
1606 // template <template <class> class T...> class A {
1607 // template <template <class> class U...> void foo(B<T,U> x...);
1608 // };
1609 Out << "_SUBSTPACK_";
1610 break;
1611 }
1612 }
1613
1614 addSubstitution(TN);
1615}
1616
1617void
1618CXXNameMangler::mangleOperatorName(OverloadedOperatorKind OO, unsigned Arity) {
1619 switch (OO) {
1620 // <operator-name> ::= nw # new
1621 case OO_New: Out << "nw"; break;
1622 // ::= na # new[]
1623 case OO_Array_New: Out << "na"; break;
1624 // ::= dl # delete
1625 case OO_Delete: Out << "dl"; break;
1626 // ::= da # delete[]
1627 case OO_Array_Delete: Out << "da"; break;
1628 // ::= ps # + (unary)
1629 // ::= pl # + (binary or unknown)
1630 case OO_Plus:
1631 Out << (Arity == 1? "ps" : "pl"); break;
1632 // ::= ng # - (unary)
1633 // ::= mi # - (binary or unknown)
1634 case OO_Minus:
1635 Out << (Arity == 1? "ng" : "mi"); break;
1636 // ::= ad # & (unary)
1637 // ::= an # & (binary or unknown)
1638 case OO_Amp:
1639 Out << (Arity == 1? "ad" : "an"); break;
1640 // ::= de # * (unary)
1641 // ::= ml # * (binary or unknown)
1642 case OO_Star:
1643 // Use binary when unknown.
1644 Out << (Arity == 1? "de" : "ml"); break;
1645 // ::= co # ~
1646 case OO_Tilde: Out << "co"; break;
1647 // ::= dv # /
1648 case OO_Slash: Out << "dv"; break;
1649 // ::= rm # %
1650 case OO_Percent: Out << "rm"; break;
1651 // ::= or # |
1652 case OO_Pipe: Out << "or"; break;
1653 // ::= eo # ^
1654 case OO_Caret: Out << "eo"; break;
1655 // ::= aS # =
1656 case OO_Equal: Out << "aS"; break;
1657 // ::= pL # +=
1658 case OO_PlusEqual: Out << "pL"; break;
1659 // ::= mI # -=
1660 case OO_MinusEqual: Out << "mI"; break;
1661 // ::= mL # *=
1662 case OO_StarEqual: Out << "mL"; break;
1663 // ::= dV # /=
1664 case OO_SlashEqual: Out << "dV"; break;
1665 // ::= rM # %=
1666 case OO_PercentEqual: Out << "rM"; break;
1667 // ::= aN # &=
1668 case OO_AmpEqual: Out << "aN"; break;
1669 // ::= oR # |=
1670 case OO_PipeEqual: Out << "oR"; break;
1671 // ::= eO # ^=
1672 case OO_CaretEqual: Out << "eO"; break;
1673 // ::= ls # <<
1674 case OO_LessLess: Out << "ls"; break;
1675 // ::= rs # >>
1676 case OO_GreaterGreater: Out << "rs"; break;
1677 // ::= lS # <<=
1678 case OO_LessLessEqual: Out << "lS"; break;
1679 // ::= rS # >>=
1680 case OO_GreaterGreaterEqual: Out << "rS"; break;
1681 // ::= eq # ==
1682 case OO_EqualEqual: Out << "eq"; break;
1683 // ::= ne # !=
1684 case OO_ExclaimEqual: Out << "ne"; break;
1685 // ::= lt # <
1686 case OO_Less: Out << "lt"; break;
1687 // ::= gt # >
1688 case OO_Greater: Out << "gt"; break;
1689 // ::= le # <=
1690 case OO_LessEqual: Out << "le"; break;
1691 // ::= ge # >=
1692 case OO_GreaterEqual: Out << "ge"; break;
1693 // ::= nt # !
1694 case OO_Exclaim: Out << "nt"; break;
1695 // ::= aa # &&
1696 case OO_AmpAmp: Out << "aa"; break;
1697 // ::= oo # ||
1698 case OO_PipePipe: Out << "oo"; break;
1699 // ::= pp # ++
1700 case OO_PlusPlus: Out << "pp"; break;
1701 // ::= mm # --
1702 case OO_MinusMinus: Out << "mm"; break;
1703 // ::= cm # ,
1704 case OO_Comma: Out << "cm"; break;
1705 // ::= pm # ->*
1706 case OO_ArrowStar: Out << "pm"; break;
1707 // ::= pt # ->
1708 case OO_Arrow: Out << "pt"; break;
1709 // ::= cl # ()
1710 case OO_Call: Out << "cl"; break;
1711 // ::= ix # []
1712 case OO_Subscript: Out << "ix"; break;
1713
1714 // ::= qu # ?
1715 // The conditional operator can't be overloaded, but we still handle it when
1716 // mangling expressions.
1717 case OO_Conditional: Out << "qu"; break;
1718
1719 case OO_None:
1720 case NUM_OVERLOADED_OPERATORS:
1721 llvm_unreachable("Not an overloaded operator");
1722 }
1723}
1724
1725void CXXNameMangler::mangleQualifiers(Qualifiers Quals) {
1726 // <CV-qualifiers> ::= [r] [V] [K] # restrict (C99), volatile, const
1727 if (Quals.hasRestrict())
1728 Out << 'r';
1729 if (Quals.hasVolatile())
1730 Out << 'V';
1731 if (Quals.hasConst())
1732 Out << 'K';
1733
1734 if (Quals.hasAddressSpace()) {
David Tweed31d09b02013-09-13 12:04:22 +00001735 // Address space extension:
Guy Benyei11169dd2012-12-18 14:30:41 +00001736 //
David Tweed31d09b02013-09-13 12:04:22 +00001737 // <type> ::= U <target-addrspace>
1738 // <type> ::= U <OpenCL-addrspace>
1739 // <type> ::= U <CUDA-addrspace>
1740
Guy Benyei11169dd2012-12-18 14:30:41 +00001741 SmallString<64> ASString;
David Tweed31d09b02013-09-13 12:04:22 +00001742 unsigned AS = Quals.getAddressSpace();
David Tweed31d09b02013-09-13 12:04:22 +00001743
1744 if (Context.getASTContext().addressSpaceMapManglingFor(AS)) {
1745 // <target-addrspace> ::= "AS" <address-space-number>
1746 unsigned TargetAS = Context.getASTContext().getTargetAddressSpace(AS);
1747 ASString = "AS" + llvm::utostr_32(TargetAS);
1748 } else {
1749 switch (AS) {
1750 default: llvm_unreachable("Not a language specific address space");
1751 // <OpenCL-addrspace> ::= "CL" [ "global" | "local" | "constant" ]
1752 case LangAS::opencl_global: ASString = "CLglobal"; break;
1753 case LangAS::opencl_local: ASString = "CLlocal"; break;
1754 case LangAS::opencl_constant: ASString = "CLconstant"; break;
1755 // <CUDA-addrspace> ::= "CU" [ "device" | "constant" | "shared" ]
1756 case LangAS::cuda_device: ASString = "CUdevice"; break;
1757 case LangAS::cuda_constant: ASString = "CUconstant"; break;
1758 case LangAS::cuda_shared: ASString = "CUshared"; break;
1759 }
1760 }
Guy Benyei11169dd2012-12-18 14:30:41 +00001761 Out << 'U' << ASString.size() << ASString;
1762 }
1763
1764 StringRef LifetimeName;
1765 switch (Quals.getObjCLifetime()) {
1766 // Objective-C ARC Extension:
1767 //
1768 // <type> ::= U "__strong"
1769 // <type> ::= U "__weak"
1770 // <type> ::= U "__autoreleasing"
1771 case Qualifiers::OCL_None:
1772 break;
1773
1774 case Qualifiers::OCL_Weak:
1775 LifetimeName = "__weak";
1776 break;
1777
1778 case Qualifiers::OCL_Strong:
1779 LifetimeName = "__strong";
1780 break;
1781
1782 case Qualifiers::OCL_Autoreleasing:
1783 LifetimeName = "__autoreleasing";
1784 break;
1785
1786 case Qualifiers::OCL_ExplicitNone:
1787 // The __unsafe_unretained qualifier is *not* mangled, so that
1788 // __unsafe_unretained types in ARC produce the same manglings as the
1789 // equivalent (but, naturally, unqualified) types in non-ARC, providing
1790 // better ABI compatibility.
1791 //
1792 // It's safe to do this because unqualified 'id' won't show up
1793 // in any type signatures that need to be mangled.
1794 break;
1795 }
1796 if (!LifetimeName.empty())
1797 Out << 'U' << LifetimeName.size() << LifetimeName;
1798}
1799
1800void CXXNameMangler::mangleRefQualifier(RefQualifierKind RefQualifier) {
1801 // <ref-qualifier> ::= R # lvalue reference
1802 // ::= O # rvalue-reference
Guy Benyei11169dd2012-12-18 14:30:41 +00001803 switch (RefQualifier) {
1804 case RQ_None:
1805 break;
1806
1807 case RQ_LValue:
1808 Out << 'R';
1809 break;
1810
1811 case RQ_RValue:
1812 Out << 'O';
1813 break;
1814 }
1815}
1816
1817void CXXNameMangler::mangleObjCMethodName(const ObjCMethodDecl *MD) {
1818 Context.mangleObjCMethodName(MD, Out);
1819}
1820
1821void CXXNameMangler::mangleType(QualType T) {
1822 // If our type is instantiation-dependent but not dependent, we mangle
1823 // it as it was written in the source, removing any top-level sugar.
1824 // Otherwise, use the canonical type.
1825 //
1826 // FIXME: This is an approximation of the instantiation-dependent name
1827 // mangling rules, since we should really be using the type as written and
1828 // augmented via semantic analysis (i.e., with implicit conversions and
1829 // default template arguments) for any instantiation-dependent type.
1830 // Unfortunately, that requires several changes to our AST:
1831 // - Instantiation-dependent TemplateSpecializationTypes will need to be
1832 // uniqued, so that we can handle substitutions properly
1833 // - Default template arguments will need to be represented in the
1834 // TemplateSpecializationType, since they need to be mangled even though
1835 // they aren't written.
1836 // - Conversions on non-type template arguments need to be expressed, since
1837 // they can affect the mangling of sizeof/alignof.
1838 if (!T->isInstantiationDependentType() || T->isDependentType())
1839 T = T.getCanonicalType();
1840 else {
1841 // Desugar any types that are purely sugar.
1842 do {
1843 // Don't desugar through template specialization types that aren't
1844 // type aliases. We need to mangle the template arguments as written.
1845 if (const TemplateSpecializationType *TST
1846 = dyn_cast<TemplateSpecializationType>(T))
1847 if (!TST->isTypeAlias())
1848 break;
1849
1850 QualType Desugared
1851 = T.getSingleStepDesugaredType(Context.getASTContext());
1852 if (Desugared == T)
1853 break;
1854
1855 T = Desugared;
1856 } while (true);
1857 }
1858 SplitQualType split = T.split();
1859 Qualifiers quals = split.Quals;
1860 const Type *ty = split.Ty;
1861
1862 bool isSubstitutable = quals || !isa<BuiltinType>(T);
1863 if (isSubstitutable && mangleSubstitution(T))
1864 return;
1865
1866 // If we're mangling a qualified array type, push the qualifiers to
1867 // the element type.
1868 if (quals && isa<ArrayType>(T)) {
1869 ty = Context.getASTContext().getAsArrayType(T);
1870 quals = Qualifiers();
1871
1872 // Note that we don't update T: we want to add the
1873 // substitution at the original type.
1874 }
1875
1876 if (quals) {
1877 mangleQualifiers(quals);
1878 // Recurse: even if the qualified type isn't yet substitutable,
1879 // the unqualified type might be.
1880 mangleType(QualType(ty, 0));
1881 } else {
1882 switch (ty->getTypeClass()) {
1883#define ABSTRACT_TYPE(CLASS, PARENT)
1884#define NON_CANONICAL_TYPE(CLASS, PARENT) \
1885 case Type::CLASS: \
1886 llvm_unreachable("can't mangle non-canonical type " #CLASS "Type"); \
1887 return;
1888#define TYPE(CLASS, PARENT) \
1889 case Type::CLASS: \
1890 mangleType(static_cast<const CLASS##Type*>(ty)); \
1891 break;
1892#include "clang/AST/TypeNodes.def"
1893 }
1894 }
1895
1896 // Add the substitution.
1897 if (isSubstitutable)
1898 addSubstitution(T);
1899}
1900
1901void CXXNameMangler::mangleNameOrStandardSubstitution(const NamedDecl *ND) {
1902 if (!mangleStandardSubstitution(ND))
1903 mangleName(ND);
1904}
1905
1906void CXXNameMangler::mangleType(const BuiltinType *T) {
1907 // <type> ::= <builtin-type>
1908 // <builtin-type> ::= v # void
1909 // ::= w # wchar_t
1910 // ::= b # bool
1911 // ::= c # char
1912 // ::= a # signed char
1913 // ::= h # unsigned char
1914 // ::= s # short
1915 // ::= t # unsigned short
1916 // ::= i # int
1917 // ::= j # unsigned int
1918 // ::= l # long
1919 // ::= m # unsigned long
1920 // ::= x # long long, __int64
1921 // ::= y # unsigned long long, __int64
1922 // ::= n # __int128
Ekaterina Romanova91b655b2013-11-21 22:25:24 +00001923 // ::= o # unsigned __int128
Guy Benyei11169dd2012-12-18 14:30:41 +00001924 // ::= f # float
1925 // ::= d # double
1926 // ::= e # long double, __float80
1927 // UNSUPPORTED: ::= g # __float128
1928 // UNSUPPORTED: ::= Dd # IEEE 754r decimal floating point (64 bits)
1929 // UNSUPPORTED: ::= De # IEEE 754r decimal floating point (128 bits)
1930 // UNSUPPORTED: ::= Df # IEEE 754r decimal floating point (32 bits)
1931 // ::= Dh # IEEE 754r half-precision floating point (16 bits)
1932 // ::= Di # char32_t
1933 // ::= Ds # char16_t
1934 // ::= Dn # std::nullptr_t (i.e., decltype(nullptr))
1935 // ::= u <source-name> # vendor extended type
1936 switch (T->getKind()) {
1937 case BuiltinType::Void: Out << 'v'; break;
1938 case BuiltinType::Bool: Out << 'b'; break;
1939 case BuiltinType::Char_U: case BuiltinType::Char_S: Out << 'c'; break;
1940 case BuiltinType::UChar: Out << 'h'; break;
1941 case BuiltinType::UShort: Out << 't'; break;
1942 case BuiltinType::UInt: Out << 'j'; break;
1943 case BuiltinType::ULong: Out << 'm'; break;
1944 case BuiltinType::ULongLong: Out << 'y'; break;
1945 case BuiltinType::UInt128: Out << 'o'; break;
1946 case BuiltinType::SChar: Out << 'a'; break;
1947 case BuiltinType::WChar_S:
1948 case BuiltinType::WChar_U: Out << 'w'; break;
1949 case BuiltinType::Char16: Out << "Ds"; break;
1950 case BuiltinType::Char32: Out << "Di"; break;
1951 case BuiltinType::Short: Out << 's'; break;
1952 case BuiltinType::Int: Out << 'i'; break;
1953 case BuiltinType::Long: Out << 'l'; break;
1954 case BuiltinType::LongLong: Out << 'x'; break;
1955 case BuiltinType::Int128: Out << 'n'; break;
1956 case BuiltinType::Half: Out << "Dh"; break;
1957 case BuiltinType::Float: Out << 'f'; break;
1958 case BuiltinType::Double: Out << 'd'; break;
1959 case BuiltinType::LongDouble: Out << 'e'; break;
1960 case BuiltinType::NullPtr: Out << "Dn"; break;
1961
1962#define BUILTIN_TYPE(Id, SingletonId)
1963#define PLACEHOLDER_TYPE(Id, SingletonId) \
1964 case BuiltinType::Id:
1965#include "clang/AST/BuiltinTypes.def"
1966 case BuiltinType::Dependent:
1967 llvm_unreachable("mangling a placeholder type");
1968 case BuiltinType::ObjCId: Out << "11objc_object"; break;
1969 case BuiltinType::ObjCClass: Out << "10objc_class"; break;
1970 case BuiltinType::ObjCSel: Out << "13objc_selector"; break;
Guy Benyeid8a08ea2012-12-18 14:38:23 +00001971 case BuiltinType::OCLImage1d: Out << "11ocl_image1d"; break;
1972 case BuiltinType::OCLImage1dArray: Out << "16ocl_image1darray"; break;
1973 case BuiltinType::OCLImage1dBuffer: Out << "17ocl_image1dbuffer"; break;
1974 case BuiltinType::OCLImage2d: Out << "11ocl_image2d"; break;
1975 case BuiltinType::OCLImage2dArray: Out << "16ocl_image2darray"; break;
1976 case BuiltinType::OCLImage3d: Out << "11ocl_image3d"; break;
Guy Benyei61054192013-02-07 10:55:47 +00001977 case BuiltinType::OCLSampler: Out << "11ocl_sampler"; break;
Guy Benyei1b4fb3e2013-01-20 12:31:11 +00001978 case BuiltinType::OCLEvent: Out << "9ocl_event"; break;
Guy Benyei11169dd2012-12-18 14:30:41 +00001979 }
1980}
1981
1982// <type> ::= <function-type>
1983// <function-type> ::= [<CV-qualifiers>] F [Y]
1984// <bare-function-type> [<ref-qualifier>] E
Guy Benyei11169dd2012-12-18 14:30:41 +00001985void CXXNameMangler::mangleType(const FunctionProtoType *T) {
1986 // Mangle CV-qualifiers, if present. These are 'this' qualifiers,
1987 // e.g. "const" in "int (A::*)() const".
1988 mangleQualifiers(Qualifiers::fromCVRMask(T->getTypeQuals()));
1989
1990 Out << 'F';
1991
1992 // FIXME: We don't have enough information in the AST to produce the 'Y'
1993 // encoding for extern "C" function types.
1994 mangleBareFunctionType(T, /*MangleReturnType=*/true);
1995
1996 // Mangle the ref-qualifier, if present.
1997 mangleRefQualifier(T->getRefQualifier());
1998
1999 Out << 'E';
2000}
2001void CXXNameMangler::mangleType(const FunctionNoProtoType *T) {
2002 llvm_unreachable("Can't mangle K&R function prototypes");
2003}
2004void CXXNameMangler::mangleBareFunctionType(const FunctionType *T,
2005 bool MangleReturnType) {
2006 // We should never be mangling something without a prototype.
2007 const FunctionProtoType *Proto = cast<FunctionProtoType>(T);
2008
2009 // Record that we're in a function type. See mangleFunctionParam
2010 // for details on what we're trying to achieve here.
2011 FunctionTypeDepthState saved = FunctionTypeDepth.push();
2012
2013 // <bare-function-type> ::= <signature type>+
2014 if (MangleReturnType) {
2015 FunctionTypeDepth.enterResultType();
Alp Toker314cc812014-01-25 16:55:45 +00002016 mangleType(Proto->getReturnType());
Guy Benyei11169dd2012-12-18 14:30:41 +00002017 FunctionTypeDepth.leaveResultType();
2018 }
2019
Alp Toker9cacbab2014-01-20 20:26:09 +00002020 if (Proto->getNumParams() == 0 && !Proto->isVariadic()) {
Guy Benyei11169dd2012-12-18 14:30:41 +00002021 // <builtin-type> ::= v # void
2022 Out << 'v';
2023
2024 FunctionTypeDepth.pop(saved);
2025 return;
2026 }
2027
Alp Toker9cacbab2014-01-20 20:26:09 +00002028 for (FunctionProtoType::param_type_iterator Arg = Proto->param_type_begin(),
2029 ArgEnd = Proto->param_type_end();
Guy Benyei11169dd2012-12-18 14:30:41 +00002030 Arg != ArgEnd; ++Arg)
2031 mangleType(Context.getASTContext().getSignatureParameterType(*Arg));
2032
2033 FunctionTypeDepth.pop(saved);
2034
2035 // <builtin-type> ::= z # ellipsis
2036 if (Proto->isVariadic())
2037 Out << 'z';
2038}
2039
2040// <type> ::= <class-enum-type>
2041// <class-enum-type> ::= <name>
2042void CXXNameMangler::mangleType(const UnresolvedUsingType *T) {
2043 mangleName(T->getDecl());
2044}
2045
2046// <type> ::= <class-enum-type>
2047// <class-enum-type> ::= <name>
2048void CXXNameMangler::mangleType(const EnumType *T) {
2049 mangleType(static_cast<const TagType*>(T));
2050}
2051void CXXNameMangler::mangleType(const RecordType *T) {
2052 mangleType(static_cast<const TagType*>(T));
2053}
2054void CXXNameMangler::mangleType(const TagType *T) {
2055 mangleName(T->getDecl());
2056}
2057
2058// <type> ::= <array-type>
2059// <array-type> ::= A <positive dimension number> _ <element type>
2060// ::= A [<dimension expression>] _ <element type>
2061void CXXNameMangler::mangleType(const ConstantArrayType *T) {
2062 Out << 'A' << T->getSize() << '_';
2063 mangleType(T->getElementType());
2064}
2065void CXXNameMangler::mangleType(const VariableArrayType *T) {
2066 Out << 'A';
2067 // decayed vla types (size 0) will just be skipped.
2068 if (T->getSizeExpr())
2069 mangleExpression(T->getSizeExpr());
2070 Out << '_';
2071 mangleType(T->getElementType());
2072}
2073void CXXNameMangler::mangleType(const DependentSizedArrayType *T) {
2074 Out << 'A';
2075 mangleExpression(T->getSizeExpr());
2076 Out << '_';
2077 mangleType(T->getElementType());
2078}
2079void CXXNameMangler::mangleType(const IncompleteArrayType *T) {
2080 Out << "A_";
2081 mangleType(T->getElementType());
2082}
2083
2084// <type> ::= <pointer-to-member-type>
2085// <pointer-to-member-type> ::= M <class type> <member type>
2086void CXXNameMangler::mangleType(const MemberPointerType *T) {
2087 Out << 'M';
2088 mangleType(QualType(T->getClass(), 0));
2089 QualType PointeeType = T->getPointeeType();
2090 if (const FunctionProtoType *FPT = dyn_cast<FunctionProtoType>(PointeeType)) {
2091 mangleType(FPT);
2092
2093 // Itanium C++ ABI 5.1.8:
2094 //
2095 // The type of a non-static member function is considered to be different,
2096 // for the purposes of substitution, from the type of a namespace-scope or
2097 // static member function whose type appears similar. The types of two
2098 // non-static member functions are considered to be different, for the
2099 // purposes of substitution, if the functions are members of different
2100 // classes. In other words, for the purposes of substitution, the class of
2101 // which the function is a member is considered part of the type of
2102 // function.
2103
2104 // Given that we already substitute member function pointers as a
2105 // whole, the net effect of this rule is just to unconditionally
2106 // suppress substitution on the function type in a member pointer.
2107 // We increment the SeqID here to emulate adding an entry to the
2108 // substitution table.
2109 ++SeqID;
2110 } else
2111 mangleType(PointeeType);
2112}
2113
2114// <type> ::= <template-param>
2115void CXXNameMangler::mangleType(const TemplateTypeParmType *T) {
2116 mangleTemplateParameter(T->getIndex());
2117}
2118
2119// <type> ::= <template-param>
2120void CXXNameMangler::mangleType(const SubstTemplateTypeParmPackType *T) {
2121 // FIXME: not clear how to mangle this!
2122 // template <class T...> class A {
2123 // template <class U...> void foo(T(*)(U) x...);
2124 // };
2125 Out << "_SUBSTPACK_";
2126}
2127
2128// <type> ::= P <type> # pointer-to
2129void CXXNameMangler::mangleType(const PointerType *T) {
2130 Out << 'P';
2131 mangleType(T->getPointeeType());
2132}
2133void CXXNameMangler::mangleType(const ObjCObjectPointerType *T) {
2134 Out << 'P';
2135 mangleType(T->getPointeeType());
2136}
2137
2138// <type> ::= R <type> # reference-to
2139void CXXNameMangler::mangleType(const LValueReferenceType *T) {
2140 Out << 'R';
2141 mangleType(T->getPointeeType());
2142}
2143
2144// <type> ::= O <type> # rvalue reference-to (C++0x)
2145void CXXNameMangler::mangleType(const RValueReferenceType *T) {
2146 Out << 'O';
2147 mangleType(T->getPointeeType());
2148}
2149
2150// <type> ::= C <type> # complex pair (C 2000)
2151void CXXNameMangler::mangleType(const ComplexType *T) {
2152 Out << 'C';
2153 mangleType(T->getElementType());
2154}
2155
2156// ARM's ABI for Neon vector types specifies that they should be mangled as
2157// if they are structs (to match ARM's initial implementation). The
2158// vector type must be one of the special types predefined by ARM.
2159void CXXNameMangler::mangleNeonVectorType(const VectorType *T) {
2160 QualType EltType = T->getElementType();
2161 assert(EltType->isBuiltinType() && "Neon vector element not a BuiltinType");
2162 const char *EltName = 0;
2163 if (T->getVectorKind() == VectorType::NeonPolyVector) {
2164 switch (cast<BuiltinType>(EltType)->getKind()) {
2165 case BuiltinType::SChar: EltName = "poly8_t"; break;
2166 case BuiltinType::Short: EltName = "poly16_t"; break;
2167 default: llvm_unreachable("unexpected Neon polynomial vector element type");
2168 }
2169 } else {
2170 switch (cast<BuiltinType>(EltType)->getKind()) {
2171 case BuiltinType::SChar: EltName = "int8_t"; break;
2172 case BuiltinType::UChar: EltName = "uint8_t"; break;
2173 case BuiltinType::Short: EltName = "int16_t"; break;
2174 case BuiltinType::UShort: EltName = "uint16_t"; break;
2175 case BuiltinType::Int: EltName = "int32_t"; break;
2176 case BuiltinType::UInt: EltName = "uint32_t"; break;
2177 case BuiltinType::LongLong: EltName = "int64_t"; break;
2178 case BuiltinType::ULongLong: EltName = "uint64_t"; break;
2179 case BuiltinType::Float: EltName = "float32_t"; break;
Tim Northover2fe823a2013-08-01 09:23:19 +00002180 case BuiltinType::Half: EltName = "float16_t";break;
2181 default:
2182 llvm_unreachable("unexpected Neon vector element type");
Guy Benyei11169dd2012-12-18 14:30:41 +00002183 }
2184 }
2185 const char *BaseName = 0;
2186 unsigned BitSize = (T->getNumElements() *
2187 getASTContext().getTypeSize(EltType));
2188 if (BitSize == 64)
2189 BaseName = "__simd64_";
2190 else {
2191 assert(BitSize == 128 && "Neon vector type not 64 or 128 bits");
2192 BaseName = "__simd128_";
2193 }
2194 Out << strlen(BaseName) + strlen(EltName);
2195 Out << BaseName << EltName;
2196}
2197
Tim Northover2fe823a2013-08-01 09:23:19 +00002198static StringRef mangleAArch64VectorBase(const BuiltinType *EltType) {
2199 switch (EltType->getKind()) {
2200 case BuiltinType::SChar:
2201 return "Int8";
2202 case BuiltinType::Short:
2203 return "Int16";
2204 case BuiltinType::Int:
2205 return "Int32";
2206 case BuiltinType::LongLong:
2207 return "Int64";
2208 case BuiltinType::UChar:
2209 return "Uint8";
2210 case BuiltinType::UShort:
2211 return "Uint16";
2212 case BuiltinType::UInt:
2213 return "Uint32";
2214 case BuiltinType::ULongLong:
2215 return "Uint64";
2216 case BuiltinType::Half:
2217 return "Float16";
2218 case BuiltinType::Float:
2219 return "Float32";
2220 case BuiltinType::Double:
2221 return "Float64";
2222 default:
2223 llvm_unreachable("Unexpected vector element base type");
2224 }
2225}
2226
2227// AArch64's ABI for Neon vector types specifies that they should be mangled as
2228// the equivalent internal name. The vector type must be one of the special
2229// types predefined by ARM.
2230void CXXNameMangler::mangleAArch64NeonVectorType(const VectorType *T) {
2231 QualType EltType = T->getElementType();
2232 assert(EltType->isBuiltinType() && "Neon vector element not a BuiltinType");
2233 unsigned BitSize =
2234 (T->getNumElements() * getASTContext().getTypeSize(EltType));
Daniel Jasper8698af42013-08-01 10:30:11 +00002235 (void)BitSize; // Silence warning.
Tim Northover2fe823a2013-08-01 09:23:19 +00002236
2237 assert((BitSize == 64 || BitSize == 128) &&
2238 "Neon vector type not 64 or 128 bits");
2239
Tim Northover2fe823a2013-08-01 09:23:19 +00002240 StringRef EltName;
2241 if (T->getVectorKind() == VectorType::NeonPolyVector) {
2242 switch (cast<BuiltinType>(EltType)->getKind()) {
2243 case BuiltinType::UChar:
2244 EltName = "Poly8";
2245 break;
2246 case BuiltinType::UShort:
2247 EltName = "Poly16";
2248 break;
Hao Liu90ee2f12013-11-17 09:14:46 +00002249 case BuiltinType::ULongLong:
2250 EltName = "Poly64";
2251 break;
Tim Northover2fe823a2013-08-01 09:23:19 +00002252 default:
2253 llvm_unreachable("unexpected Neon polynomial vector element type");
2254 }
2255 } else
2256 EltName = mangleAArch64VectorBase(cast<BuiltinType>(EltType));
2257
2258 std::string TypeName =
2259 ("__" + EltName + "x" + llvm::utostr(T->getNumElements()) + "_t").str();
2260 Out << TypeName.length() << TypeName;
2261}
2262
Guy Benyei11169dd2012-12-18 14:30:41 +00002263// GNU extension: vector types
2264// <type> ::= <vector-type>
2265// <vector-type> ::= Dv <positive dimension number> _
2266// <extended element type>
2267// ::= Dv [<dimension expression>] _ <element type>
2268// <extended element type> ::= <element type>
2269// ::= p # AltiVec vector pixel
2270// ::= b # Altivec vector bool
2271void CXXNameMangler::mangleType(const VectorType *T) {
2272 if ((T->getVectorKind() == VectorType::NeonVector ||
2273 T->getVectorKind() == VectorType::NeonPolyVector)) {
Tim Northover2fe823a2013-08-01 09:23:19 +00002274 if (getASTContext().getTargetInfo().getTriple().getArch() ==
2275 llvm::Triple::aarch64)
2276 mangleAArch64NeonVectorType(T);
2277 else
2278 mangleNeonVectorType(T);
Guy Benyei11169dd2012-12-18 14:30:41 +00002279 return;
2280 }
2281 Out << "Dv" << T->getNumElements() << '_';
2282 if (T->getVectorKind() == VectorType::AltiVecPixel)
2283 Out << 'p';
2284 else if (T->getVectorKind() == VectorType::AltiVecBool)
2285 Out << 'b';
2286 else
2287 mangleType(T->getElementType());
2288}
2289void CXXNameMangler::mangleType(const ExtVectorType *T) {
2290 mangleType(static_cast<const VectorType*>(T));
2291}
2292void CXXNameMangler::mangleType(const DependentSizedExtVectorType *T) {
2293 Out << "Dv";
2294 mangleExpression(T->getSizeExpr());
2295 Out << '_';
2296 mangleType(T->getElementType());
2297}
2298
2299void CXXNameMangler::mangleType(const PackExpansionType *T) {
2300 // <type> ::= Dp <type> # pack expansion (C++0x)
2301 Out << "Dp";
2302 mangleType(T->getPattern());
2303}
2304
2305void CXXNameMangler::mangleType(const ObjCInterfaceType *T) {
2306 mangleSourceName(T->getDecl()->getIdentifier());
2307}
2308
2309void CXXNameMangler::mangleType(const ObjCObjectType *T) {
Eli Friedman5f508952013-06-18 22:41:37 +00002310 if (!T->qual_empty()) {
2311 // Mangle protocol qualifiers.
2312 SmallString<64> QualStr;
2313 llvm::raw_svector_ostream QualOS(QualStr);
2314 QualOS << "objcproto";
2315 ObjCObjectType::qual_iterator i = T->qual_begin(), e = T->qual_end();
2316 for ( ; i != e; ++i) {
2317 StringRef name = (*i)->getName();
2318 QualOS << name.size() << name;
2319 }
2320 QualOS.flush();
2321 Out << 'U' << QualStr.size() << QualStr;
2322 }
Guy Benyei11169dd2012-12-18 14:30:41 +00002323 mangleType(T->getBaseType());
2324}
2325
2326void CXXNameMangler::mangleType(const BlockPointerType *T) {
2327 Out << "U13block_pointer";
2328 mangleType(T->getPointeeType());
2329}
2330
2331void CXXNameMangler::mangleType(const InjectedClassNameType *T) {
2332 // Mangle injected class name types as if the user had written the
2333 // specialization out fully. It may not actually be possible to see
2334 // this mangling, though.
2335 mangleType(T->getInjectedSpecializationType());
2336}
2337
2338void CXXNameMangler::mangleType(const TemplateSpecializationType *T) {
2339 if (TemplateDecl *TD = T->getTemplateName().getAsTemplateDecl()) {
2340 mangleName(TD, T->getArgs(), T->getNumArgs());
2341 } else {
2342 if (mangleSubstitution(QualType(T, 0)))
2343 return;
2344
2345 mangleTemplatePrefix(T->getTemplateName());
2346
2347 // FIXME: GCC does not appear to mangle the template arguments when
2348 // the template in question is a dependent template name. Should we
2349 // emulate that badness?
2350 mangleTemplateArgs(T->getArgs(), T->getNumArgs());
2351 addSubstitution(QualType(T, 0));
2352 }
2353}
2354
2355void CXXNameMangler::mangleType(const DependentNameType *T) {
2356 // Typename types are always nested
2357 Out << 'N';
2358 manglePrefix(T->getQualifier());
2359 mangleSourceName(T->getIdentifier());
2360 Out << 'E';
2361}
2362
2363void CXXNameMangler::mangleType(const DependentTemplateSpecializationType *T) {
2364 // Dependently-scoped template types are nested if they have a prefix.
2365 Out << 'N';
2366
2367 // TODO: avoid making this TemplateName.
2368 TemplateName Prefix =
2369 getASTContext().getDependentTemplateName(T->getQualifier(),
2370 T->getIdentifier());
2371 mangleTemplatePrefix(Prefix);
2372
2373 // FIXME: GCC does not appear to mangle the template arguments when
2374 // the template in question is a dependent template name. Should we
2375 // emulate that badness?
2376 mangleTemplateArgs(T->getArgs(), T->getNumArgs());
2377 Out << 'E';
2378}
2379
2380void CXXNameMangler::mangleType(const TypeOfType *T) {
2381 // FIXME: this is pretty unsatisfactory, but there isn't an obvious
2382 // "extension with parameters" mangling.
2383 Out << "u6typeof";
2384}
2385
2386void CXXNameMangler::mangleType(const TypeOfExprType *T) {
2387 // FIXME: this is pretty unsatisfactory, but there isn't an obvious
2388 // "extension with parameters" mangling.
2389 Out << "u6typeof";
2390}
2391
2392void CXXNameMangler::mangleType(const DecltypeType *T) {
2393 Expr *E = T->getUnderlyingExpr();
2394
2395 // type ::= Dt <expression> E # decltype of an id-expression
2396 // # or class member access
2397 // ::= DT <expression> E # decltype of an expression
2398
2399 // This purports to be an exhaustive list of id-expressions and
2400 // class member accesses. Note that we do not ignore parentheses;
2401 // parentheses change the semantics of decltype for these
2402 // expressions (and cause the mangler to use the other form).
2403 if (isa<DeclRefExpr>(E) ||
2404 isa<MemberExpr>(E) ||
2405 isa<UnresolvedLookupExpr>(E) ||
2406 isa<DependentScopeDeclRefExpr>(E) ||
2407 isa<CXXDependentScopeMemberExpr>(E) ||
2408 isa<UnresolvedMemberExpr>(E))
2409 Out << "Dt";
2410 else
2411 Out << "DT";
2412 mangleExpression(E);
2413 Out << 'E';
2414}
2415
2416void CXXNameMangler::mangleType(const UnaryTransformType *T) {
2417 // If this is dependent, we need to record that. If not, we simply
2418 // mangle it as the underlying type since they are equivalent.
2419 if (T->isDependentType()) {
2420 Out << 'U';
2421
2422 switch (T->getUTTKind()) {
2423 case UnaryTransformType::EnumUnderlyingType:
2424 Out << "3eut";
2425 break;
2426 }
2427 }
2428
2429 mangleType(T->getUnderlyingType());
2430}
2431
2432void CXXNameMangler::mangleType(const AutoType *T) {
2433 QualType D = T->getDeducedType();
2434 // <builtin-type> ::= Da # dependent auto
2435 if (D.isNull())
Richard Smith74aeef52013-04-26 16:15:35 +00002436 Out << (T->isDecltypeAuto() ? "Dc" : "Da");
Guy Benyei11169dd2012-12-18 14:30:41 +00002437 else
2438 mangleType(D);
2439}
2440
2441void CXXNameMangler::mangleType(const AtomicType *T) {
2442 // <type> ::= U <source-name> <type> # vendor extended type qualifier
2443 // (Until there's a standardized mangling...)
2444 Out << "U7_Atomic";
2445 mangleType(T->getValueType());
2446}
2447
2448void CXXNameMangler::mangleIntegerLiteral(QualType T,
2449 const llvm::APSInt &Value) {
2450 // <expr-primary> ::= L <type> <value number> E # integer literal
2451 Out << 'L';
2452
2453 mangleType(T);
2454 if (T->isBooleanType()) {
2455 // Boolean values are encoded as 0/1.
2456 Out << (Value.getBoolValue() ? '1' : '0');
2457 } else {
2458 mangleNumber(Value);
2459 }
2460 Out << 'E';
2461
2462}
2463
2464/// Mangles a member expression.
2465void CXXNameMangler::mangleMemberExpr(const Expr *base,
2466 bool isArrow,
2467 NestedNameSpecifier *qualifier,
2468 NamedDecl *firstQualifierLookup,
2469 DeclarationName member,
2470 unsigned arity) {
2471 // <expression> ::= dt <expression> <unresolved-name>
2472 // ::= pt <expression> <unresolved-name>
2473 if (base) {
2474 if (base->isImplicitCXXThis()) {
2475 // Note: GCC mangles member expressions to the implicit 'this' as
2476 // *this., whereas we represent them as this->. The Itanium C++ ABI
2477 // does not specify anything here, so we follow GCC.
2478 Out << "dtdefpT";
2479 } else {
2480 Out << (isArrow ? "pt" : "dt");
2481 mangleExpression(base);
2482 }
2483 }
2484 mangleUnresolvedName(qualifier, firstQualifierLookup, member, arity);
2485}
2486
2487/// Look at the callee of the given call expression and determine if
2488/// it's a parenthesized id-expression which would have triggered ADL
2489/// otherwise.
2490static bool isParenthesizedADLCallee(const CallExpr *call) {
2491 const Expr *callee = call->getCallee();
2492 const Expr *fn = callee->IgnoreParens();
2493
2494 // Must be parenthesized. IgnoreParens() skips __extension__ nodes,
2495 // too, but for those to appear in the callee, it would have to be
2496 // parenthesized.
2497 if (callee == fn) return false;
2498
2499 // Must be an unresolved lookup.
2500 const UnresolvedLookupExpr *lookup = dyn_cast<UnresolvedLookupExpr>(fn);
2501 if (!lookup) return false;
2502
2503 assert(!lookup->requiresADL());
2504
2505 // Must be an unqualified lookup.
2506 if (lookup->getQualifier()) return false;
2507
2508 // Must not have found a class member. Note that if one is a class
2509 // member, they're all class members.
2510 if (lookup->getNumDecls() > 0 &&
2511 (*lookup->decls_begin())->isCXXClassMember())
2512 return false;
2513
2514 // Otherwise, ADL would have been triggered.
2515 return true;
2516}
2517
2518void CXXNameMangler::mangleExpression(const Expr *E, unsigned Arity) {
2519 // <expression> ::= <unary operator-name> <expression>
2520 // ::= <binary operator-name> <expression> <expression>
2521 // ::= <trinary operator-name> <expression> <expression> <expression>
2522 // ::= cv <type> expression # conversion with one argument
2523 // ::= cv <type> _ <expression>* E # conversion with a different number of arguments
2524 // ::= st <type> # sizeof (a type)
2525 // ::= at <type> # alignof (a type)
2526 // ::= <template-param>
2527 // ::= <function-param>
2528 // ::= sr <type> <unqualified-name> # dependent name
2529 // ::= sr <type> <unqualified-name> <template-args> # dependent template-id
2530 // ::= ds <expression> <expression> # expr.*expr
2531 // ::= sZ <template-param> # size of a parameter pack
2532 // ::= sZ <function-param> # size of a function parameter pack
2533 // ::= <expr-primary>
2534 // <expr-primary> ::= L <type> <value number> E # integer literal
2535 // ::= L <type <value float> E # floating literal
2536 // ::= L <mangled-name> E # external name
2537 // ::= fpT # 'this' expression
2538 QualType ImplicitlyConvertedToType;
2539
2540recurse:
2541 switch (E->getStmtClass()) {
2542 case Expr::NoStmtClass:
2543#define ABSTRACT_STMT(Type)
2544#define EXPR(Type, Base)
2545#define STMT(Type, Base) \
2546 case Expr::Type##Class:
2547#include "clang/AST/StmtNodes.inc"
2548 // fallthrough
2549
2550 // These all can only appear in local or variable-initialization
2551 // contexts and so should never appear in a mangling.
2552 case Expr::AddrLabelExprClass:
2553 case Expr::DesignatedInitExprClass:
2554 case Expr::ImplicitValueInitExprClass:
2555 case Expr::ParenListExprClass:
2556 case Expr::LambdaExprClass:
John McCall5e77d762013-04-16 07:28:30 +00002557 case Expr::MSPropertyRefExprClass:
Guy Benyei11169dd2012-12-18 14:30:41 +00002558 llvm_unreachable("unexpected statement kind");
2559
2560 // FIXME: invent manglings for all these.
2561 case Expr::BlockExprClass:
2562 case Expr::CXXPseudoDestructorExprClass:
2563 case Expr::ChooseExprClass:
2564 case Expr::CompoundLiteralExprClass:
2565 case Expr::ExtVectorElementExprClass:
2566 case Expr::GenericSelectionExprClass:
2567 case Expr::ObjCEncodeExprClass:
2568 case Expr::ObjCIsaExprClass:
2569 case Expr::ObjCIvarRefExprClass:
2570 case Expr::ObjCMessageExprClass:
2571 case Expr::ObjCPropertyRefExprClass:
2572 case Expr::ObjCProtocolExprClass:
2573 case Expr::ObjCSelectorExprClass:
2574 case Expr::ObjCStringLiteralClass:
2575 case Expr::ObjCBoxedExprClass:
2576 case Expr::ObjCArrayLiteralClass:
2577 case Expr::ObjCDictionaryLiteralClass:
2578 case Expr::ObjCSubscriptRefExprClass:
2579 case Expr::ObjCIndirectCopyRestoreExprClass:
2580 case Expr::OffsetOfExprClass:
2581 case Expr::PredefinedExprClass:
2582 case Expr::ShuffleVectorExprClass:
Hal Finkelc4d7c822013-09-18 03:29:45 +00002583 case Expr::ConvertVectorExprClass:
Guy Benyei11169dd2012-12-18 14:30:41 +00002584 case Expr::StmtExprClass:
Guy Benyei11169dd2012-12-18 14:30:41 +00002585 case Expr::TypeTraitExprClass:
2586 case Expr::ArrayTypeTraitExprClass:
2587 case Expr::ExpressionTraitExprClass:
2588 case Expr::VAArgExprClass:
2589 case Expr::CXXUuidofExprClass:
2590 case Expr::CUDAKernelCallExprClass:
2591 case Expr::AsTypeExprClass:
2592 case Expr::PseudoObjectExprClass:
2593 case Expr::AtomicExprClass:
2594 {
2595 // As bad as this diagnostic is, it's better than crashing.
2596 DiagnosticsEngine &Diags = Context.getDiags();
2597 unsigned DiagID = Diags.getCustomDiagID(DiagnosticsEngine::Error,
2598 "cannot yet mangle expression type %0");
2599 Diags.Report(E->getExprLoc(), DiagID)
2600 << E->getStmtClassName() << E->getSourceRange();
2601 break;
2602 }
2603
2604 // Even gcc-4.5 doesn't mangle this.
2605 case Expr::BinaryConditionalOperatorClass: {
2606 DiagnosticsEngine &Diags = Context.getDiags();
2607 unsigned DiagID =
2608 Diags.getCustomDiagID(DiagnosticsEngine::Error,
2609 "?: operator with omitted middle operand cannot be mangled");
2610 Diags.Report(E->getExprLoc(), DiagID)
2611 << E->getStmtClassName() << E->getSourceRange();
2612 break;
2613 }
2614
2615 // These are used for internal purposes and cannot be meaningfully mangled.
2616 case Expr::OpaqueValueExprClass:
2617 llvm_unreachable("cannot mangle opaque value; mangling wrong thing?");
2618
2619 case Expr::InitListExprClass: {
2620 // Proposal by Jason Merrill, 2012-01-03
2621 Out << "il";
2622 const InitListExpr *InitList = cast<InitListExpr>(E);
2623 for (unsigned i = 0, e = InitList->getNumInits(); i != e; ++i)
2624 mangleExpression(InitList->getInit(i));
2625 Out << "E";
2626 break;
2627 }
2628
2629 case Expr::CXXDefaultArgExprClass:
2630 mangleExpression(cast<CXXDefaultArgExpr>(E)->getExpr(), Arity);
2631 break;
2632
Richard Smith852c9db2013-04-20 22:23:05 +00002633 case Expr::CXXDefaultInitExprClass:
2634 mangleExpression(cast<CXXDefaultInitExpr>(E)->getExpr(), Arity);
2635 break;
2636
Richard Smithcc1b96d2013-06-12 22:31:48 +00002637 case Expr::CXXStdInitializerListExprClass:
2638 mangleExpression(cast<CXXStdInitializerListExpr>(E)->getSubExpr(), Arity);
2639 break;
2640
Guy Benyei11169dd2012-12-18 14:30:41 +00002641 case Expr::SubstNonTypeTemplateParmExprClass:
2642 mangleExpression(cast<SubstNonTypeTemplateParmExpr>(E)->getReplacement(),
2643 Arity);
2644 break;
2645
2646 case Expr::UserDefinedLiteralClass:
2647 // We follow g++'s approach of mangling a UDL as a call to the literal
2648 // operator.
2649 case Expr::CXXMemberCallExprClass: // fallthrough
2650 case Expr::CallExprClass: {
2651 const CallExpr *CE = cast<CallExpr>(E);
2652
2653 // <expression> ::= cp <simple-id> <expression>* E
2654 // We use this mangling only when the call would use ADL except
2655 // for being parenthesized. Per discussion with David
2656 // Vandervoorde, 2011.04.25.
2657 if (isParenthesizedADLCallee(CE)) {
2658 Out << "cp";
2659 // The callee here is a parenthesized UnresolvedLookupExpr with
2660 // no qualifier and should always get mangled as a <simple-id>
2661 // anyway.
2662
2663 // <expression> ::= cl <expression>* E
2664 } else {
2665 Out << "cl";
2666 }
2667
2668 mangleExpression(CE->getCallee(), CE->getNumArgs());
2669 for (unsigned I = 0, N = CE->getNumArgs(); I != N; ++I)
2670 mangleExpression(CE->getArg(I));
2671 Out << 'E';
2672 break;
2673 }
2674
2675 case Expr::CXXNewExprClass: {
2676 const CXXNewExpr *New = cast<CXXNewExpr>(E);
2677 if (New->isGlobalNew()) Out << "gs";
2678 Out << (New->isArray() ? "na" : "nw");
2679 for (CXXNewExpr::const_arg_iterator I = New->placement_arg_begin(),
2680 E = New->placement_arg_end(); I != E; ++I)
2681 mangleExpression(*I);
2682 Out << '_';
2683 mangleType(New->getAllocatedType());
2684 if (New->hasInitializer()) {
2685 // Proposal by Jason Merrill, 2012-01-03
2686 if (New->getInitializationStyle() == CXXNewExpr::ListInit)
2687 Out << "il";
2688 else
2689 Out << "pi";
2690 const Expr *Init = New->getInitializer();
2691 if (const CXXConstructExpr *CCE = dyn_cast<CXXConstructExpr>(Init)) {
2692 // Directly inline the initializers.
2693 for (CXXConstructExpr::const_arg_iterator I = CCE->arg_begin(),
2694 E = CCE->arg_end();
2695 I != E; ++I)
2696 mangleExpression(*I);
2697 } else if (const ParenListExpr *PLE = dyn_cast<ParenListExpr>(Init)) {
2698 for (unsigned i = 0, e = PLE->getNumExprs(); i != e; ++i)
2699 mangleExpression(PLE->getExpr(i));
2700 } else if (New->getInitializationStyle() == CXXNewExpr::ListInit &&
2701 isa<InitListExpr>(Init)) {
2702 // Only take InitListExprs apart for list-initialization.
2703 const InitListExpr *InitList = cast<InitListExpr>(Init);
2704 for (unsigned i = 0, e = InitList->getNumInits(); i != e; ++i)
2705 mangleExpression(InitList->getInit(i));
2706 } else
2707 mangleExpression(Init);
2708 }
2709 Out << 'E';
2710 break;
2711 }
2712
2713 case Expr::MemberExprClass: {
2714 const MemberExpr *ME = cast<MemberExpr>(E);
2715 mangleMemberExpr(ME->getBase(), ME->isArrow(),
2716 ME->getQualifier(), 0, ME->getMemberDecl()->getDeclName(),
2717 Arity);
2718 break;
2719 }
2720
2721 case Expr::UnresolvedMemberExprClass: {
2722 const UnresolvedMemberExpr *ME = cast<UnresolvedMemberExpr>(E);
2723 mangleMemberExpr(ME->getBase(), ME->isArrow(),
2724 ME->getQualifier(), 0, ME->getMemberName(),
2725 Arity);
2726 if (ME->hasExplicitTemplateArgs())
2727 mangleTemplateArgs(ME->getExplicitTemplateArgs());
2728 break;
2729 }
2730
2731 case Expr::CXXDependentScopeMemberExprClass: {
2732 const CXXDependentScopeMemberExpr *ME
2733 = cast<CXXDependentScopeMemberExpr>(E);
2734 mangleMemberExpr(ME->getBase(), ME->isArrow(),
2735 ME->getQualifier(), ME->getFirstQualifierFoundInScope(),
2736 ME->getMember(), Arity);
2737 if (ME->hasExplicitTemplateArgs())
2738 mangleTemplateArgs(ME->getExplicitTemplateArgs());
2739 break;
2740 }
2741
2742 case Expr::UnresolvedLookupExprClass: {
2743 const UnresolvedLookupExpr *ULE = cast<UnresolvedLookupExpr>(E);
2744 mangleUnresolvedName(ULE->getQualifier(), 0, ULE->getName(), Arity);
2745
2746 // All the <unresolved-name> productions end in a
2747 // base-unresolved-name, where <template-args> are just tacked
2748 // onto the end.
2749 if (ULE->hasExplicitTemplateArgs())
2750 mangleTemplateArgs(ULE->getExplicitTemplateArgs());
2751 break;
2752 }
2753
2754 case Expr::CXXUnresolvedConstructExprClass: {
2755 const CXXUnresolvedConstructExpr *CE = cast<CXXUnresolvedConstructExpr>(E);
2756 unsigned N = CE->arg_size();
2757
2758 Out << "cv";
2759 mangleType(CE->getType());
2760 if (N != 1) Out << '_';
2761 for (unsigned I = 0; I != N; ++I) mangleExpression(CE->getArg(I));
2762 if (N != 1) Out << 'E';
2763 break;
2764 }
2765
2766 case Expr::CXXTemporaryObjectExprClass:
2767 case Expr::CXXConstructExprClass: {
2768 const CXXConstructExpr *CE = cast<CXXConstructExpr>(E);
2769 unsigned N = CE->getNumArgs();
2770
2771 // Proposal by Jason Merrill, 2012-01-03
2772 if (CE->isListInitialization())
2773 Out << "tl";
2774 else
2775 Out << "cv";
2776 mangleType(CE->getType());
2777 if (N != 1) Out << '_';
2778 for (unsigned I = 0; I != N; ++I) mangleExpression(CE->getArg(I));
2779 if (N != 1) Out << 'E';
2780 break;
2781 }
2782
2783 case Expr::CXXScalarValueInitExprClass:
2784 Out <<"cv";
2785 mangleType(E->getType());
2786 Out <<"_E";
2787 break;
2788
2789 case Expr::CXXNoexceptExprClass:
2790 Out << "nx";
2791 mangleExpression(cast<CXXNoexceptExpr>(E)->getOperand());
2792 break;
2793
2794 case Expr::UnaryExprOrTypeTraitExprClass: {
2795 const UnaryExprOrTypeTraitExpr *SAE = cast<UnaryExprOrTypeTraitExpr>(E);
2796
2797 if (!SAE->isInstantiationDependent()) {
2798 // Itanium C++ ABI:
2799 // If the operand of a sizeof or alignof operator is not
2800 // instantiation-dependent it is encoded as an integer literal
2801 // reflecting the result of the operator.
2802 //
2803 // If the result of the operator is implicitly converted to a known
2804 // integer type, that type is used for the literal; otherwise, the type
2805 // of std::size_t or std::ptrdiff_t is used.
2806 QualType T = (ImplicitlyConvertedToType.isNull() ||
2807 !ImplicitlyConvertedToType->isIntegerType())? SAE->getType()
2808 : ImplicitlyConvertedToType;
2809 llvm::APSInt V = SAE->EvaluateKnownConstInt(Context.getASTContext());
2810 mangleIntegerLiteral(T, V);
2811 break;
2812 }
2813
2814 switch(SAE->getKind()) {
2815 case UETT_SizeOf:
2816 Out << 's';
2817 break;
2818 case UETT_AlignOf:
2819 Out << 'a';
2820 break;
2821 case UETT_VecStep:
2822 DiagnosticsEngine &Diags = Context.getDiags();
2823 unsigned DiagID = Diags.getCustomDiagID(DiagnosticsEngine::Error,
2824 "cannot yet mangle vec_step expression");
2825 Diags.Report(DiagID);
2826 return;
2827 }
2828 if (SAE->isArgumentType()) {
2829 Out << 't';
2830 mangleType(SAE->getArgumentType());
2831 } else {
2832 Out << 'z';
2833 mangleExpression(SAE->getArgumentExpr());
2834 }
2835 break;
2836 }
2837
2838 case Expr::CXXThrowExprClass: {
2839 const CXXThrowExpr *TE = cast<CXXThrowExpr>(E);
Richard Smitheb0133c2013-08-27 01:03:46 +00002840 // <expression> ::= tw <expression> # throw expression
2841 // ::= tr # rethrow
Guy Benyei11169dd2012-12-18 14:30:41 +00002842 if (TE->getSubExpr()) {
2843 Out << "tw";
2844 mangleExpression(TE->getSubExpr());
2845 } else {
2846 Out << "tr";
2847 }
2848 break;
2849 }
2850
2851 case Expr::CXXTypeidExprClass: {
2852 const CXXTypeidExpr *TIE = cast<CXXTypeidExpr>(E);
Richard Smitheb0133c2013-08-27 01:03:46 +00002853 // <expression> ::= ti <type> # typeid (type)
2854 // ::= te <expression> # typeid (expression)
Guy Benyei11169dd2012-12-18 14:30:41 +00002855 if (TIE->isTypeOperand()) {
2856 Out << "ti";
David Majnemer143c55e2013-09-27 07:04:31 +00002857 mangleType(TIE->getTypeOperand(Context.getASTContext()));
Guy Benyei11169dd2012-12-18 14:30:41 +00002858 } else {
2859 Out << "te";
2860 mangleExpression(TIE->getExprOperand());
2861 }
2862 break;
2863 }
2864
2865 case Expr::CXXDeleteExprClass: {
2866 const CXXDeleteExpr *DE = cast<CXXDeleteExpr>(E);
Richard Smitheb0133c2013-08-27 01:03:46 +00002867 // <expression> ::= [gs] dl <expression> # [::] delete expr
2868 // ::= [gs] da <expression> # [::] delete [] expr
Guy Benyei11169dd2012-12-18 14:30:41 +00002869 if (DE->isGlobalDelete()) Out << "gs";
2870 Out << (DE->isArrayForm() ? "da" : "dl");
2871 mangleExpression(DE->getArgument());
2872 break;
2873 }
2874
2875 case Expr::UnaryOperatorClass: {
2876 const UnaryOperator *UO = cast<UnaryOperator>(E);
2877 mangleOperatorName(UnaryOperator::getOverloadedOperator(UO->getOpcode()),
2878 /*Arity=*/1);
2879 mangleExpression(UO->getSubExpr());
2880 break;
2881 }
2882
2883 case Expr::ArraySubscriptExprClass: {
2884 const ArraySubscriptExpr *AE = cast<ArraySubscriptExpr>(E);
2885
2886 // Array subscript is treated as a syntactically weird form of
2887 // binary operator.
2888 Out << "ix";
2889 mangleExpression(AE->getLHS());
2890 mangleExpression(AE->getRHS());
2891 break;
2892 }
2893
2894 case Expr::CompoundAssignOperatorClass: // fallthrough
2895 case Expr::BinaryOperatorClass: {
2896 const BinaryOperator *BO = cast<BinaryOperator>(E);
2897 if (BO->getOpcode() == BO_PtrMemD)
2898 Out << "ds";
2899 else
2900 mangleOperatorName(BinaryOperator::getOverloadedOperator(BO->getOpcode()),
2901 /*Arity=*/2);
2902 mangleExpression(BO->getLHS());
2903 mangleExpression(BO->getRHS());
2904 break;
2905 }
2906
2907 case Expr::ConditionalOperatorClass: {
2908 const ConditionalOperator *CO = cast<ConditionalOperator>(E);
2909 mangleOperatorName(OO_Conditional, /*Arity=*/3);
2910 mangleExpression(CO->getCond());
2911 mangleExpression(CO->getLHS(), Arity);
2912 mangleExpression(CO->getRHS(), Arity);
2913 break;
2914 }
2915
2916 case Expr::ImplicitCastExprClass: {
2917 ImplicitlyConvertedToType = E->getType();
2918 E = cast<ImplicitCastExpr>(E)->getSubExpr();
2919 goto recurse;
2920 }
2921
2922 case Expr::ObjCBridgedCastExprClass: {
2923 // Mangle ownership casts as a vendor extended operator __bridge,
2924 // __bridge_transfer, or __bridge_retain.
2925 StringRef Kind = cast<ObjCBridgedCastExpr>(E)->getBridgeKindName();
2926 Out << "v1U" << Kind.size() << Kind;
2927 }
2928 // Fall through to mangle the cast itself.
2929
2930 case Expr::CStyleCastExprClass:
2931 case Expr::CXXStaticCastExprClass:
2932 case Expr::CXXDynamicCastExprClass:
2933 case Expr::CXXReinterpretCastExprClass:
2934 case Expr::CXXConstCastExprClass:
2935 case Expr::CXXFunctionalCastExprClass: {
2936 const ExplicitCastExpr *ECE = cast<ExplicitCastExpr>(E);
2937 Out << "cv";
2938 mangleType(ECE->getType());
2939 mangleExpression(ECE->getSubExpr());
2940 break;
2941 }
2942
2943 case Expr::CXXOperatorCallExprClass: {
2944 const CXXOperatorCallExpr *CE = cast<CXXOperatorCallExpr>(E);
2945 unsigned NumArgs = CE->getNumArgs();
2946 mangleOperatorName(CE->getOperator(), /*Arity=*/NumArgs);
2947 // Mangle the arguments.
2948 for (unsigned i = 0; i != NumArgs; ++i)
2949 mangleExpression(CE->getArg(i));
2950 break;
2951 }
2952
2953 case Expr::ParenExprClass:
2954 mangleExpression(cast<ParenExpr>(E)->getSubExpr(), Arity);
2955 break;
2956
2957 case Expr::DeclRefExprClass: {
2958 const NamedDecl *D = cast<DeclRefExpr>(E)->getDecl();
2959
2960 switch (D->getKind()) {
2961 default:
2962 // <expr-primary> ::= L <mangled-name> E # external name
2963 Out << 'L';
2964 mangle(D, "_Z");
2965 Out << 'E';
2966 break;
2967
2968 case Decl::ParmVar:
2969 mangleFunctionParam(cast<ParmVarDecl>(D));
2970 break;
2971
2972 case Decl::EnumConstant: {
2973 const EnumConstantDecl *ED = cast<EnumConstantDecl>(D);
2974 mangleIntegerLiteral(ED->getType(), ED->getInitVal());
2975 break;
2976 }
2977
2978 case Decl::NonTypeTemplateParm: {
2979 const NonTypeTemplateParmDecl *PD = cast<NonTypeTemplateParmDecl>(D);
2980 mangleTemplateParameter(PD->getIndex());
2981 break;
2982 }
2983
2984 }
2985
2986 break;
2987 }
2988
2989 case Expr::SubstNonTypeTemplateParmPackExprClass:
2990 // FIXME: not clear how to mangle this!
2991 // template <unsigned N...> class A {
2992 // template <class U...> void foo(U (&x)[N]...);
2993 // };
2994 Out << "_SUBSTPACK_";
2995 break;
2996
2997 case Expr::FunctionParmPackExprClass: {
2998 // FIXME: not clear how to mangle this!
2999 const FunctionParmPackExpr *FPPE = cast<FunctionParmPackExpr>(E);
3000 Out << "v110_SUBSTPACK";
3001 mangleFunctionParam(FPPE->getParameterPack());
3002 break;
3003 }
3004
3005 case Expr::DependentScopeDeclRefExprClass: {
3006 const DependentScopeDeclRefExpr *DRE = cast<DependentScopeDeclRefExpr>(E);
3007 mangleUnresolvedName(DRE->getQualifier(), 0, DRE->getDeclName(), Arity);
3008
3009 // All the <unresolved-name> productions end in a
3010 // base-unresolved-name, where <template-args> are just tacked
3011 // onto the end.
3012 if (DRE->hasExplicitTemplateArgs())
3013 mangleTemplateArgs(DRE->getExplicitTemplateArgs());
3014 break;
3015 }
3016
3017 case Expr::CXXBindTemporaryExprClass:
3018 mangleExpression(cast<CXXBindTemporaryExpr>(E)->getSubExpr());
3019 break;
3020
3021 case Expr::ExprWithCleanupsClass:
3022 mangleExpression(cast<ExprWithCleanups>(E)->getSubExpr(), Arity);
3023 break;
3024
3025 case Expr::FloatingLiteralClass: {
3026 const FloatingLiteral *FL = cast<FloatingLiteral>(E);
3027 Out << 'L';
3028 mangleType(FL->getType());
3029 mangleFloat(FL->getValue());
3030 Out << 'E';
3031 break;
3032 }
3033
3034 case Expr::CharacterLiteralClass:
3035 Out << 'L';
3036 mangleType(E->getType());
3037 Out << cast<CharacterLiteral>(E)->getValue();
3038 Out << 'E';
3039 break;
3040
3041 // FIXME. __objc_yes/__objc_no are mangled same as true/false
3042 case Expr::ObjCBoolLiteralExprClass:
3043 Out << "Lb";
3044 Out << (cast<ObjCBoolLiteralExpr>(E)->getValue() ? '1' : '0');
3045 Out << 'E';
3046 break;
3047
3048 case Expr::CXXBoolLiteralExprClass:
3049 Out << "Lb";
3050 Out << (cast<CXXBoolLiteralExpr>(E)->getValue() ? '1' : '0');
3051 Out << 'E';
3052 break;
3053
3054 case Expr::IntegerLiteralClass: {
3055 llvm::APSInt Value(cast<IntegerLiteral>(E)->getValue());
3056 if (E->getType()->isSignedIntegerType())
3057 Value.setIsSigned(true);
3058 mangleIntegerLiteral(E->getType(), Value);
3059 break;
3060 }
3061
3062 case Expr::ImaginaryLiteralClass: {
3063 const ImaginaryLiteral *IE = cast<ImaginaryLiteral>(E);
3064 // Mangle as if a complex literal.
3065 // Proposal from David Vandevoorde, 2010.06.30.
3066 Out << 'L';
3067 mangleType(E->getType());
3068 if (const FloatingLiteral *Imag =
3069 dyn_cast<FloatingLiteral>(IE->getSubExpr())) {
3070 // Mangle a floating-point zero of the appropriate type.
3071 mangleFloat(llvm::APFloat(Imag->getValue().getSemantics()));
3072 Out << '_';
3073 mangleFloat(Imag->getValue());
3074 } else {
3075 Out << "0_";
3076 llvm::APSInt Value(cast<IntegerLiteral>(IE->getSubExpr())->getValue());
3077 if (IE->getSubExpr()->getType()->isSignedIntegerType())
3078 Value.setIsSigned(true);
3079 mangleNumber(Value);
3080 }
3081 Out << 'E';
3082 break;
3083 }
3084
3085 case Expr::StringLiteralClass: {
3086 // Revised proposal from David Vandervoorde, 2010.07.15.
3087 Out << 'L';
3088 assert(isa<ConstantArrayType>(E->getType()));
3089 mangleType(E->getType());
3090 Out << 'E';
3091 break;
3092 }
3093
3094 case Expr::GNUNullExprClass:
3095 // FIXME: should this really be mangled the same as nullptr?
3096 // fallthrough
3097
3098 case Expr::CXXNullPtrLiteralExprClass: {
Guy Benyei11169dd2012-12-18 14:30:41 +00003099 Out << "LDnE";
3100 break;
3101 }
3102
3103 case Expr::PackExpansionExprClass:
3104 Out << "sp";
3105 mangleExpression(cast<PackExpansionExpr>(E)->getPattern());
3106 break;
3107
3108 case Expr::SizeOfPackExprClass: {
3109 Out << "sZ";
3110 const NamedDecl *Pack = cast<SizeOfPackExpr>(E)->getPack();
3111 if (const TemplateTypeParmDecl *TTP = dyn_cast<TemplateTypeParmDecl>(Pack))
3112 mangleTemplateParameter(TTP->getIndex());
3113 else if (const NonTypeTemplateParmDecl *NTTP
3114 = dyn_cast<NonTypeTemplateParmDecl>(Pack))
3115 mangleTemplateParameter(NTTP->getIndex());
3116 else if (const TemplateTemplateParmDecl *TempTP
3117 = dyn_cast<TemplateTemplateParmDecl>(Pack))
3118 mangleTemplateParameter(TempTP->getIndex());
3119 else
3120 mangleFunctionParam(cast<ParmVarDecl>(Pack));
3121 break;
3122 }
3123
3124 case Expr::MaterializeTemporaryExprClass: {
3125 mangleExpression(cast<MaterializeTemporaryExpr>(E)->GetTemporaryExpr());
3126 break;
3127 }
3128
3129 case Expr::CXXThisExprClass:
3130 Out << "fpT";
3131 break;
3132 }
3133}
3134
3135/// Mangle an expression which refers to a parameter variable.
3136///
3137/// <expression> ::= <function-param>
3138/// <function-param> ::= fp <top-level CV-qualifiers> _ # L == 0, I == 0
3139/// <function-param> ::= fp <top-level CV-qualifiers>
3140/// <parameter-2 non-negative number> _ # L == 0, I > 0
3141/// <function-param> ::= fL <L-1 non-negative number>
3142/// p <top-level CV-qualifiers> _ # L > 0, I == 0
3143/// <function-param> ::= fL <L-1 non-negative number>
3144/// p <top-level CV-qualifiers>
3145/// <I-1 non-negative number> _ # L > 0, I > 0
3146///
3147/// L is the nesting depth of the parameter, defined as 1 if the
3148/// parameter comes from the innermost function prototype scope
3149/// enclosing the current context, 2 if from the next enclosing
3150/// function prototype scope, and so on, with one special case: if
3151/// we've processed the full parameter clause for the innermost
3152/// function type, then L is one less. This definition conveniently
3153/// makes it irrelevant whether a function's result type was written
3154/// trailing or leading, but is otherwise overly complicated; the
3155/// numbering was first designed without considering references to
3156/// parameter in locations other than return types, and then the
3157/// mangling had to be generalized without changing the existing
3158/// manglings.
3159///
3160/// I is the zero-based index of the parameter within its parameter
3161/// declaration clause. Note that the original ABI document describes
3162/// this using 1-based ordinals.
3163void CXXNameMangler::mangleFunctionParam(const ParmVarDecl *parm) {
3164 unsigned parmDepth = parm->getFunctionScopeDepth();
3165 unsigned parmIndex = parm->getFunctionScopeIndex();
3166
3167 // Compute 'L'.
3168 // parmDepth does not include the declaring function prototype.
3169 // FunctionTypeDepth does account for that.
3170 assert(parmDepth < FunctionTypeDepth.getDepth());
3171 unsigned nestingDepth = FunctionTypeDepth.getDepth() - parmDepth;
3172 if (FunctionTypeDepth.isInResultType())
3173 nestingDepth--;
3174
3175 if (nestingDepth == 0) {
3176 Out << "fp";
3177 } else {
3178 Out << "fL" << (nestingDepth - 1) << 'p';
3179 }
3180
3181 // Top-level qualifiers. We don't have to worry about arrays here,
3182 // because parameters declared as arrays should already have been
3183 // transformed to have pointer type. FIXME: apparently these don't
3184 // get mangled if used as an rvalue of a known non-class type?
3185 assert(!parm->getType()->isArrayType()
3186 && "parameter's type is still an array type?");
3187 mangleQualifiers(parm->getType().getQualifiers());
3188
3189 // Parameter index.
3190 if (parmIndex != 0) {
3191 Out << (parmIndex - 1);
3192 }
3193 Out << '_';
3194}
3195
3196void CXXNameMangler::mangleCXXCtorType(CXXCtorType T) {
3197 // <ctor-dtor-name> ::= C1 # complete object constructor
3198 // ::= C2 # base object constructor
3199 // ::= C3 # complete object allocating constructor
3200 //
3201 switch (T) {
3202 case Ctor_Complete:
3203 Out << "C1";
3204 break;
3205 case Ctor_Base:
3206 Out << "C2";
3207 break;
3208 case Ctor_CompleteAllocating:
3209 Out << "C3";
3210 break;
3211 }
3212}
3213
3214void CXXNameMangler::mangleCXXDtorType(CXXDtorType T) {
3215 // <ctor-dtor-name> ::= D0 # deleting destructor
3216 // ::= D1 # complete object destructor
3217 // ::= D2 # base object destructor
3218 //
3219 switch (T) {
3220 case Dtor_Deleting:
3221 Out << "D0";
3222 break;
3223 case Dtor_Complete:
3224 Out << "D1";
3225 break;
3226 case Dtor_Base:
3227 Out << "D2";
3228 break;
3229 }
3230}
3231
3232void CXXNameMangler::mangleTemplateArgs(
3233 const ASTTemplateArgumentListInfo &TemplateArgs) {
3234 // <template-args> ::= I <template-arg>+ E
3235 Out << 'I';
3236 for (unsigned i = 0, e = TemplateArgs.NumTemplateArgs; i != e; ++i)
3237 mangleTemplateArg(TemplateArgs.getTemplateArgs()[i].getArgument());
3238 Out << 'E';
3239}
3240
3241void CXXNameMangler::mangleTemplateArgs(const TemplateArgumentList &AL) {
3242 // <template-args> ::= I <template-arg>+ E
3243 Out << 'I';
3244 for (unsigned i = 0, e = AL.size(); i != e; ++i)
3245 mangleTemplateArg(AL[i]);
3246 Out << 'E';
3247}
3248
3249void CXXNameMangler::mangleTemplateArgs(const TemplateArgument *TemplateArgs,
3250 unsigned NumTemplateArgs) {
3251 // <template-args> ::= I <template-arg>+ E
3252 Out << 'I';
3253 for (unsigned i = 0; i != NumTemplateArgs; ++i)
3254 mangleTemplateArg(TemplateArgs[i]);
3255 Out << 'E';
3256}
3257
3258void CXXNameMangler::mangleTemplateArg(TemplateArgument A) {
3259 // <template-arg> ::= <type> # type or template
3260 // ::= X <expression> E # expression
3261 // ::= <expr-primary> # simple expressions
3262 // ::= J <template-arg>* E # argument pack
Guy Benyei11169dd2012-12-18 14:30:41 +00003263 if (!A.isInstantiationDependent() || A.isDependent())
3264 A = Context.getASTContext().getCanonicalTemplateArgument(A);
3265
3266 switch (A.getKind()) {
3267 case TemplateArgument::Null:
3268 llvm_unreachable("Cannot mangle NULL template argument");
3269
3270 case TemplateArgument::Type:
3271 mangleType(A.getAsType());
3272 break;
3273 case TemplateArgument::Template:
3274 // This is mangled as <type>.
3275 mangleType(A.getAsTemplate());
3276 break;
3277 case TemplateArgument::TemplateExpansion:
3278 // <type> ::= Dp <type> # pack expansion (C++0x)
3279 Out << "Dp";
3280 mangleType(A.getAsTemplateOrTemplatePattern());
3281 break;
3282 case TemplateArgument::Expression: {
3283 // It's possible to end up with a DeclRefExpr here in certain
3284 // dependent cases, in which case we should mangle as a
3285 // declaration.
3286 const Expr *E = A.getAsExpr()->IgnoreParens();
3287 if (const DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) {
3288 const ValueDecl *D = DRE->getDecl();
3289 if (isa<VarDecl>(D) || isa<FunctionDecl>(D)) {
3290 Out << "L";
3291 mangle(D, "_Z");
3292 Out << 'E';
3293 break;
3294 }
3295 }
3296
3297 Out << 'X';
3298 mangleExpression(E);
3299 Out << 'E';
3300 break;
3301 }
3302 case TemplateArgument::Integral:
3303 mangleIntegerLiteral(A.getIntegralType(), A.getAsIntegral());
3304 break;
3305 case TemplateArgument::Declaration: {
3306 // <expr-primary> ::= L <mangled-name> E # external name
3307 // Clang produces AST's where pointer-to-member-function expressions
3308 // and pointer-to-function expressions are represented as a declaration not
3309 // an expression. We compensate for it here to produce the correct mangling.
3310 ValueDecl *D = A.getAsDecl();
3311 bool compensateMangling = !A.isDeclForReferenceParam();
3312 if (compensateMangling) {
3313 Out << 'X';
3314 mangleOperatorName(OO_Amp, 1);
3315 }
3316
3317 Out << 'L';
3318 // References to external entities use the mangled name; if the name would
3319 // not normally be manged then mangle it as unqualified.
3320 //
3321 // FIXME: The ABI specifies that external names here should have _Z, but
3322 // gcc leaves this off.
3323 if (compensateMangling)
3324 mangle(D, "_Z");
3325 else
3326 mangle(D, "Z");
3327 Out << 'E';
3328
3329 if (compensateMangling)
3330 Out << 'E';
3331
3332 break;
3333 }
3334 case TemplateArgument::NullPtr: {
3335 // <expr-primary> ::= L <type> 0 E
3336 Out << 'L';
3337 mangleType(A.getNullPtrType());
3338 Out << "0E";
3339 break;
3340 }
3341 case TemplateArgument::Pack: {
Richard Smitheb0133c2013-08-27 01:03:46 +00003342 // <template-arg> ::= J <template-arg>* E
Guy Benyei11169dd2012-12-18 14:30:41 +00003343 Out << 'J';
Richard Smitheb0133c2013-08-27 01:03:46 +00003344 for (TemplateArgument::pack_iterator PA = A.pack_begin(),
Guy Benyei11169dd2012-12-18 14:30:41 +00003345 PAEnd = A.pack_end();
3346 PA != PAEnd; ++PA)
3347 mangleTemplateArg(*PA);
3348 Out << 'E';
3349 }
3350 }
3351}
3352
3353void CXXNameMangler::mangleTemplateParameter(unsigned Index) {
3354 // <template-param> ::= T_ # first template parameter
3355 // ::= T <parameter-2 non-negative number> _
3356 if (Index == 0)
3357 Out << "T_";
3358 else
3359 Out << 'T' << (Index - 1) << '_';
3360}
3361
3362void CXXNameMangler::mangleExistingSubstitution(QualType type) {
3363 bool result = mangleSubstitution(type);
3364 assert(result && "no existing substitution for type");
3365 (void) result;
3366}
3367
3368void CXXNameMangler::mangleExistingSubstitution(TemplateName tname) {
3369 bool result = mangleSubstitution(tname);
3370 assert(result && "no existing substitution for template name");
3371 (void) result;
3372}
3373
3374// <substitution> ::= S <seq-id> _
3375// ::= S_
3376bool CXXNameMangler::mangleSubstitution(const NamedDecl *ND) {
3377 // Try one of the standard substitutions first.
3378 if (mangleStandardSubstitution(ND))
3379 return true;
3380
3381 ND = cast<NamedDecl>(ND->getCanonicalDecl());
3382 return mangleSubstitution(reinterpret_cast<uintptr_t>(ND));
3383}
3384
3385/// \brief Determine whether the given type has any qualifiers that are
3386/// relevant for substitutions.
3387static bool hasMangledSubstitutionQualifiers(QualType T) {
3388 Qualifiers Qs = T.getQualifiers();
3389 return Qs.getCVRQualifiers() || Qs.hasAddressSpace();
3390}
3391
3392bool CXXNameMangler::mangleSubstitution(QualType T) {
3393 if (!hasMangledSubstitutionQualifiers(T)) {
3394 if (const RecordType *RT = T->getAs<RecordType>())
3395 return mangleSubstitution(RT->getDecl());
3396 }
3397
3398 uintptr_t TypePtr = reinterpret_cast<uintptr_t>(T.getAsOpaquePtr());
3399
3400 return mangleSubstitution(TypePtr);
3401}
3402
3403bool CXXNameMangler::mangleSubstitution(TemplateName Template) {
3404 if (TemplateDecl *TD = Template.getAsTemplateDecl())
3405 return mangleSubstitution(TD);
3406
3407 Template = Context.getASTContext().getCanonicalTemplateName(Template);
3408 return mangleSubstitution(
3409 reinterpret_cast<uintptr_t>(Template.getAsVoidPointer()));
3410}
3411
3412bool CXXNameMangler::mangleSubstitution(uintptr_t Ptr) {
3413 llvm::DenseMap<uintptr_t, unsigned>::iterator I = Substitutions.find(Ptr);
3414 if (I == Substitutions.end())
3415 return false;
3416
3417 unsigned SeqID = I->second;
3418 if (SeqID == 0)
3419 Out << "S_";
3420 else {
3421 SeqID--;
3422
3423 // <seq-id> is encoded in base-36, using digits and upper case letters.
3424 char Buffer[10];
3425 char *BufferPtr = llvm::array_endof(Buffer);
3426
3427 if (SeqID == 0) *--BufferPtr = '0';
3428
3429 while (SeqID) {
3430 assert(BufferPtr > Buffer && "Buffer overflow!");
3431
3432 char c = static_cast<char>(SeqID % 36);
3433
3434 *--BufferPtr = (c < 10 ? '0' + c : 'A' + c - 10);
3435 SeqID /= 36;
3436 }
3437
3438 Out << 'S'
3439 << StringRef(BufferPtr, llvm::array_endof(Buffer)-BufferPtr)
3440 << '_';
3441 }
3442
3443 return true;
3444}
3445
3446static bool isCharType(QualType T) {
3447 if (T.isNull())
3448 return false;
3449
3450 return T->isSpecificBuiltinType(BuiltinType::Char_S) ||
3451 T->isSpecificBuiltinType(BuiltinType::Char_U);
3452}
3453
3454/// isCharSpecialization - Returns whether a given type is a template
3455/// specialization of a given name with a single argument of type char.
3456static bool isCharSpecialization(QualType T, const char *Name) {
3457 if (T.isNull())
3458 return false;
3459
3460 const RecordType *RT = T->getAs<RecordType>();
3461 if (!RT)
3462 return false;
3463
3464 const ClassTemplateSpecializationDecl *SD =
3465 dyn_cast<ClassTemplateSpecializationDecl>(RT->getDecl());
3466 if (!SD)
3467 return false;
3468
3469 if (!isStdNamespace(getEffectiveDeclContext(SD)))
3470 return false;
3471
3472 const TemplateArgumentList &TemplateArgs = SD->getTemplateArgs();
3473 if (TemplateArgs.size() != 1)
3474 return false;
3475
3476 if (!isCharType(TemplateArgs[0].getAsType()))
3477 return false;
3478
3479 return SD->getIdentifier()->getName() == Name;
3480}
3481
3482template <std::size_t StrLen>
3483static bool isStreamCharSpecialization(const ClassTemplateSpecializationDecl*SD,
3484 const char (&Str)[StrLen]) {
3485 if (!SD->getIdentifier()->isStr(Str))
3486 return false;
3487
3488 const TemplateArgumentList &TemplateArgs = SD->getTemplateArgs();
3489 if (TemplateArgs.size() != 2)
3490 return false;
3491
3492 if (!isCharType(TemplateArgs[0].getAsType()))
3493 return false;
3494
3495 if (!isCharSpecialization(TemplateArgs[1].getAsType(), "char_traits"))
3496 return false;
3497
3498 return true;
3499}
3500
3501bool CXXNameMangler::mangleStandardSubstitution(const NamedDecl *ND) {
3502 // <substitution> ::= St # ::std::
3503 if (const NamespaceDecl *NS = dyn_cast<NamespaceDecl>(ND)) {
3504 if (isStd(NS)) {
3505 Out << "St";
3506 return true;
3507 }
3508 }
3509
3510 if (const ClassTemplateDecl *TD = dyn_cast<ClassTemplateDecl>(ND)) {
3511 if (!isStdNamespace(getEffectiveDeclContext(TD)))
3512 return false;
3513
3514 // <substitution> ::= Sa # ::std::allocator
3515 if (TD->getIdentifier()->isStr("allocator")) {
3516 Out << "Sa";
3517 return true;
3518 }
3519
3520 // <<substitution> ::= Sb # ::std::basic_string
3521 if (TD->getIdentifier()->isStr("basic_string")) {
3522 Out << "Sb";
3523 return true;
3524 }
3525 }
3526
3527 if (const ClassTemplateSpecializationDecl *SD =
3528 dyn_cast<ClassTemplateSpecializationDecl>(ND)) {
3529 if (!isStdNamespace(getEffectiveDeclContext(SD)))
3530 return false;
3531
3532 // <substitution> ::= Ss # ::std::basic_string<char,
3533 // ::std::char_traits<char>,
3534 // ::std::allocator<char> >
3535 if (SD->getIdentifier()->isStr("basic_string")) {
3536 const TemplateArgumentList &TemplateArgs = SD->getTemplateArgs();
3537
3538 if (TemplateArgs.size() != 3)
3539 return false;
3540
3541 if (!isCharType(TemplateArgs[0].getAsType()))
3542 return false;
3543
3544 if (!isCharSpecialization(TemplateArgs[1].getAsType(), "char_traits"))
3545 return false;
3546
3547 if (!isCharSpecialization(TemplateArgs[2].getAsType(), "allocator"))
3548 return false;
3549
3550 Out << "Ss";
3551 return true;
3552 }
3553
3554 // <substitution> ::= Si # ::std::basic_istream<char,
3555 // ::std::char_traits<char> >
3556 if (isStreamCharSpecialization(SD, "basic_istream")) {
3557 Out << "Si";
3558 return true;
3559 }
3560
3561 // <substitution> ::= So # ::std::basic_ostream<char,
3562 // ::std::char_traits<char> >
3563 if (isStreamCharSpecialization(SD, "basic_ostream")) {
3564 Out << "So";
3565 return true;
3566 }
3567
3568 // <substitution> ::= Sd # ::std::basic_iostream<char,
3569 // ::std::char_traits<char> >
3570 if (isStreamCharSpecialization(SD, "basic_iostream")) {
3571 Out << "Sd";
3572 return true;
3573 }
3574 }
3575 return false;
3576}
3577
3578void CXXNameMangler::addSubstitution(QualType T) {
3579 if (!hasMangledSubstitutionQualifiers(T)) {
3580 if (const RecordType *RT = T->getAs<RecordType>()) {
3581 addSubstitution(RT->getDecl());
3582 return;
3583 }
3584 }
3585
3586 uintptr_t TypePtr = reinterpret_cast<uintptr_t>(T.getAsOpaquePtr());
3587 addSubstitution(TypePtr);
3588}
3589
3590void CXXNameMangler::addSubstitution(TemplateName Template) {
3591 if (TemplateDecl *TD = Template.getAsTemplateDecl())
3592 return addSubstitution(TD);
3593
3594 Template = Context.getASTContext().getCanonicalTemplateName(Template);
3595 addSubstitution(reinterpret_cast<uintptr_t>(Template.getAsVoidPointer()));
3596}
3597
3598void CXXNameMangler::addSubstitution(uintptr_t Ptr) {
3599 assert(!Substitutions.count(Ptr) && "Substitution already exists!");
3600 Substitutions[Ptr] = SeqID++;
3601}
3602
3603//
3604
3605/// \brief Mangles the name of the declaration D and emits that name to the
3606/// given output stream.
3607///
3608/// If the declaration D requires a mangled name, this routine will emit that
3609/// mangled name to \p os and return true. Otherwise, \p os will be unchanged
3610/// and this routine will return false. In this case, the caller should just
3611/// emit the identifier of the declaration (\c D->getIdentifier()) as its
3612/// name.
Rafael Espindola002667c2013-10-16 01:40:34 +00003613void ItaniumMangleContextImpl::mangleCXXName(const NamedDecl *D,
3614 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003615 assert((isa<FunctionDecl>(D) || isa<VarDecl>(D)) &&
3616 "Invalid mangleName() call, argument is not a variable or function!");
3617 assert(!isa<CXXConstructorDecl>(D) && !isa<CXXDestructorDecl>(D) &&
3618 "Invalid mangleName() call on 'structor decl!");
3619
3620 PrettyStackTraceDecl CrashInfo(D, SourceLocation(),
3621 getASTContext().getSourceManager(),
3622 "Mangling declaration");
3623
3624 CXXNameMangler Mangler(*this, Out, D);
3625 return Mangler.mangle(D);
3626}
3627
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003628void ItaniumMangleContextImpl::mangleCXXCtor(const CXXConstructorDecl *D,
3629 CXXCtorType Type,
3630 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003631 CXXNameMangler Mangler(*this, Out, D, Type);
3632 Mangler.mangle(D);
3633}
3634
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003635void ItaniumMangleContextImpl::mangleCXXDtor(const CXXDestructorDecl *D,
3636 CXXDtorType Type,
3637 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003638 CXXNameMangler Mangler(*this, Out, D, Type);
3639 Mangler.mangle(D);
3640}
3641
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003642void ItaniumMangleContextImpl::mangleThunk(const CXXMethodDecl *MD,
3643 const ThunkInfo &Thunk,
3644 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003645 // <special-name> ::= T <call-offset> <base encoding>
3646 // # base is the nominal target function of thunk
3647 // <special-name> ::= Tc <call-offset> <call-offset> <base encoding>
3648 // # base is the nominal target function of thunk
3649 // # first call-offset is 'this' adjustment
3650 // # second call-offset is result adjustment
3651
3652 assert(!isa<CXXDestructorDecl>(MD) &&
3653 "Use mangleCXXDtor for destructor decls!");
3654 CXXNameMangler Mangler(*this, Out);
3655 Mangler.getStream() << "_ZT";
3656 if (!Thunk.Return.isEmpty())
3657 Mangler.getStream() << 'c';
3658
3659 // Mangle the 'this' pointer adjustment.
Timur Iskhodzhanov053142a2013-11-06 06:24:31 +00003660 Mangler.mangleCallOffset(Thunk.This.NonVirtual,
3661 Thunk.This.Virtual.Itanium.VCallOffsetOffset);
3662
Guy Benyei11169dd2012-12-18 14:30:41 +00003663 // Mangle the return pointer adjustment if there is one.
3664 if (!Thunk.Return.isEmpty())
3665 Mangler.mangleCallOffset(Thunk.Return.NonVirtual,
Timur Iskhodzhanov02014322013-10-30 11:55:43 +00003666 Thunk.Return.Virtual.Itanium.VBaseOffsetOffset);
3667
Guy Benyei11169dd2012-12-18 14:30:41 +00003668 Mangler.mangleFunctionEncoding(MD);
3669}
3670
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003671void ItaniumMangleContextImpl::mangleCXXDtorThunk(
3672 const CXXDestructorDecl *DD, CXXDtorType Type,
3673 const ThisAdjustment &ThisAdjustment, raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003674 // <special-name> ::= T <call-offset> <base encoding>
3675 // # base is the nominal target function of thunk
3676 CXXNameMangler Mangler(*this, Out, DD, Type);
3677 Mangler.getStream() << "_ZT";
3678
3679 // Mangle the 'this' pointer adjustment.
3680 Mangler.mangleCallOffset(ThisAdjustment.NonVirtual,
Timur Iskhodzhanov053142a2013-11-06 06:24:31 +00003681 ThisAdjustment.Virtual.Itanium.VCallOffsetOffset);
Guy Benyei11169dd2012-12-18 14:30:41 +00003682
3683 Mangler.mangleFunctionEncoding(DD);
3684}
3685
3686/// mangleGuardVariable - Returns the mangled name for a guard variable
3687/// for the passed in VarDecl.
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003688void ItaniumMangleContextImpl::mangleStaticGuardVariable(const VarDecl *D,
3689 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003690 // <special-name> ::= GV <object name> # Guard variable for one-time
3691 // # initialization
3692 CXXNameMangler Mangler(*this, Out);
3693 Mangler.getStream() << "_ZGV";
3694 Mangler.mangleName(D);
3695}
3696
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003697void ItaniumMangleContextImpl::mangleDynamicInitializer(const VarDecl *MD,
3698 raw_ostream &Out) {
Reid Kleckner1ece9fc2013-09-10 20:43:12 +00003699 // These symbols are internal in the Itanium ABI, so the names don't matter.
3700 // Clang has traditionally used this symbol and allowed LLVM to adjust it to
3701 // avoid duplicate symbols.
3702 Out << "__cxx_global_var_init";
3703}
3704
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003705void ItaniumMangleContextImpl::mangleDynamicAtExitDestructor(const VarDecl *D,
3706 raw_ostream &Out) {
Reid Klecknerd8110b62013-09-10 20:14:30 +00003707 // Prefix the mangling of D with __dtor_.
3708 CXXNameMangler Mangler(*this, Out);
3709 Mangler.getStream() << "__dtor_";
3710 if (shouldMangleDeclName(D))
3711 Mangler.mangle(D);
3712 else
3713 Mangler.getStream() << D->getName();
3714}
3715
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003716void ItaniumMangleContextImpl::mangleItaniumThreadLocalInit(const VarDecl *D,
3717 raw_ostream &Out) {
Richard Smith2fd1d7a2013-04-19 16:42:07 +00003718 // <special-name> ::= TH <object name>
3719 CXXNameMangler Mangler(*this, Out);
3720 Mangler.getStream() << "_ZTH";
3721 Mangler.mangleName(D);
3722}
3723
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003724void
3725ItaniumMangleContextImpl::mangleItaniumThreadLocalWrapper(const VarDecl *D,
3726 raw_ostream &Out) {
Richard Smith2fd1d7a2013-04-19 16:42:07 +00003727 // <special-name> ::= TW <object name>
3728 CXXNameMangler Mangler(*this, Out);
3729 Mangler.getStream() << "_ZTW";
3730 Mangler.mangleName(D);
3731}
3732
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003733void ItaniumMangleContextImpl::mangleReferenceTemporary(const VarDecl *D,
3734 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003735 // We match the GCC mangling here.
3736 // <special-name> ::= GR <object name>
3737 CXXNameMangler Mangler(*this, Out);
3738 Mangler.getStream() << "_ZGR";
3739 Mangler.mangleName(D);
3740}
3741
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003742void ItaniumMangleContextImpl::mangleCXXVTable(const CXXRecordDecl *RD,
3743 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003744 // <special-name> ::= TV <type> # virtual table
3745 CXXNameMangler Mangler(*this, Out);
3746 Mangler.getStream() << "_ZTV";
3747 Mangler.mangleNameOrStandardSubstitution(RD);
3748}
3749
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003750void ItaniumMangleContextImpl::mangleCXXVTT(const CXXRecordDecl *RD,
3751 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003752 // <special-name> ::= TT <type> # VTT structure
3753 CXXNameMangler Mangler(*this, Out);
3754 Mangler.getStream() << "_ZTT";
3755 Mangler.mangleNameOrStandardSubstitution(RD);
3756}
3757
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003758void ItaniumMangleContextImpl::mangleCXXCtorVTable(const CXXRecordDecl *RD,
3759 int64_t Offset,
3760 const CXXRecordDecl *Type,
3761 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003762 // <special-name> ::= TC <type> <offset number> _ <base type>
3763 CXXNameMangler Mangler(*this, Out);
3764 Mangler.getStream() << "_ZTC";
3765 Mangler.mangleNameOrStandardSubstitution(RD);
3766 Mangler.getStream() << Offset;
3767 Mangler.getStream() << '_';
3768 Mangler.mangleNameOrStandardSubstitution(Type);
3769}
3770
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003771void ItaniumMangleContextImpl::mangleCXXRTTI(QualType Ty, raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003772 // <special-name> ::= TI <type> # typeinfo structure
3773 assert(!Ty.hasQualifiers() && "RTTI info cannot have top-level qualifiers");
3774 CXXNameMangler Mangler(*this, Out);
3775 Mangler.getStream() << "_ZTI";
3776 Mangler.mangleType(Ty);
3777}
3778
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003779void ItaniumMangleContextImpl::mangleCXXRTTIName(QualType Ty,
3780 raw_ostream &Out) {
Guy Benyei11169dd2012-12-18 14:30:41 +00003781 // <special-name> ::= TS <type> # typeinfo name (null terminated byte string)
3782 CXXNameMangler Mangler(*this, Out);
3783 Mangler.getStream() << "_ZTS";
3784 Mangler.mangleType(Ty);
3785}
3786
Reid Klecknercc99e262013-11-19 23:23:00 +00003787void ItaniumMangleContextImpl::mangleTypeName(QualType Ty, raw_ostream &Out) {
3788 mangleCXXRTTIName(Ty, Out);
3789}
3790
Timur Iskhodzhanov67455222013-10-03 06:26:13 +00003791ItaniumMangleContext *
3792ItaniumMangleContext::create(ASTContext &Context, DiagnosticsEngine &Diags) {
3793 return new ItaniumMangleContextImpl(Context, Diags);
Guy Benyei11169dd2012-12-18 14:30:41 +00003794}