]> granicus.if.org Git - clang/blob - lib/CodeGen/MicrosoftCXXABI.cpp
Make sure all weak destructors go in a comdat in the ms abi.
[clang] / lib / CodeGen / MicrosoftCXXABI.cpp
1 //===--- MicrosoftCXXABI.cpp - Emit LLVM Code from ASTs for a Module ------===//
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 // This provides C++ code generation targeting the Microsoft Visual C++ ABI.
11 // The class in this file generates structures that follow the Microsoft
12 // Visual C++ ABI, which is actually not very well documented at all outside
13 // of Microsoft.
14 //
15 //===----------------------------------------------------------------------===//
16
17 #include "CGCXXABI.h"
18 #include "CGVTables.h"
19 #include "CodeGenModule.h"
20 #include "clang/AST/Decl.h"
21 #include "clang/AST/DeclCXX.h"
22 #include "clang/AST/VTableBuilder.h"
23 #include "llvm/ADT/StringExtras.h"
24 #include "llvm/ADT/StringSet.h"
25 #include "llvm/IR/CallSite.h"
26
27 using namespace clang;
28 using namespace CodeGen;
29
30 namespace {
31
32 /// Holds all the vbtable globals for a given class.
33 struct VBTableGlobals {
34   const VPtrInfoVector *VBTables;
35   SmallVector<llvm::GlobalVariable *, 2> Globals;
36 };
37
38 class MicrosoftCXXABI : public CGCXXABI {
39 public:
40   MicrosoftCXXABI(CodeGenModule &CGM)
41       : CGCXXABI(CGM), BaseClassDescriptorType(nullptr),
42         ClassHierarchyDescriptorType(nullptr),
43         CompleteObjectLocatorType(nullptr) {}
44
45   bool HasThisReturn(GlobalDecl GD) const override;
46   bool hasMostDerivedReturn(GlobalDecl GD) const override;
47
48   bool classifyReturnType(CGFunctionInfo &FI) const override;
49
50   RecordArgABI getRecordArgABI(const CXXRecordDecl *RD) const override;
51
52   bool isSRetParameterAfterThis() const override { return true; }
53
54   size_t getSrcArgforCopyCtor(const CXXConstructorDecl *CD,
55                               FunctionArgList &Args) const override {
56     assert(Args.size() >= 2 &&
57            "expected the arglist to have at least two args!");
58     // The 'most_derived' parameter goes second if the ctor is variadic and
59     // has v-bases.
60     if (CD->getParent()->getNumVBases() > 0 &&
61         CD->getType()->castAs<FunctionProtoType>()->isVariadic())
62       return 2;
63     return 1;
64   }
65
66   StringRef GetPureVirtualCallName() override { return "_purecall"; }
67   StringRef GetDeletedVirtualCallName() override { return "_purecall"; }
68
69   void emitVirtualObjectDelete(CodeGenFunction &CGF, const CXXDeleteExpr *DE,
70                                llvm::Value *Ptr, QualType ElementType,
71                                const CXXDestructorDecl *Dtor) override;
72
73   void emitRethrow(CodeGenFunction &CGF, bool isNoReturn) override;
74
75   llvm::GlobalVariable *getMSCompleteObjectLocator(const CXXRecordDecl *RD,
76                                                    const VPtrInfo *Info);
77
78   llvm::Constant *getAddrOfRTTIDescriptor(QualType Ty) override;
79
80   bool shouldTypeidBeNullChecked(bool IsDeref, QualType SrcRecordTy) override;
81   void EmitBadTypeidCall(CodeGenFunction &CGF) override;
82   llvm::Value *EmitTypeid(CodeGenFunction &CGF, QualType SrcRecordTy,
83                           llvm::Value *ThisPtr,
84                           llvm::Type *StdTypeInfoPtrTy) override;
85
86   bool shouldDynamicCastCallBeNullChecked(bool SrcIsPtr,
87                                           QualType SrcRecordTy) override;
88
89   llvm::Value *EmitDynamicCastCall(CodeGenFunction &CGF, llvm::Value *Value,
90                                    QualType SrcRecordTy, QualType DestTy,
91                                    QualType DestRecordTy,
92                                    llvm::BasicBlock *CastEnd) override;
93
94   llvm::Value *EmitDynamicCastToVoid(CodeGenFunction &CGF, llvm::Value *Value,
95                                      QualType SrcRecordTy,
96                                      QualType DestTy) override;
97
98   bool EmitBadCastCall(CodeGenFunction &CGF) override;
99
100   llvm::Value *
101   GetVirtualBaseClassOffset(CodeGenFunction &CGF, llvm::Value *This,
102                             const CXXRecordDecl *ClassDecl,
103                             const CXXRecordDecl *BaseClassDecl) override;
104
105   llvm::BasicBlock *
106   EmitCtorCompleteObjectHandler(CodeGenFunction &CGF,
107                                 const CXXRecordDecl *RD) override;
108
109   void initializeHiddenVirtualInheritanceMembers(CodeGenFunction &CGF,
110                                               const CXXRecordDecl *RD) override;
111
112   void EmitCXXConstructors(const CXXConstructorDecl *D) override;
113
114   // Background on MSVC destructors
115   // ==============================
116   //
117   // Both Itanium and MSVC ABIs have destructor variants.  The variant names
118   // roughly correspond in the following way:
119   //   Itanium       Microsoft
120   //   Base       -> no name, just ~Class
121   //   Complete   -> vbase destructor
122   //   Deleting   -> scalar deleting destructor
123   //                 vector deleting destructor
124   //
125   // The base and complete destructors are the same as in Itanium, although the
126   // complete destructor does not accept a VTT parameter when there are virtual
127   // bases.  A separate mechanism involving vtordisps is used to ensure that
128   // virtual methods of destroyed subobjects are not called.
129   //
130   // The deleting destructors accept an i32 bitfield as a second parameter.  Bit
131   // 1 indicates if the memory should be deleted.  Bit 2 indicates if the this
132   // pointer points to an array.  The scalar deleting destructor assumes that
133   // bit 2 is zero, and therefore does not contain a loop.
134   //
135   // For virtual destructors, only one entry is reserved in the vftable, and it
136   // always points to the vector deleting destructor.  The vector deleting
137   // destructor is the most general, so it can be used to destroy objects in
138   // place, delete single heap objects, or delete arrays.
139   //
140   // A TU defining a non-inline destructor is only guaranteed to emit a base
141   // destructor, and all of the other variants are emitted on an as-needed basis
142   // in COMDATs.  Because a non-base destructor can be emitted in a TU that
143   // lacks a definition for the destructor, non-base destructors must always
144   // delegate to or alias the base destructor.
145
146   void buildStructorSignature(const CXXMethodDecl *MD, StructorType T,
147                               SmallVectorImpl<CanQualType> &ArgTys) override;
148
149   /// Non-base dtors should be emitted as delegating thunks in this ABI.
150   bool useThunkForDtorVariant(const CXXDestructorDecl *Dtor,
151                               CXXDtorType DT) const override {
152     return DT != Dtor_Base;
153   }
154
155   void EmitCXXDestructors(const CXXDestructorDecl *D) override;
156
157   const CXXRecordDecl *
158   getThisArgumentTypeForMethod(const CXXMethodDecl *MD) override {
159     MD = MD->getCanonicalDecl();
160     if (MD->isVirtual() && !isa<CXXDestructorDecl>(MD)) {
161       MicrosoftVTableContext::MethodVFTableLocation ML =
162           CGM.getMicrosoftVTableContext().getMethodVFTableLocation(MD);
163       // The vbases might be ordered differently in the final overrider object
164       // and the complete object, so the "this" argument may sometimes point to
165       // memory that has no particular type (e.g. past the complete object).
166       // In this case, we just use a generic pointer type.
167       // FIXME: might want to have a more precise type in the non-virtual
168       // multiple inheritance case.
169       if (ML.VBase || !ML.VFPtrOffset.isZero())
170         return nullptr;
171     }
172     return MD->getParent();
173   }
174
175   llvm::Value *
176   adjustThisArgumentForVirtualFunctionCall(CodeGenFunction &CGF, GlobalDecl GD,
177                                            llvm::Value *This,
178                                            bool VirtualCall) override;
179
180   void addImplicitStructorParams(CodeGenFunction &CGF, QualType &ResTy,
181                                  FunctionArgList &Params) override;
182
183   llvm::Value *adjustThisParameterInVirtualFunctionPrologue(
184       CodeGenFunction &CGF, GlobalDecl GD, llvm::Value *This) override;
185
186   void EmitInstanceFunctionProlog(CodeGenFunction &CGF) override;
187
188   unsigned addImplicitConstructorArgs(CodeGenFunction &CGF,
189                                       const CXXConstructorDecl *D,
190                                       CXXCtorType Type, bool ForVirtualBase,
191                                       bool Delegating,
192                                       CallArgList &Args) override;
193
194   void EmitDestructorCall(CodeGenFunction &CGF, const CXXDestructorDecl *DD,
195                           CXXDtorType Type, bool ForVirtualBase,
196                           bool Delegating, llvm::Value *This) override;
197
198   void emitVTableDefinitions(CodeGenVTables &CGVT,
199                              const CXXRecordDecl *RD) override;
200
201   llvm::Value *getVTableAddressPointInStructor(
202       CodeGenFunction &CGF, const CXXRecordDecl *VTableClass,
203       BaseSubobject Base, const CXXRecordDecl *NearestVBase,
204       bool &NeedsVirtualOffset) override;
205
206   llvm::Constant *
207   getVTableAddressPointForConstExpr(BaseSubobject Base,
208                                     const CXXRecordDecl *VTableClass) override;
209
210   llvm::GlobalVariable *getAddrOfVTable(const CXXRecordDecl *RD,
211                                         CharUnits VPtrOffset) override;
212
213   llvm::Value *getVirtualFunctionPointer(CodeGenFunction &CGF, GlobalDecl GD,
214                                          llvm::Value *This,
215                                          llvm::Type *Ty) override;
216
217   llvm::Value *EmitVirtualDestructorCall(CodeGenFunction &CGF,
218                                          const CXXDestructorDecl *Dtor,
219                                          CXXDtorType DtorType,
220                                          llvm::Value *This,
221                                          const CXXMemberCallExpr *CE) override;
222
223   void adjustCallArgsForDestructorThunk(CodeGenFunction &CGF, GlobalDecl GD,
224                                         CallArgList &CallArgs) override {
225     assert(GD.getDtorType() == Dtor_Deleting &&
226            "Only deleting destructor thunks are available in this ABI");
227     CallArgs.add(RValue::get(getStructorImplicitParamValue(CGF)),
228                              CGM.getContext().IntTy);
229   }
230
231   void emitVirtualInheritanceTables(const CXXRecordDecl *RD) override;
232
233   llvm::GlobalVariable *
234   getAddrOfVBTable(const VPtrInfo &VBT, const CXXRecordDecl *RD,
235                    llvm::GlobalVariable::LinkageTypes Linkage);
236
237   void emitVBTableDefinition(const VPtrInfo &VBT, const CXXRecordDecl *RD,
238                              llvm::GlobalVariable *GV) const;
239
240   void setThunkLinkage(llvm::Function *Thunk, bool ForVTable,
241                        GlobalDecl GD, bool ReturnAdjustment) override {
242     // Never dllimport/dllexport thunks.
243     Thunk->setDLLStorageClass(llvm::GlobalValue::DefaultStorageClass);
244
245     GVALinkage Linkage =
246         getContext().GetGVALinkageForFunction(cast<FunctionDecl>(GD.getDecl()));
247
248     if (Linkage == GVA_Internal)
249       Thunk->setLinkage(llvm::GlobalValue::InternalLinkage);
250     else if (ReturnAdjustment)
251       Thunk->setLinkage(llvm::GlobalValue::WeakODRLinkage);
252     else
253       Thunk->setLinkage(llvm::GlobalValue::LinkOnceODRLinkage);
254   }
255
256   llvm::Value *performThisAdjustment(CodeGenFunction &CGF, llvm::Value *This,
257                                      const ThisAdjustment &TA) override;
258
259   llvm::Value *performReturnAdjustment(CodeGenFunction &CGF, llvm::Value *Ret,
260                                        const ReturnAdjustment &RA) override;
261
262   void EmitThreadLocalInitFuncs(
263       CodeGenModule &CGM,
264       ArrayRef<std::pair<const VarDecl *, llvm::GlobalVariable *>>
265           CXXThreadLocals,
266       ArrayRef<llvm::Function *> CXXThreadLocalInits,
267       ArrayRef<llvm::GlobalVariable *> CXXThreadLocalInitVars) override;
268
269   bool usesThreadWrapperFunction() const override { return false; }
270   LValue EmitThreadLocalVarDeclLValue(CodeGenFunction &CGF, const VarDecl *VD,
271                                       QualType LValType) override;
272
273   void EmitGuardedInit(CodeGenFunction &CGF, const VarDecl &D,
274                        llvm::GlobalVariable *DeclPtr,
275                        bool PerformInit) override;
276   void registerGlobalDtor(CodeGenFunction &CGF, const VarDecl &D,
277                           llvm::Constant *Dtor, llvm::Constant *Addr) override;
278
279   // ==== Notes on array cookies =========
280   //
281   // MSVC seems to only use cookies when the class has a destructor; a
282   // two-argument usual array deallocation function isn't sufficient.
283   //
284   // For example, this code prints "100" and "1":
285   //   struct A {
286   //     char x;
287   //     void *operator new[](size_t sz) {
288   //       printf("%u\n", sz);
289   //       return malloc(sz);
290   //     }
291   //     void operator delete[](void *p, size_t sz) {
292   //       printf("%u\n", sz);
293   //       free(p);
294   //     }
295   //   };
296   //   int main() {
297   //     A *p = new A[100];
298   //     delete[] p;
299   //   }
300   // Whereas it prints "104" and "104" if you give A a destructor.
301
302   bool requiresArrayCookie(const CXXDeleteExpr *expr,
303                            QualType elementType) override;
304   bool requiresArrayCookie(const CXXNewExpr *expr) override;
305   CharUnits getArrayCookieSizeImpl(QualType type) override;
306   llvm::Value *InitializeArrayCookie(CodeGenFunction &CGF,
307                                      llvm::Value *NewPtr,
308                                      llvm::Value *NumElements,
309                                      const CXXNewExpr *expr,
310                                      QualType ElementType) override;
311   llvm::Value *readArrayCookieImpl(CodeGenFunction &CGF,
312                                    llvm::Value *allocPtr,
313                                    CharUnits cookieSize) override;
314
315   friend struct MSRTTIBuilder;
316
317   bool isImageRelative() const {
318     return CGM.getTarget().getPointerWidth(/*AddressSpace=*/0) == 64;
319   }
320
321   // 5 routines for constructing the llvm types for MS RTTI structs.
322   llvm::StructType *getTypeDescriptorType(StringRef TypeInfoString) {
323     llvm::SmallString<32> TDTypeName("rtti.TypeDescriptor");
324     TDTypeName += llvm::utostr(TypeInfoString.size());
325     llvm::StructType *&TypeDescriptorType =
326         TypeDescriptorTypeMap[TypeInfoString.size()];
327     if (TypeDescriptorType)
328       return TypeDescriptorType;
329     llvm::Type *FieldTypes[] = {
330         CGM.Int8PtrPtrTy,
331         CGM.Int8PtrTy,
332         llvm::ArrayType::get(CGM.Int8Ty, TypeInfoString.size() + 1)};
333     TypeDescriptorType =
334         llvm::StructType::create(CGM.getLLVMContext(), FieldTypes, TDTypeName);
335     return TypeDescriptorType;
336   }
337
338   llvm::Type *getImageRelativeType(llvm::Type *PtrType) {
339     if (!isImageRelative())
340       return PtrType;
341     return CGM.IntTy;
342   }
343
344   llvm::StructType *getBaseClassDescriptorType() {
345     if (BaseClassDescriptorType)
346       return BaseClassDescriptorType;
347     llvm::Type *FieldTypes[] = {
348         getImageRelativeType(CGM.Int8PtrTy),
349         CGM.IntTy,
350         CGM.IntTy,
351         CGM.IntTy,
352         CGM.IntTy,
353         CGM.IntTy,
354         getImageRelativeType(getClassHierarchyDescriptorType()->getPointerTo()),
355     };
356     BaseClassDescriptorType = llvm::StructType::create(
357         CGM.getLLVMContext(), FieldTypes, "rtti.BaseClassDescriptor");
358     return BaseClassDescriptorType;
359   }
360
361   llvm::StructType *getClassHierarchyDescriptorType() {
362     if (ClassHierarchyDescriptorType)
363       return ClassHierarchyDescriptorType;
364     // Forward-declare RTTIClassHierarchyDescriptor to break a cycle.
365     ClassHierarchyDescriptorType = llvm::StructType::create(
366         CGM.getLLVMContext(), "rtti.ClassHierarchyDescriptor");
367     llvm::Type *FieldTypes[] = {
368         CGM.IntTy,
369         CGM.IntTy,
370         CGM.IntTy,
371         getImageRelativeType(
372             getBaseClassDescriptorType()->getPointerTo()->getPointerTo()),
373     };
374     ClassHierarchyDescriptorType->setBody(FieldTypes);
375     return ClassHierarchyDescriptorType;
376   }
377
378   llvm::StructType *getCompleteObjectLocatorType() {
379     if (CompleteObjectLocatorType)
380       return CompleteObjectLocatorType;
381     CompleteObjectLocatorType = llvm::StructType::create(
382         CGM.getLLVMContext(), "rtti.CompleteObjectLocator");
383     llvm::Type *FieldTypes[] = {
384         CGM.IntTy,
385         CGM.IntTy,
386         CGM.IntTy,
387         getImageRelativeType(CGM.Int8PtrTy),
388         getImageRelativeType(getClassHierarchyDescriptorType()->getPointerTo()),
389         getImageRelativeType(CompleteObjectLocatorType),
390     };
391     llvm::ArrayRef<llvm::Type *> FieldTypesRef(FieldTypes);
392     if (!isImageRelative())
393       FieldTypesRef = FieldTypesRef.drop_back();
394     CompleteObjectLocatorType->setBody(FieldTypesRef);
395     return CompleteObjectLocatorType;
396   }
397
398   llvm::GlobalVariable *getImageBase() {
399     StringRef Name = "__ImageBase";
400     if (llvm::GlobalVariable *GV = CGM.getModule().getNamedGlobal(Name))
401       return GV;
402
403     return new llvm::GlobalVariable(CGM.getModule(), CGM.Int8Ty,
404                                     /*isConstant=*/true,
405                                     llvm::GlobalValue::ExternalLinkage,
406                                     /*Initializer=*/nullptr, Name);
407   }
408
409   llvm::Constant *getImageRelativeConstant(llvm::Constant *PtrVal) {
410     if (!isImageRelative())
411       return PtrVal;
412
413     llvm::Constant *ImageBaseAsInt =
414         llvm::ConstantExpr::getPtrToInt(getImageBase(), CGM.IntPtrTy);
415     llvm::Constant *PtrValAsInt =
416         llvm::ConstantExpr::getPtrToInt(PtrVal, CGM.IntPtrTy);
417     llvm::Constant *Diff =
418         llvm::ConstantExpr::getSub(PtrValAsInt, ImageBaseAsInt,
419                                    /*HasNUW=*/true, /*HasNSW=*/true);
420     return llvm::ConstantExpr::getTrunc(Diff, CGM.IntTy);
421   }
422
423 private:
424   MicrosoftMangleContext &getMangleContext() {
425     return cast<MicrosoftMangleContext>(CodeGen::CGCXXABI::getMangleContext());
426   }
427
428   llvm::Constant *getZeroInt() {
429     return llvm::ConstantInt::get(CGM.IntTy, 0);
430   }
431
432   llvm::Constant *getAllOnesInt() {
433     return  llvm::Constant::getAllOnesValue(CGM.IntTy);
434   }
435
436   llvm::Constant *getConstantOrZeroInt(llvm::Constant *C) {
437     return C ? C : getZeroInt();
438   }
439
440   llvm::Value *getValueOrZeroInt(llvm::Value *C) {
441     return C ? C : getZeroInt();
442   }
443
444   CharUnits getVirtualFunctionPrologueThisAdjustment(GlobalDecl GD);
445
446   void
447   GetNullMemberPointerFields(const MemberPointerType *MPT,
448                              llvm::SmallVectorImpl<llvm::Constant *> &fields);
449
450   /// \brief Shared code for virtual base adjustment.  Returns the offset from
451   /// the vbptr to the virtual base.  Optionally returns the address of the
452   /// vbptr itself.
453   llvm::Value *GetVBaseOffsetFromVBPtr(CodeGenFunction &CGF,
454                                        llvm::Value *Base,
455                                        llvm::Value *VBPtrOffset,
456                                        llvm::Value *VBTableOffset,
457                                        llvm::Value **VBPtr = nullptr);
458
459   llvm::Value *GetVBaseOffsetFromVBPtr(CodeGenFunction &CGF,
460                                        llvm::Value *Base,
461                                        int32_t VBPtrOffset,
462                                        int32_t VBTableOffset,
463                                        llvm::Value **VBPtr = nullptr) {
464     assert(VBTableOffset % 4 == 0 && "should be byte offset into table of i32s");
465     llvm::Value *VBPOffset = llvm::ConstantInt::get(CGM.IntTy, VBPtrOffset),
466                 *VBTOffset = llvm::ConstantInt::get(CGM.IntTy, VBTableOffset);
467     return GetVBaseOffsetFromVBPtr(CGF, Base, VBPOffset, VBTOffset, VBPtr);
468   }
469
470   /// \brief Performs a full virtual base adjustment.  Used to dereference
471   /// pointers to members of virtual bases.
472   llvm::Value *AdjustVirtualBase(CodeGenFunction &CGF, const Expr *E,
473                                  const CXXRecordDecl *RD, llvm::Value *Base,
474                                  llvm::Value *VirtualBaseAdjustmentOffset,
475                                  llvm::Value *VBPtrOffset /* optional */);
476
477   /// \brief Emits a full member pointer with the fields common to data and
478   /// function member pointers.
479   llvm::Constant *EmitFullMemberPointer(llvm::Constant *FirstField,
480                                         bool IsMemberFunction,
481                                         const CXXRecordDecl *RD,
482                                         CharUnits NonVirtualBaseAdjustment);
483
484   llvm::Constant *BuildMemberPointer(const CXXRecordDecl *RD,
485                                      const CXXMethodDecl *MD,
486                                      CharUnits NonVirtualBaseAdjustment);
487
488   bool MemberPointerConstantIsNull(const MemberPointerType *MPT,
489                                    llvm::Constant *MP);
490
491   /// \brief - Initialize all vbptrs of 'this' with RD as the complete type.
492   void EmitVBPtrStores(CodeGenFunction &CGF, const CXXRecordDecl *RD);
493
494   /// \brief Caching wrapper around VBTableBuilder::enumerateVBTables().
495   const VBTableGlobals &enumerateVBTables(const CXXRecordDecl *RD);
496
497   /// \brief Generate a thunk for calling a virtual member function MD.
498   llvm::Function *EmitVirtualMemPtrThunk(
499       const CXXMethodDecl *MD,
500       const MicrosoftVTableContext::MethodVFTableLocation &ML);
501
502 public:
503   llvm::Type *ConvertMemberPointerType(const MemberPointerType *MPT) override;
504
505   bool isZeroInitializable(const MemberPointerType *MPT) override;
506
507   bool isMemberPointerConvertible(const MemberPointerType *MPT) const override {
508     const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
509     return RD->hasAttr<MSInheritanceAttr>();
510   }
511
512   bool isTypeInfoCalculable(QualType Ty) const override {
513     if (!CGCXXABI::isTypeInfoCalculable(Ty))
514       return false;
515     if (const auto *MPT = Ty->getAs<MemberPointerType>()) {
516       const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
517       if (!RD->hasAttr<MSInheritanceAttr>())
518         return false;
519     }
520     return true;
521   }
522
523   llvm::Constant *EmitNullMemberPointer(const MemberPointerType *MPT) override;
524
525   llvm::Constant *EmitMemberDataPointer(const MemberPointerType *MPT,
526                                         CharUnits offset) override;
527   llvm::Constant *EmitMemberPointer(const CXXMethodDecl *MD) override;
528   llvm::Constant *EmitMemberPointer(const APValue &MP, QualType MPT) override;
529
530   llvm::Value *EmitMemberPointerComparison(CodeGenFunction &CGF,
531                                            llvm::Value *L,
532                                            llvm::Value *R,
533                                            const MemberPointerType *MPT,
534                                            bool Inequality) override;
535
536   llvm::Value *EmitMemberPointerIsNotNull(CodeGenFunction &CGF,
537                                           llvm::Value *MemPtr,
538                                           const MemberPointerType *MPT) override;
539
540   llvm::Value *
541   EmitMemberDataPointerAddress(CodeGenFunction &CGF, const Expr *E,
542                                llvm::Value *Base, llvm::Value *MemPtr,
543                                const MemberPointerType *MPT) override;
544
545   llvm::Value *EmitMemberPointerConversion(CodeGenFunction &CGF,
546                                            const CastExpr *E,
547                                            llvm::Value *Src) override;
548
549   llvm::Constant *EmitMemberPointerConversion(const CastExpr *E,
550                                               llvm::Constant *Src) override;
551
552   llvm::Value *
553   EmitLoadOfMemberFunctionPointer(CodeGenFunction &CGF, const Expr *E,
554                                   llvm::Value *&This, llvm::Value *MemPtr,
555                                   const MemberPointerType *MPT) override;
556
557   void emitCXXStructor(const CXXMethodDecl *MD, StructorType Type) override;
558
559 private:
560   typedef std::pair<const CXXRecordDecl *, CharUnits> VFTableIdTy;
561   typedef llvm::DenseMap<VFTableIdTy, llvm::GlobalVariable *> VTablesMapTy;
562   typedef llvm::DenseMap<VFTableIdTy, llvm::GlobalValue *> VFTablesMapTy;
563   /// \brief All the vftables that have been referenced.
564   VFTablesMapTy VFTablesMap;
565   VTablesMapTy VTablesMap;
566
567   /// \brief This set holds the record decls we've deferred vtable emission for.
568   llvm::SmallPtrSet<const CXXRecordDecl *, 4> DeferredVFTables;
569
570
571   /// \brief All the vbtables which have been referenced.
572   llvm::DenseMap<const CXXRecordDecl *, VBTableGlobals> VBTablesMap;
573
574   /// Info on the global variable used to guard initialization of static locals.
575   /// The BitIndex field is only used for externally invisible declarations.
576   struct GuardInfo {
577     GuardInfo() : Guard(nullptr), BitIndex(0) {}
578     llvm::GlobalVariable *Guard;
579     unsigned BitIndex;
580   };
581
582   /// Map from DeclContext to the current guard variable.  We assume that the
583   /// AST is visited in source code order.
584   llvm::DenseMap<const DeclContext *, GuardInfo> GuardVariableMap;
585
586   llvm::DenseMap<size_t, llvm::StructType *> TypeDescriptorTypeMap;
587   llvm::StructType *BaseClassDescriptorType;
588   llvm::StructType *ClassHierarchyDescriptorType;
589   llvm::StructType *CompleteObjectLocatorType;
590 };
591
592 }
593
594 CGCXXABI::RecordArgABI
595 MicrosoftCXXABI::getRecordArgABI(const CXXRecordDecl *RD) const {
596   switch (CGM.getTarget().getTriple().getArch()) {
597   default:
598     // FIXME: Implement for other architectures.
599     return RAA_Default;
600
601   case llvm::Triple::x86:
602     // All record arguments are passed in memory on x86.  Decide whether to
603     // construct the object directly in argument memory, or to construct the
604     // argument elsewhere and copy the bytes during the call.
605
606     // If C++ prohibits us from making a copy, construct the arguments directly
607     // into argument memory.
608     if (!canCopyArgument(RD))
609       return RAA_DirectInMemory;
610
611     // Otherwise, construct the argument into a temporary and copy the bytes
612     // into the outgoing argument memory.
613     return RAA_Default;
614
615   case llvm::Triple::x86_64:
616     // Win64 passes objects with non-trivial copy ctors indirectly.
617     if (RD->hasNonTrivialCopyConstructor())
618       return RAA_Indirect;
619
620     // If an object has a destructor, we'd really like to pass it indirectly
621     // because it allows us to elide copies.  Unfortunately, MSVC makes that
622     // impossible for small types, which it will pass in a single register or
623     // stack slot. Most objects with dtors are large-ish, so handle that early.
624     // We can't call out all large objects as being indirect because there are
625     // multiple x64 calling conventions and the C++ ABI code shouldn't dictate
626     // how we pass large POD types.
627     if (RD->hasNonTrivialDestructor() &&
628         getContext().getTypeSize(RD->getTypeForDecl()) > 64)
629       return RAA_Indirect;
630
631     // We have a trivial copy constructor or no copy constructors, but we have
632     // to make sure it isn't deleted.
633     bool CopyDeleted = false;
634     for (const CXXConstructorDecl *CD : RD->ctors()) {
635       if (CD->isCopyConstructor()) {
636         assert(CD->isTrivial());
637         // We had at least one undeleted trivial copy ctor.  Return directly.
638         if (!CD->isDeleted())
639           return RAA_Default;
640         CopyDeleted = true;
641       }
642     }
643
644     // The trivial copy constructor was deleted.  Return indirectly.
645     if (CopyDeleted)
646       return RAA_Indirect;
647
648     // There were no copy ctors.  Return in RAX.
649     return RAA_Default;
650   }
651
652   llvm_unreachable("invalid enum");
653 }
654
655 void MicrosoftCXXABI::emitVirtualObjectDelete(CodeGenFunction &CGF,
656                                               const CXXDeleteExpr *DE,
657                                               llvm::Value *Ptr,
658                                               QualType ElementType,
659                                               const CXXDestructorDecl *Dtor) {
660   // FIXME: Provide a source location here even though there's no
661   // CXXMemberCallExpr for dtor call.
662   bool UseGlobalDelete = DE->isGlobalDelete();
663   CXXDtorType DtorType = UseGlobalDelete ? Dtor_Complete : Dtor_Deleting;
664   llvm::Value *MDThis =
665       EmitVirtualDestructorCall(CGF, Dtor, DtorType, Ptr, /*CE=*/nullptr);
666   if (UseGlobalDelete)
667     CGF.EmitDeleteCall(DE->getOperatorDelete(), MDThis, ElementType);
668 }
669
670 static llvm::Function *getRethrowFn(CodeGenModule &CGM) {
671   // _CxxThrowException takes two pointer width arguments: a value and a context
672   // object which points to a TypeInfo object.
673   llvm::Type *ArgTypes[] = {CGM.Int8PtrTy, CGM.Int8PtrTy};
674   llvm::FunctionType *FTy =
675       llvm::FunctionType::get(CGM.VoidTy, ArgTypes, false);
676   auto *Fn = cast<llvm::Function>(
677       CGM.CreateRuntimeFunction(FTy, "_CxxThrowException"));
678   // _CxxThrowException is stdcall on 32-bit x86 platforms.
679   if (CGM.getTarget().getTriple().getArch() == llvm::Triple::x86)
680     Fn->setCallingConv(llvm::CallingConv::X86_StdCall);
681   return Fn;
682 }
683
684 void MicrosoftCXXABI::emitRethrow(CodeGenFunction &CGF, bool isNoReturn) {
685   llvm::Value *Args[] = {llvm::ConstantPointerNull::get(CGM.Int8PtrTy),
686                          llvm::ConstantPointerNull::get(CGM.Int8PtrTy)};
687   auto *Fn = getRethrowFn(CGM);
688   if (isNoReturn)
689     CGF.EmitNoreturnRuntimeCallOrInvoke(Fn, Args);
690   else
691     CGF.EmitRuntimeCallOrInvoke(Fn, Args);
692 }
693
694 /// \brief Gets the offset to the virtual base that contains the vfptr for
695 /// MS-ABI polymorphic types.
696 static llvm::Value *getPolymorphicOffset(CodeGenFunction &CGF,
697                                          const CXXRecordDecl *RD,
698                                          llvm::Value *Value) {
699   const ASTContext &Context = RD->getASTContext();
700   for (const CXXBaseSpecifier &Base : RD->vbases())
701     if (Context.getASTRecordLayout(Base.getType()->getAsCXXRecordDecl())
702             .hasExtendableVFPtr())
703       return CGF.CGM.getCXXABI().GetVirtualBaseClassOffset(
704           CGF, Value, RD, Base.getType()->getAsCXXRecordDecl());
705   llvm_unreachable("One of our vbases should be polymorphic.");
706 }
707
708 static std::pair<llvm::Value *, llvm::Value *>
709 performBaseAdjustment(CodeGenFunction &CGF, llvm::Value *Value,
710                       QualType SrcRecordTy) {
711   Value = CGF.Builder.CreateBitCast(Value, CGF.Int8PtrTy);
712   const CXXRecordDecl *SrcDecl = SrcRecordTy->getAsCXXRecordDecl();
713
714   if (CGF.getContext().getASTRecordLayout(SrcDecl).hasExtendableVFPtr())
715     return std::make_pair(Value, llvm::ConstantInt::get(CGF.Int32Ty, 0));
716
717   // Perform a base adjustment.
718   llvm::Value *Offset = getPolymorphicOffset(CGF, SrcDecl, Value);
719   Value = CGF.Builder.CreateInBoundsGEP(Value, Offset);
720   Offset = CGF.Builder.CreateTrunc(Offset, CGF.Int32Ty);
721   return std::make_pair(Value, Offset);
722 }
723
724 bool MicrosoftCXXABI::shouldTypeidBeNullChecked(bool IsDeref,
725                                                 QualType SrcRecordTy) {
726   const CXXRecordDecl *SrcDecl = SrcRecordTy->getAsCXXRecordDecl();
727   return IsDeref &&
728          !CGM.getContext().getASTRecordLayout(SrcDecl).hasExtendableVFPtr();
729 }
730
731 static llvm::CallSite emitRTtypeidCall(CodeGenFunction &CGF,
732                                        llvm::Value *Argument) {
733   llvm::Type *ArgTypes[] = {CGF.Int8PtrTy};
734   llvm::FunctionType *FTy =
735       llvm::FunctionType::get(CGF.Int8PtrTy, ArgTypes, false);
736   llvm::Value *Args[] = {Argument};
737   llvm::Constant *Fn = CGF.CGM.CreateRuntimeFunction(FTy, "__RTtypeid");
738   return CGF.EmitRuntimeCallOrInvoke(Fn, Args);
739 }
740
741 void MicrosoftCXXABI::EmitBadTypeidCall(CodeGenFunction &CGF) {
742   llvm::CallSite Call =
743       emitRTtypeidCall(CGF, llvm::Constant::getNullValue(CGM.VoidPtrTy));
744   Call.setDoesNotReturn();
745   CGF.Builder.CreateUnreachable();
746 }
747
748 llvm::Value *MicrosoftCXXABI::EmitTypeid(CodeGenFunction &CGF,
749                                          QualType SrcRecordTy,
750                                          llvm::Value *ThisPtr,
751                                          llvm::Type *StdTypeInfoPtrTy) {
752   llvm::Value *Offset;
753   std::tie(ThisPtr, Offset) = performBaseAdjustment(CGF, ThisPtr, SrcRecordTy);
754   return CGF.Builder.CreateBitCast(
755       emitRTtypeidCall(CGF, ThisPtr).getInstruction(), StdTypeInfoPtrTy);
756 }
757
758 bool MicrosoftCXXABI::shouldDynamicCastCallBeNullChecked(bool SrcIsPtr,
759                                                          QualType SrcRecordTy) {
760   const CXXRecordDecl *SrcDecl = SrcRecordTy->getAsCXXRecordDecl();
761   return SrcIsPtr &&
762          !CGM.getContext().getASTRecordLayout(SrcDecl).hasExtendableVFPtr();
763 }
764
765 llvm::Value *MicrosoftCXXABI::EmitDynamicCastCall(
766     CodeGenFunction &CGF, llvm::Value *Value, QualType SrcRecordTy,
767     QualType DestTy, QualType DestRecordTy, llvm::BasicBlock *CastEnd) {
768   llvm::Type *DestLTy = CGF.ConvertType(DestTy);
769
770   llvm::Value *SrcRTTI =
771       CGF.CGM.GetAddrOfRTTIDescriptor(SrcRecordTy.getUnqualifiedType());
772   llvm::Value *DestRTTI =
773       CGF.CGM.GetAddrOfRTTIDescriptor(DestRecordTy.getUnqualifiedType());
774
775   llvm::Value *Offset;
776   std::tie(Value, Offset) = performBaseAdjustment(CGF, Value, SrcRecordTy);
777
778   // PVOID __RTDynamicCast(
779   //   PVOID inptr,
780   //   LONG VfDelta,
781   //   PVOID SrcType,
782   //   PVOID TargetType,
783   //   BOOL isReference)
784   llvm::Type *ArgTypes[] = {CGF.Int8PtrTy, CGF.Int32Ty, CGF.Int8PtrTy,
785                             CGF.Int8PtrTy, CGF.Int32Ty};
786   llvm::Constant *Function = CGF.CGM.CreateRuntimeFunction(
787       llvm::FunctionType::get(CGF.Int8PtrTy, ArgTypes, false),
788       "__RTDynamicCast");
789   llvm::Value *Args[] = {
790       Value, Offset, SrcRTTI, DestRTTI,
791       llvm::ConstantInt::get(CGF.Int32Ty, DestTy->isReferenceType())};
792   Value = CGF.EmitRuntimeCallOrInvoke(Function, Args).getInstruction();
793   return CGF.Builder.CreateBitCast(Value, DestLTy);
794 }
795
796 llvm::Value *
797 MicrosoftCXXABI::EmitDynamicCastToVoid(CodeGenFunction &CGF, llvm::Value *Value,
798                                        QualType SrcRecordTy,
799                                        QualType DestTy) {
800   llvm::Value *Offset;
801   std::tie(Value, Offset) = performBaseAdjustment(CGF, Value, SrcRecordTy);
802
803   // PVOID __RTCastToVoid(
804   //   PVOID inptr)
805   llvm::Type *ArgTypes[] = {CGF.Int8PtrTy};
806   llvm::Constant *Function = CGF.CGM.CreateRuntimeFunction(
807       llvm::FunctionType::get(CGF.Int8PtrTy, ArgTypes, false),
808       "__RTCastToVoid");
809   llvm::Value *Args[] = {Value};
810   return CGF.EmitRuntimeCall(Function, Args);
811 }
812
813 bool MicrosoftCXXABI::EmitBadCastCall(CodeGenFunction &CGF) {
814   return false;
815 }
816
817 llvm::Value *MicrosoftCXXABI::GetVirtualBaseClassOffset(
818     CodeGenFunction &CGF, llvm::Value *This, const CXXRecordDecl *ClassDecl,
819     const CXXRecordDecl *BaseClassDecl) {
820   int64_t VBPtrChars =
821       getContext().getASTRecordLayout(ClassDecl).getVBPtrOffset().getQuantity();
822   llvm::Value *VBPtrOffset = llvm::ConstantInt::get(CGM.PtrDiffTy, VBPtrChars);
823   CharUnits IntSize = getContext().getTypeSizeInChars(getContext().IntTy);
824   CharUnits VBTableChars =
825       IntSize *
826       CGM.getMicrosoftVTableContext().getVBTableIndex(ClassDecl, BaseClassDecl);
827   llvm::Value *VBTableOffset =
828       llvm::ConstantInt::get(CGM.IntTy, VBTableChars.getQuantity());
829
830   llvm::Value *VBPtrToNewBase =
831       GetVBaseOffsetFromVBPtr(CGF, This, VBPtrOffset, VBTableOffset);
832   VBPtrToNewBase =
833       CGF.Builder.CreateSExtOrBitCast(VBPtrToNewBase, CGM.PtrDiffTy);
834   return CGF.Builder.CreateNSWAdd(VBPtrOffset, VBPtrToNewBase);
835 }
836
837 bool MicrosoftCXXABI::HasThisReturn(GlobalDecl GD) const {
838   return isa<CXXConstructorDecl>(GD.getDecl());
839 }
840
841 static bool isDeletingDtor(GlobalDecl GD) {
842   return isa<CXXDestructorDecl>(GD.getDecl()) &&
843          GD.getDtorType() == Dtor_Deleting;
844 }
845
846 bool MicrosoftCXXABI::hasMostDerivedReturn(GlobalDecl GD) const {
847   return isDeletingDtor(GD);
848 }
849
850 bool MicrosoftCXXABI::classifyReturnType(CGFunctionInfo &FI) const {
851   const CXXRecordDecl *RD = FI.getReturnType()->getAsCXXRecordDecl();
852   if (!RD)
853     return false;
854
855   if (FI.isInstanceMethod()) {
856     // If it's an instance method, aggregates are always returned indirectly via
857     // the second parameter.
858     FI.getReturnInfo() = ABIArgInfo::getIndirect(0, /*ByVal=*/false);
859     FI.getReturnInfo().setSRetAfterThis(FI.isInstanceMethod());
860     return true;
861   } else if (!RD->isPOD()) {
862     // If it's a free function, non-POD types are returned indirectly.
863     FI.getReturnInfo() = ABIArgInfo::getIndirect(0, /*ByVal=*/false);
864     return true;
865   }
866
867   // Otherwise, use the C ABI rules.
868   return false;
869 }
870
871 llvm::BasicBlock *
872 MicrosoftCXXABI::EmitCtorCompleteObjectHandler(CodeGenFunction &CGF,
873                                                const CXXRecordDecl *RD) {
874   llvm::Value *IsMostDerivedClass = getStructorImplicitParamValue(CGF);
875   assert(IsMostDerivedClass &&
876          "ctor for a class with virtual bases must have an implicit parameter");
877   llvm::Value *IsCompleteObject =
878     CGF.Builder.CreateIsNotNull(IsMostDerivedClass, "is_complete_object");
879
880   llvm::BasicBlock *CallVbaseCtorsBB = CGF.createBasicBlock("ctor.init_vbases");
881   llvm::BasicBlock *SkipVbaseCtorsBB = CGF.createBasicBlock("ctor.skip_vbases");
882   CGF.Builder.CreateCondBr(IsCompleteObject,
883                            CallVbaseCtorsBB, SkipVbaseCtorsBB);
884
885   CGF.EmitBlock(CallVbaseCtorsBB);
886
887   // Fill in the vbtable pointers here.
888   EmitVBPtrStores(CGF, RD);
889
890   // CGF will put the base ctor calls in this basic block for us later.
891
892   return SkipVbaseCtorsBB;
893 }
894
895 void MicrosoftCXXABI::initializeHiddenVirtualInheritanceMembers(
896     CodeGenFunction &CGF, const CXXRecordDecl *RD) {
897   // In most cases, an override for a vbase virtual method can adjust
898   // the "this" parameter by applying a constant offset.
899   // However, this is not enough while a constructor or a destructor of some
900   // class X is being executed if all the following conditions are met:
901   //  - X has virtual bases, (1)
902   //  - X overrides a virtual method M of a vbase Y, (2)
903   //  - X itself is a vbase of the most derived class.
904   //
905   // If (1) and (2) are true, the vtorDisp for vbase Y is a hidden member of X
906   // which holds the extra amount of "this" adjustment we must do when we use
907   // the X vftables (i.e. during X ctor or dtor).
908   // Outside the ctors and dtors, the values of vtorDisps are zero.
909
910   const ASTRecordLayout &Layout = getContext().getASTRecordLayout(RD);
911   typedef ASTRecordLayout::VBaseOffsetsMapTy VBOffsets;
912   const VBOffsets &VBaseMap = Layout.getVBaseOffsetsMap();
913   CGBuilderTy &Builder = CGF.Builder;
914
915   unsigned AS =
916       cast<llvm::PointerType>(getThisValue(CGF)->getType())->getAddressSpace();
917   llvm::Value *Int8This = nullptr;  // Initialize lazily.
918
919   for (VBOffsets::const_iterator I = VBaseMap.begin(), E = VBaseMap.end();
920         I != E; ++I) {
921     if (!I->second.hasVtorDisp())
922       continue;
923
924     llvm::Value *VBaseOffset =
925         GetVirtualBaseClassOffset(CGF, getThisValue(CGF), RD, I->first);
926     // FIXME: it doesn't look right that we SExt in GetVirtualBaseClassOffset()
927     // just to Trunc back immediately.
928     VBaseOffset = Builder.CreateTruncOrBitCast(VBaseOffset, CGF.Int32Ty);
929     uint64_t ConstantVBaseOffset =
930         Layout.getVBaseClassOffset(I->first).getQuantity();
931
932     // vtorDisp_for_vbase = vbptr[vbase_idx] - offsetof(RD, vbase).
933     llvm::Value *VtorDispValue = Builder.CreateSub(
934         VBaseOffset, llvm::ConstantInt::get(CGM.Int32Ty, ConstantVBaseOffset),
935         "vtordisp.value");
936
937     if (!Int8This)
938       Int8This = Builder.CreateBitCast(getThisValue(CGF),
939                                        CGF.Int8Ty->getPointerTo(AS));
940     llvm::Value *VtorDispPtr = Builder.CreateInBoundsGEP(Int8This, VBaseOffset);
941     // vtorDisp is always the 32-bits before the vbase in the class layout.
942     VtorDispPtr = Builder.CreateConstGEP1_32(VtorDispPtr, -4);
943     VtorDispPtr = Builder.CreateBitCast(
944         VtorDispPtr, CGF.Int32Ty->getPointerTo(AS), "vtordisp.ptr");
945
946     Builder.CreateStore(VtorDispValue, VtorDispPtr);
947   }
948 }
949
950 void MicrosoftCXXABI::EmitCXXConstructors(const CXXConstructorDecl *D) {
951   // There's only one constructor type in this ABI.
952   CGM.EmitGlobal(GlobalDecl(D, Ctor_Complete));
953 }
954
955 void MicrosoftCXXABI::EmitVBPtrStores(CodeGenFunction &CGF,
956                                       const CXXRecordDecl *RD) {
957   llvm::Value *ThisInt8Ptr =
958     CGF.Builder.CreateBitCast(getThisValue(CGF), CGM.Int8PtrTy, "this.int8");
959   const ASTRecordLayout &Layout = CGM.getContext().getASTRecordLayout(RD);
960
961   const VBTableGlobals &VBGlobals = enumerateVBTables(RD);
962   for (unsigned I = 0, E = VBGlobals.VBTables->size(); I != E; ++I) {
963     const VPtrInfo *VBT = (*VBGlobals.VBTables)[I];
964     llvm::GlobalVariable *GV = VBGlobals.Globals[I];
965     const ASTRecordLayout &SubobjectLayout =
966         CGM.getContext().getASTRecordLayout(VBT->BaseWithVPtr);
967     CharUnits Offs = VBT->NonVirtualOffset;
968     Offs += SubobjectLayout.getVBPtrOffset();
969     if (VBT->getVBaseWithVPtr())
970       Offs += Layout.getVBaseClassOffset(VBT->getVBaseWithVPtr());
971     llvm::Value *VBPtr =
972         CGF.Builder.CreateConstInBoundsGEP1_64(ThisInt8Ptr, Offs.getQuantity());
973     llvm::Value *GVPtr = CGF.Builder.CreateConstInBoundsGEP2_32(GV, 0, 0);
974     VBPtr = CGF.Builder.CreateBitCast(VBPtr, GVPtr->getType()->getPointerTo(0),
975                                       "vbptr." + VBT->ReusingBase->getName());
976     CGF.Builder.CreateStore(GVPtr, VBPtr);
977   }
978 }
979
980 void
981 MicrosoftCXXABI::buildStructorSignature(const CXXMethodDecl *MD, StructorType T,
982                                         SmallVectorImpl<CanQualType> &ArgTys) {
983   // TODO: 'for base' flag
984   if (T == StructorType::Deleting) {
985     // The scalar deleting destructor takes an implicit int parameter.
986     ArgTys.push_back(CGM.getContext().IntTy);
987   }
988   auto *CD = dyn_cast<CXXConstructorDecl>(MD);
989   if (!CD)
990     return;
991
992   // All parameters are already in place except is_most_derived, which goes
993   // after 'this' if it's variadic and last if it's not.
994
995   const CXXRecordDecl *Class = CD->getParent();
996   const FunctionProtoType *FPT = CD->getType()->castAs<FunctionProtoType>();
997   if (Class->getNumVBases()) {
998     if (FPT->isVariadic())
999       ArgTys.insert(ArgTys.begin() + 1, CGM.getContext().IntTy);
1000     else
1001       ArgTys.push_back(CGM.getContext().IntTy);
1002   }
1003 }
1004
1005 void MicrosoftCXXABI::EmitCXXDestructors(const CXXDestructorDecl *D) {
1006   // The TU defining a dtor is only guaranteed to emit a base destructor.  All
1007   // other destructor variants are delegating thunks.
1008   CGM.EmitGlobal(GlobalDecl(D, Dtor_Base));
1009 }
1010
1011 CharUnits
1012 MicrosoftCXXABI::getVirtualFunctionPrologueThisAdjustment(GlobalDecl GD) {
1013   GD = GD.getCanonicalDecl();
1014   const CXXMethodDecl *MD = cast<CXXMethodDecl>(GD.getDecl());
1015
1016   GlobalDecl LookupGD = GD;
1017   if (const CXXDestructorDecl *DD = dyn_cast<CXXDestructorDecl>(MD)) {
1018     // Complete destructors take a pointer to the complete object as a
1019     // parameter, thus don't need this adjustment.
1020     if (GD.getDtorType() == Dtor_Complete)
1021       return CharUnits();
1022
1023     // There's no Dtor_Base in vftable but it shares the this adjustment with
1024     // the deleting one, so look it up instead.
1025     LookupGD = GlobalDecl(DD, Dtor_Deleting);
1026   }
1027
1028   MicrosoftVTableContext::MethodVFTableLocation ML =
1029       CGM.getMicrosoftVTableContext().getMethodVFTableLocation(LookupGD);
1030   CharUnits Adjustment = ML.VFPtrOffset;
1031
1032   // Normal virtual instance methods need to adjust from the vfptr that first
1033   // defined the virtual method to the virtual base subobject, but destructors
1034   // do not.  The vector deleting destructor thunk applies this adjustment for
1035   // us if necessary.
1036   if (isa<CXXDestructorDecl>(MD))
1037     Adjustment = CharUnits::Zero();
1038
1039   if (ML.VBase) {
1040     const ASTRecordLayout &DerivedLayout =
1041         CGM.getContext().getASTRecordLayout(MD->getParent());
1042     Adjustment += DerivedLayout.getVBaseClassOffset(ML.VBase);
1043   }
1044
1045   return Adjustment;
1046 }
1047
1048 llvm::Value *MicrosoftCXXABI::adjustThisArgumentForVirtualFunctionCall(
1049     CodeGenFunction &CGF, GlobalDecl GD, llvm::Value *This, bool VirtualCall) {
1050   if (!VirtualCall) {
1051     // If the call of a virtual function is not virtual, we just have to
1052     // compensate for the adjustment the virtual function does in its prologue.
1053     CharUnits Adjustment = getVirtualFunctionPrologueThisAdjustment(GD);
1054     if (Adjustment.isZero())
1055       return This;
1056
1057     unsigned AS = cast<llvm::PointerType>(This->getType())->getAddressSpace();
1058     llvm::Type *charPtrTy = CGF.Int8Ty->getPointerTo(AS);
1059     This = CGF.Builder.CreateBitCast(This, charPtrTy);
1060     assert(Adjustment.isPositive());
1061     return CGF.Builder.CreateConstGEP1_32(This, Adjustment.getQuantity());
1062   }
1063
1064   GD = GD.getCanonicalDecl();
1065   const CXXMethodDecl *MD = cast<CXXMethodDecl>(GD.getDecl());
1066
1067   GlobalDecl LookupGD = GD;
1068   if (const CXXDestructorDecl *DD = dyn_cast<CXXDestructorDecl>(MD)) {
1069     // Complete dtors take a pointer to the complete object,
1070     // thus don't need adjustment.
1071     if (GD.getDtorType() == Dtor_Complete)
1072       return This;
1073
1074     // There's only Dtor_Deleting in vftable but it shares the this adjustment
1075     // with the base one, so look up the deleting one instead.
1076     LookupGD = GlobalDecl(DD, Dtor_Deleting);
1077   }
1078   MicrosoftVTableContext::MethodVFTableLocation ML =
1079       CGM.getMicrosoftVTableContext().getMethodVFTableLocation(LookupGD);
1080
1081   unsigned AS = cast<llvm::PointerType>(This->getType())->getAddressSpace();
1082   llvm::Type *charPtrTy = CGF.Int8Ty->getPointerTo(AS);
1083   CharUnits StaticOffset = ML.VFPtrOffset;
1084
1085   // Base destructors expect 'this' to point to the beginning of the base
1086   // subobject, not the first vfptr that happens to contain the virtual dtor.
1087   // However, we still need to apply the virtual base adjustment.
1088   if (isa<CXXDestructorDecl>(MD) && GD.getDtorType() == Dtor_Base)
1089     StaticOffset = CharUnits::Zero();
1090
1091   if (ML.VBase) {
1092     This = CGF.Builder.CreateBitCast(This, charPtrTy);
1093     llvm::Value *VBaseOffset =
1094         GetVirtualBaseClassOffset(CGF, This, MD->getParent(), ML.VBase);
1095     This = CGF.Builder.CreateInBoundsGEP(This, VBaseOffset);
1096   }
1097   if (!StaticOffset.isZero()) {
1098     assert(StaticOffset.isPositive());
1099     This = CGF.Builder.CreateBitCast(This, charPtrTy);
1100     if (ML.VBase) {
1101       // Non-virtual adjustment might result in a pointer outside the allocated
1102       // object, e.g. if the final overrider class is laid out after the virtual
1103       // base that declares a method in the most derived class.
1104       // FIXME: Update the code that emits this adjustment in thunks prologues.
1105       This = CGF.Builder.CreateConstGEP1_32(This, StaticOffset.getQuantity());
1106     } else {
1107       This = CGF.Builder.CreateConstInBoundsGEP1_32(This,
1108                                                     StaticOffset.getQuantity());
1109     }
1110   }
1111   return This;
1112 }
1113
1114 void MicrosoftCXXABI::addImplicitStructorParams(CodeGenFunction &CGF,
1115                                                 QualType &ResTy,
1116                                                 FunctionArgList &Params) {
1117   ASTContext &Context = getContext();
1118   const CXXMethodDecl *MD = cast<CXXMethodDecl>(CGF.CurGD.getDecl());
1119   assert(isa<CXXConstructorDecl>(MD) || isa<CXXDestructorDecl>(MD));
1120   if (isa<CXXConstructorDecl>(MD) && MD->getParent()->getNumVBases()) {
1121     ImplicitParamDecl *IsMostDerived
1122       = ImplicitParamDecl::Create(Context, nullptr,
1123                                   CGF.CurGD.getDecl()->getLocation(),
1124                                   &Context.Idents.get("is_most_derived"),
1125                                   Context.IntTy);
1126     // The 'most_derived' parameter goes second if the ctor is variadic and last
1127     // if it's not.  Dtors can't be variadic.
1128     const FunctionProtoType *FPT = MD->getType()->castAs<FunctionProtoType>();
1129     if (FPT->isVariadic())
1130       Params.insert(Params.begin() + 1, IsMostDerived);
1131     else
1132       Params.push_back(IsMostDerived);
1133     getStructorImplicitParamDecl(CGF) = IsMostDerived;
1134   } else if (isDeletingDtor(CGF.CurGD)) {
1135     ImplicitParamDecl *ShouldDelete
1136       = ImplicitParamDecl::Create(Context, nullptr,
1137                                   CGF.CurGD.getDecl()->getLocation(),
1138                                   &Context.Idents.get("should_call_delete"),
1139                                   Context.IntTy);
1140     Params.push_back(ShouldDelete);
1141     getStructorImplicitParamDecl(CGF) = ShouldDelete;
1142   }
1143 }
1144
1145 llvm::Value *MicrosoftCXXABI::adjustThisParameterInVirtualFunctionPrologue(
1146     CodeGenFunction &CGF, GlobalDecl GD, llvm::Value *This) {
1147   // In this ABI, every virtual function takes a pointer to one of the
1148   // subobjects that first defines it as the 'this' parameter, rather than a
1149   // pointer to the final overrider subobject. Thus, we need to adjust it back
1150   // to the final overrider subobject before use.
1151   // See comments in the MicrosoftVFTableContext implementation for the details.
1152   CharUnits Adjustment = getVirtualFunctionPrologueThisAdjustment(GD);
1153   if (Adjustment.isZero())
1154     return This;
1155
1156   unsigned AS = cast<llvm::PointerType>(This->getType())->getAddressSpace();
1157   llvm::Type *charPtrTy = CGF.Int8Ty->getPointerTo(AS),
1158              *thisTy = This->getType();
1159
1160   This = CGF.Builder.CreateBitCast(This, charPtrTy);
1161   assert(Adjustment.isPositive());
1162   This =
1163       CGF.Builder.CreateConstInBoundsGEP1_32(This, -Adjustment.getQuantity());
1164   return CGF.Builder.CreateBitCast(This, thisTy);
1165 }
1166
1167 void MicrosoftCXXABI::EmitInstanceFunctionProlog(CodeGenFunction &CGF) {
1168   EmitThisParam(CGF);
1169
1170   /// If this is a function that the ABI specifies returns 'this', initialize
1171   /// the return slot to 'this' at the start of the function.
1172   ///
1173   /// Unlike the setting of return types, this is done within the ABI
1174   /// implementation instead of by clients of CGCXXABI because:
1175   /// 1) getThisValue is currently protected
1176   /// 2) in theory, an ABI could implement 'this' returns some other way;
1177   ///    HasThisReturn only specifies a contract, not the implementation    
1178   if (HasThisReturn(CGF.CurGD))
1179     CGF.Builder.CreateStore(getThisValue(CGF), CGF.ReturnValue);
1180   else if (hasMostDerivedReturn(CGF.CurGD))
1181     CGF.Builder.CreateStore(CGF.EmitCastToVoidPtr(getThisValue(CGF)),
1182                             CGF.ReturnValue);
1183
1184   const CXXMethodDecl *MD = cast<CXXMethodDecl>(CGF.CurGD.getDecl());
1185   if (isa<CXXConstructorDecl>(MD) && MD->getParent()->getNumVBases()) {
1186     assert(getStructorImplicitParamDecl(CGF) &&
1187            "no implicit parameter for a constructor with virtual bases?");
1188     getStructorImplicitParamValue(CGF)
1189       = CGF.Builder.CreateLoad(
1190           CGF.GetAddrOfLocalVar(getStructorImplicitParamDecl(CGF)),
1191           "is_most_derived");
1192   }
1193
1194   if (isDeletingDtor(CGF.CurGD)) {
1195     assert(getStructorImplicitParamDecl(CGF) &&
1196            "no implicit parameter for a deleting destructor?");
1197     getStructorImplicitParamValue(CGF)
1198       = CGF.Builder.CreateLoad(
1199           CGF.GetAddrOfLocalVar(getStructorImplicitParamDecl(CGF)),
1200           "should_call_delete");
1201   }
1202 }
1203
1204 unsigned MicrosoftCXXABI::addImplicitConstructorArgs(
1205     CodeGenFunction &CGF, const CXXConstructorDecl *D, CXXCtorType Type,
1206     bool ForVirtualBase, bool Delegating, CallArgList &Args) {
1207   assert(Type == Ctor_Complete || Type == Ctor_Base);
1208
1209   // Check if we need a 'most_derived' parameter.
1210   if (!D->getParent()->getNumVBases())
1211     return 0;
1212
1213   // Add the 'most_derived' argument second if we are variadic or last if not.
1214   const FunctionProtoType *FPT = D->getType()->castAs<FunctionProtoType>();
1215   llvm::Value *MostDerivedArg =
1216       llvm::ConstantInt::get(CGM.Int32Ty, Type == Ctor_Complete);
1217   RValue RV = RValue::get(MostDerivedArg);
1218   if (MostDerivedArg) {
1219     if (FPT->isVariadic())
1220       Args.insert(Args.begin() + 1,
1221                   CallArg(RV, getContext().IntTy, /*needscopy=*/false));
1222     else
1223       Args.add(RV, getContext().IntTy);
1224   }
1225
1226   return 1;  // Added one arg.
1227 }
1228
1229 void MicrosoftCXXABI::EmitDestructorCall(CodeGenFunction &CGF,
1230                                          const CXXDestructorDecl *DD,
1231                                          CXXDtorType Type, bool ForVirtualBase,
1232                                          bool Delegating, llvm::Value *This) {
1233   llvm::Value *Callee = CGM.getAddrOfCXXStructor(DD, getFromDtorType(Type));
1234
1235   if (DD->isVirtual()) {
1236     assert(Type != CXXDtorType::Dtor_Deleting &&
1237            "The deleting destructor should only be called via a virtual call");
1238     This = adjustThisArgumentForVirtualFunctionCall(CGF, GlobalDecl(DD, Type),
1239                                                     This, false);
1240   }
1241
1242   CGF.EmitCXXStructorCall(DD, Callee, ReturnValueSlot(), This,
1243                           /*ImplicitParam=*/nullptr,
1244                           /*ImplicitParamTy=*/QualType(), nullptr,
1245                           getFromDtorType(Type));
1246 }
1247
1248 void MicrosoftCXXABI::emitVTableDefinitions(CodeGenVTables &CGVT,
1249                                             const CXXRecordDecl *RD) {
1250   MicrosoftVTableContext &VFTContext = CGM.getMicrosoftVTableContext();
1251   const VPtrInfoVector &VFPtrs = VFTContext.getVFPtrOffsets(RD);
1252
1253   for (VPtrInfo *Info : VFPtrs) {
1254     llvm::GlobalVariable *VTable = getAddrOfVTable(RD, Info->FullOffsetInMDC);
1255     if (VTable->hasInitializer())
1256       continue;
1257
1258     llvm::Constant *RTTI = getContext().getLangOpts().RTTIData
1259                                ? getMSCompleteObjectLocator(RD, Info)
1260                                : nullptr;
1261
1262     const VTableLayout &VTLayout =
1263       VFTContext.getVFTableLayout(RD, Info->FullOffsetInMDC);
1264     llvm::Constant *Init = CGVT.CreateVTableInitializer(
1265         RD, VTLayout.vtable_component_begin(),
1266         VTLayout.getNumVTableComponents(), VTLayout.vtable_thunk_begin(),
1267         VTLayout.getNumVTableThunks(), RTTI);
1268
1269     VTable->setInitializer(Init);
1270   }
1271 }
1272
1273 llvm::Value *MicrosoftCXXABI::getVTableAddressPointInStructor(
1274     CodeGenFunction &CGF, const CXXRecordDecl *VTableClass, BaseSubobject Base,
1275     const CXXRecordDecl *NearestVBase, bool &NeedsVirtualOffset) {
1276   NeedsVirtualOffset = (NearestVBase != nullptr);
1277
1278   (void)getAddrOfVTable(VTableClass, Base.getBaseOffset());
1279   VFTableIdTy ID(VTableClass, Base.getBaseOffset());
1280   llvm::GlobalValue *VTableAddressPoint = VFTablesMap[ID];
1281   if (!VTableAddressPoint) {
1282     assert(Base.getBase()->getNumVBases() &&
1283            !CGM.getContext().getASTRecordLayout(Base.getBase()).hasOwnVFPtr());
1284   }
1285   return VTableAddressPoint;
1286 }
1287
1288 static void mangleVFTableName(MicrosoftMangleContext &MangleContext,
1289                               const CXXRecordDecl *RD, const VPtrInfo *VFPtr,
1290                               SmallString<256> &Name) {
1291   llvm::raw_svector_ostream Out(Name);
1292   MangleContext.mangleCXXVFTable(RD, VFPtr->MangledPath, Out);
1293 }
1294
1295 llvm::Constant *MicrosoftCXXABI::getVTableAddressPointForConstExpr(
1296     BaseSubobject Base, const CXXRecordDecl *VTableClass) {
1297   (void)getAddrOfVTable(VTableClass, Base.getBaseOffset());
1298   VFTableIdTy ID(VTableClass, Base.getBaseOffset());
1299   llvm::GlobalValue *VFTable = VFTablesMap[ID];
1300   assert(VFTable && "Couldn't find a vftable for the given base?");
1301   return VFTable;
1302 }
1303
1304 llvm::GlobalVariable *MicrosoftCXXABI::getAddrOfVTable(const CXXRecordDecl *RD,
1305                                                        CharUnits VPtrOffset) {
1306   // getAddrOfVTable may return 0 if asked to get an address of a vtable which
1307   // shouldn't be used in the given record type. We want to cache this result in
1308   // VFTablesMap, thus a simple zero check is not sufficient.
1309   VFTableIdTy ID(RD, VPtrOffset);
1310   VTablesMapTy::iterator I;
1311   bool Inserted;
1312   std::tie(I, Inserted) = VTablesMap.insert(std::make_pair(ID, nullptr));
1313   if (!Inserted)
1314     return I->second;
1315
1316   llvm::GlobalVariable *&VTable = I->second;
1317
1318   MicrosoftVTableContext &VTContext = CGM.getMicrosoftVTableContext();
1319   const VPtrInfoVector &VFPtrs = VTContext.getVFPtrOffsets(RD);
1320
1321   if (DeferredVFTables.insert(RD).second) {
1322     // We haven't processed this record type before.
1323     // Queue up this v-table for possible deferred emission.
1324     CGM.addDeferredVTable(RD);
1325
1326 #ifndef NDEBUG
1327     // Create all the vftables at once in order to make sure each vftable has
1328     // a unique mangled name.
1329     llvm::StringSet<> ObservedMangledNames;
1330     for (size_t J = 0, F = VFPtrs.size(); J != F; ++J) {
1331       SmallString<256> Name;
1332       mangleVFTableName(getMangleContext(), RD, VFPtrs[J], Name);
1333       if (!ObservedMangledNames.insert(Name.str()).second)
1334         llvm_unreachable("Already saw this mangling before?");
1335     }
1336 #endif
1337   }
1338
1339   for (size_t J = 0, F = VFPtrs.size(); J != F; ++J) {
1340     if (VFPtrs[J]->FullOffsetInMDC != VPtrOffset)
1341       continue;
1342     SmallString<256> VFTableName;
1343     mangleVFTableName(getMangleContext(), RD, VFPtrs[J], VFTableName);
1344     StringRef VTableName = VFTableName;
1345
1346     uint64_t NumVTableSlots =
1347         VTContext.getVFTableLayout(RD, VFPtrs[J]->FullOffsetInMDC)
1348             .getNumVTableComponents();
1349     llvm::GlobalValue::LinkageTypes VTableLinkage =
1350         llvm::GlobalValue::ExternalLinkage;
1351     llvm::ArrayType *VTableType =
1352         llvm::ArrayType::get(CGM.Int8PtrTy, NumVTableSlots);
1353     if (getContext().getLangOpts().RTTIData) {
1354       VTableLinkage = llvm::GlobalValue::PrivateLinkage;
1355       VTableName = "";
1356     }
1357
1358     VTable = CGM.getModule().getNamedGlobal(VFTableName);
1359     if (!VTable) {
1360       // Create a backing variable for the contents of VTable.  The VTable may
1361       // or may not include space for a pointer to RTTI data.
1362       llvm::GlobalValue *VFTable = VTable = new llvm::GlobalVariable(
1363           CGM.getModule(), VTableType, /*isConstant=*/true, VTableLinkage,
1364           /*Initializer=*/nullptr, VTableName);
1365       VTable->setUnnamedAddr(true);
1366
1367       // Only insert a pointer into the VFTable for RTTI data if we are not
1368       // importing it.  We never reference the RTTI data directly so there is no
1369       // need to make room for it.
1370       if (getContext().getLangOpts().RTTIData &&
1371           !RD->hasAttr<DLLImportAttr>()) {
1372         llvm::Value *GEPIndices[] = {llvm::ConstantInt::get(CGM.IntTy, 0),
1373                                      llvm::ConstantInt::get(CGM.IntTy, 1)};
1374         // Create a GEP which points just after the first entry in the VFTable,
1375         // this should be the location of the first virtual method.
1376         llvm::Constant *VTableGEP =
1377             llvm::ConstantExpr::getInBoundsGetElementPtr(VTable, GEPIndices);
1378         // The symbol for the VFTable is an alias to the GEP.  It is
1379         // transparent, to other modules, what the nature of this symbol is; all
1380         // that matters is that the alias be the address of the first virtual
1381         // method.
1382         VFTable = llvm::GlobalAlias::create(
1383             cast<llvm::SequentialType>(VTableGEP->getType())->getElementType(),
1384             /*AddressSpace=*/0, llvm::GlobalValue::ExternalLinkage,
1385             VFTableName.str(), VTableGEP, &CGM.getModule());
1386       } else {
1387         // We don't need a GlobalAlias to be a symbol for the VTable if we won't
1388         // be referencing any RTTI data.  The GlobalVariable will end up being
1389         // an appropriate definition of the VFTable.
1390         VTable->setName(VFTableName.str());
1391       }
1392
1393       VFTable->setUnnamedAddr(true);
1394       if (RD->hasAttr<DLLImportAttr>())
1395         VFTable->setDLLStorageClass(llvm::GlobalValue::DLLImportStorageClass);
1396       else if (RD->hasAttr<DLLExportAttr>())
1397         VFTable->setDLLStorageClass(llvm::GlobalValue::DLLExportStorageClass);
1398
1399       llvm::GlobalValue::LinkageTypes VFTableLinkage = CGM.getVTableLinkage(RD);
1400       if (VFTable != VTable) {
1401         if (llvm::GlobalValue::isAvailableExternallyLinkage(VFTableLinkage)) {
1402           // AvailableExternally implies that we grabbed the data from another
1403           // executable.  No need to stick the alias in a Comdat.
1404         } else if (llvm::GlobalValue::isInternalLinkage(VFTableLinkage) ||
1405                    llvm::GlobalValue::isWeakODRLinkage(VFTableLinkage) ||
1406                    llvm::GlobalValue::isLinkOnceODRLinkage(VFTableLinkage)) {
1407           // The alias is going to be dropped into a Comdat, no need to make it
1408           // weak.
1409           if (!llvm::GlobalValue::isInternalLinkage(VFTableLinkage))
1410             VFTableLinkage = llvm::GlobalValue::ExternalLinkage;
1411           llvm::Comdat *C =
1412               CGM.getModule().getOrInsertComdat(VFTable->getName());
1413           // We must indicate which VFTable is larger to support linking between
1414           // translation units which do and do not have RTTI data.  The largest
1415           // VFTable contains the RTTI data; translation units which reference
1416           // the smaller VFTable always reference it relative to the first
1417           // virtual method.
1418           C->setSelectionKind(llvm::Comdat::Largest);
1419           VTable->setComdat(C);
1420         } else {
1421           llvm_unreachable("unexpected linkage for vftable!");
1422         }
1423       } else {
1424         if (llvm::GlobalValue::isWeakForLinker(VFTableLinkage))
1425           VTable->setComdat(
1426               CGM.getModule().getOrInsertComdat(VTable->getName()));
1427       }
1428       VFTable->setLinkage(VFTableLinkage);
1429       CGM.setGlobalVisibility(VFTable, RD);
1430       VFTablesMap[ID] = VFTable;
1431     }
1432     break;
1433   }
1434
1435   return VTable;
1436 }
1437
1438 llvm::Value *MicrosoftCXXABI::getVirtualFunctionPointer(CodeGenFunction &CGF,
1439                                                         GlobalDecl GD,
1440                                                         llvm::Value *This,
1441                                                         llvm::Type *Ty) {
1442   GD = GD.getCanonicalDecl();
1443   CGBuilderTy &Builder = CGF.Builder;
1444
1445   Ty = Ty->getPointerTo()->getPointerTo();
1446   llvm::Value *VPtr =
1447       adjustThisArgumentForVirtualFunctionCall(CGF, GD, This, true);
1448   llvm::Value *VTable = CGF.GetVTablePtr(VPtr, Ty);
1449
1450   MicrosoftVTableContext::MethodVFTableLocation ML =
1451       CGM.getMicrosoftVTableContext().getMethodVFTableLocation(GD);
1452   llvm::Value *VFuncPtr =
1453       Builder.CreateConstInBoundsGEP1_64(VTable, ML.Index, "vfn");
1454   return Builder.CreateLoad(VFuncPtr);
1455 }
1456
1457 llvm::Value *MicrosoftCXXABI::EmitVirtualDestructorCall(
1458     CodeGenFunction &CGF, const CXXDestructorDecl *Dtor, CXXDtorType DtorType,
1459     llvm::Value *This, const CXXMemberCallExpr *CE) {
1460   assert(CE == nullptr || CE->arg_begin() == CE->arg_end());
1461   assert(DtorType == Dtor_Deleting || DtorType == Dtor_Complete);
1462
1463   // We have only one destructor in the vftable but can get both behaviors
1464   // by passing an implicit int parameter.
1465   GlobalDecl GD(Dtor, Dtor_Deleting);
1466   const CGFunctionInfo *FInfo = &CGM.getTypes().arrangeCXXStructorDeclaration(
1467       Dtor, StructorType::Deleting);
1468   llvm::Type *Ty = CGF.CGM.getTypes().GetFunctionType(*FInfo);
1469   llvm::Value *Callee = getVirtualFunctionPointer(CGF, GD, This, Ty);
1470
1471   ASTContext &Context = CGF.getContext();
1472   llvm::Value *ImplicitParam = llvm::ConstantInt::get(
1473       llvm::IntegerType::getInt32Ty(CGF.getLLVMContext()),
1474       DtorType == Dtor_Deleting);
1475
1476   This = adjustThisArgumentForVirtualFunctionCall(CGF, GD, This, true);
1477   RValue RV = CGF.EmitCXXStructorCall(Dtor, Callee, ReturnValueSlot(), This,
1478                                       ImplicitParam, Context.IntTy, CE,
1479                                       StructorType::Deleting);
1480   return RV.getScalarVal();
1481 }
1482
1483 const VBTableGlobals &
1484 MicrosoftCXXABI::enumerateVBTables(const CXXRecordDecl *RD) {
1485   // At this layer, we can key the cache off of a single class, which is much
1486   // easier than caching each vbtable individually.
1487   llvm::DenseMap<const CXXRecordDecl*, VBTableGlobals>::iterator Entry;
1488   bool Added;
1489   std::tie(Entry, Added) =
1490       VBTablesMap.insert(std::make_pair(RD, VBTableGlobals()));
1491   VBTableGlobals &VBGlobals = Entry->second;
1492   if (!Added)
1493     return VBGlobals;
1494
1495   MicrosoftVTableContext &Context = CGM.getMicrosoftVTableContext();
1496   VBGlobals.VBTables = &Context.enumerateVBTables(RD);
1497
1498   // Cache the globals for all vbtables so we don't have to recompute the
1499   // mangled names.
1500   llvm::GlobalVariable::LinkageTypes Linkage = CGM.getVTableLinkage(RD);
1501   for (VPtrInfoVector::const_iterator I = VBGlobals.VBTables->begin(),
1502                                       E = VBGlobals.VBTables->end();
1503        I != E; ++I) {
1504     VBGlobals.Globals.push_back(getAddrOfVBTable(**I, RD, Linkage));
1505   }
1506
1507   return VBGlobals;
1508 }
1509
1510 llvm::Function *MicrosoftCXXABI::EmitVirtualMemPtrThunk(
1511     const CXXMethodDecl *MD,
1512     const MicrosoftVTableContext::MethodVFTableLocation &ML) {
1513   assert(!isa<CXXConstructorDecl>(MD) && !isa<CXXDestructorDecl>(MD) &&
1514          "can't form pointers to ctors or virtual dtors");
1515
1516   // Calculate the mangled name.
1517   SmallString<256> ThunkName;
1518   llvm::raw_svector_ostream Out(ThunkName);
1519   getMangleContext().mangleVirtualMemPtrThunk(MD, Out);
1520   Out.flush();
1521
1522   // If the thunk has been generated previously, just return it.
1523   if (llvm::GlobalValue *GV = CGM.getModule().getNamedValue(ThunkName))
1524     return cast<llvm::Function>(GV);
1525
1526   // Create the llvm::Function.
1527   const CGFunctionInfo &FnInfo = CGM.getTypes().arrangeMSMemberPointerThunk(MD);
1528   llvm::FunctionType *ThunkTy = CGM.getTypes().GetFunctionType(FnInfo);
1529   llvm::Function *ThunkFn =
1530       llvm::Function::Create(ThunkTy, llvm::Function::ExternalLinkage,
1531                              ThunkName.str(), &CGM.getModule());
1532   assert(ThunkFn->getName() == ThunkName && "name was uniqued!");
1533
1534   ThunkFn->setLinkage(MD->isExternallyVisible()
1535                           ? llvm::GlobalValue::LinkOnceODRLinkage
1536                           : llvm::GlobalValue::InternalLinkage);
1537
1538   CGM.SetLLVMFunctionAttributes(MD, FnInfo, ThunkFn);
1539   CGM.SetLLVMFunctionAttributesForDefinition(MD, ThunkFn);
1540
1541   // These thunks can be compared, so they are not unnamed.
1542   ThunkFn->setUnnamedAddr(false);
1543
1544   // Start codegen.
1545   CodeGenFunction CGF(CGM);
1546   CGF.CurGD = GlobalDecl(MD);
1547   CGF.CurFuncIsThunk = true;
1548
1549   // Build FunctionArgs, but only include the implicit 'this' parameter
1550   // declaration.
1551   FunctionArgList FunctionArgs;
1552   buildThisParam(CGF, FunctionArgs);
1553
1554   // Start defining the function.
1555   CGF.StartFunction(GlobalDecl(), FnInfo.getReturnType(), ThunkFn, FnInfo,
1556                     FunctionArgs, MD->getLocation(), SourceLocation());
1557   EmitThisParam(CGF);
1558
1559   // Load the vfptr and then callee from the vftable.  The callee should have
1560   // adjusted 'this' so that the vfptr is at offset zero.
1561   llvm::Value *VTable = CGF.GetVTablePtr(
1562       getThisValue(CGF), ThunkTy->getPointerTo()->getPointerTo());
1563   llvm::Value *VFuncPtr =
1564       CGF.Builder.CreateConstInBoundsGEP1_64(VTable, ML.Index, "vfn");
1565   llvm::Value *Callee = CGF.Builder.CreateLoad(VFuncPtr);
1566
1567   CGF.EmitMustTailThunk(MD, getThisValue(CGF), Callee);
1568
1569   return ThunkFn;
1570 }
1571
1572 void MicrosoftCXXABI::emitVirtualInheritanceTables(const CXXRecordDecl *RD) {
1573   const VBTableGlobals &VBGlobals = enumerateVBTables(RD);
1574   for (unsigned I = 0, E = VBGlobals.VBTables->size(); I != E; ++I) {
1575     const VPtrInfo *VBT = (*VBGlobals.VBTables)[I];
1576     llvm::GlobalVariable *GV = VBGlobals.Globals[I];
1577     emitVBTableDefinition(*VBT, RD, GV);
1578   }
1579 }
1580
1581 llvm::GlobalVariable *
1582 MicrosoftCXXABI::getAddrOfVBTable(const VPtrInfo &VBT, const CXXRecordDecl *RD,
1583                                   llvm::GlobalVariable::LinkageTypes Linkage) {
1584   SmallString<256> OutName;
1585   llvm::raw_svector_ostream Out(OutName);
1586   getMangleContext().mangleCXXVBTable(RD, VBT.MangledPath, Out);
1587   Out.flush();
1588   StringRef Name = OutName.str();
1589
1590   llvm::ArrayType *VBTableType =
1591       llvm::ArrayType::get(CGM.IntTy, 1 + VBT.ReusingBase->getNumVBases());
1592
1593   assert(!CGM.getModule().getNamedGlobal(Name) &&
1594          "vbtable with this name already exists: mangling bug?");
1595   llvm::GlobalVariable *GV =
1596       CGM.CreateOrReplaceCXXRuntimeVariable(Name, VBTableType, Linkage);
1597   GV->setUnnamedAddr(true);
1598
1599   if (RD->hasAttr<DLLImportAttr>())
1600     GV->setDLLStorageClass(llvm::GlobalValue::DLLImportStorageClass);
1601   else if (RD->hasAttr<DLLExportAttr>())
1602     GV->setDLLStorageClass(llvm::GlobalValue::DLLExportStorageClass);
1603
1604   return GV;
1605 }
1606
1607 void MicrosoftCXXABI::emitVBTableDefinition(const VPtrInfo &VBT,
1608                                             const CXXRecordDecl *RD,
1609                                             llvm::GlobalVariable *GV) const {
1610   const CXXRecordDecl *ReusingBase = VBT.ReusingBase;
1611
1612   assert(RD->getNumVBases() && ReusingBase->getNumVBases() &&
1613          "should only emit vbtables for classes with vbtables");
1614
1615   const ASTRecordLayout &BaseLayout =
1616       CGM.getContext().getASTRecordLayout(VBT.BaseWithVPtr);
1617   const ASTRecordLayout &DerivedLayout =
1618     CGM.getContext().getASTRecordLayout(RD);
1619
1620   SmallVector<llvm::Constant *, 4> Offsets(1 + ReusingBase->getNumVBases(),
1621                                            nullptr);
1622
1623   // The offset from ReusingBase's vbptr to itself always leads.
1624   CharUnits VBPtrOffset = BaseLayout.getVBPtrOffset();
1625   Offsets[0] = llvm::ConstantInt::get(CGM.IntTy, -VBPtrOffset.getQuantity());
1626
1627   MicrosoftVTableContext &Context = CGM.getMicrosoftVTableContext();
1628   for (const auto &I : ReusingBase->vbases()) {
1629     const CXXRecordDecl *VBase = I.getType()->getAsCXXRecordDecl();
1630     CharUnits Offset = DerivedLayout.getVBaseClassOffset(VBase);
1631     assert(!Offset.isNegative());
1632
1633     // Make it relative to the subobject vbptr.
1634     CharUnits CompleteVBPtrOffset = VBT.NonVirtualOffset + VBPtrOffset;
1635     if (VBT.getVBaseWithVPtr())
1636       CompleteVBPtrOffset +=
1637           DerivedLayout.getVBaseClassOffset(VBT.getVBaseWithVPtr());
1638     Offset -= CompleteVBPtrOffset;
1639
1640     unsigned VBIndex = Context.getVBTableIndex(ReusingBase, VBase);
1641     assert(Offsets[VBIndex] == nullptr && "The same vbindex seen twice?");
1642     Offsets[VBIndex] = llvm::ConstantInt::get(CGM.IntTy, Offset.getQuantity());
1643   }
1644
1645   assert(Offsets.size() ==
1646          cast<llvm::ArrayType>(cast<llvm::PointerType>(GV->getType())
1647                                ->getElementType())->getNumElements());
1648   llvm::ArrayType *VBTableType =
1649     llvm::ArrayType::get(CGM.IntTy, Offsets.size());
1650   llvm::Constant *Init = llvm::ConstantArray::get(VBTableType, Offsets);
1651   GV->setInitializer(Init);
1652
1653   // Set the right visibility.
1654   CGM.setGlobalVisibility(GV, RD);
1655 }
1656
1657 llvm::Value *MicrosoftCXXABI::performThisAdjustment(CodeGenFunction &CGF,
1658                                                     llvm::Value *This,
1659                                                     const ThisAdjustment &TA) {
1660   if (TA.isEmpty())
1661     return This;
1662
1663   llvm::Value *V = CGF.Builder.CreateBitCast(This, CGF.Int8PtrTy);
1664
1665   if (!TA.Virtual.isEmpty()) {
1666     assert(TA.Virtual.Microsoft.VtordispOffset < 0);
1667     // Adjust the this argument based on the vtordisp value.
1668     llvm::Value *VtorDispPtr =
1669         CGF.Builder.CreateConstGEP1_32(V, TA.Virtual.Microsoft.VtordispOffset);
1670     VtorDispPtr =
1671         CGF.Builder.CreateBitCast(VtorDispPtr, CGF.Int32Ty->getPointerTo());
1672     llvm::Value *VtorDisp = CGF.Builder.CreateLoad(VtorDispPtr, "vtordisp");
1673     V = CGF.Builder.CreateGEP(V, CGF.Builder.CreateNeg(VtorDisp));
1674
1675     if (TA.Virtual.Microsoft.VBPtrOffset) {
1676       // If the final overrider is defined in a virtual base other than the one
1677       // that holds the vfptr, we have to use a vtordispex thunk which looks up
1678       // the vbtable of the derived class.
1679       assert(TA.Virtual.Microsoft.VBPtrOffset > 0);
1680       assert(TA.Virtual.Microsoft.VBOffsetOffset >= 0);
1681       llvm::Value *VBPtr;
1682       llvm::Value *VBaseOffset =
1683           GetVBaseOffsetFromVBPtr(CGF, V, -TA.Virtual.Microsoft.VBPtrOffset,
1684                                   TA.Virtual.Microsoft.VBOffsetOffset, &VBPtr);
1685       V = CGF.Builder.CreateInBoundsGEP(VBPtr, VBaseOffset);
1686     }
1687   }
1688
1689   if (TA.NonVirtual) {
1690     // Non-virtual adjustment might result in a pointer outside the allocated
1691     // object, e.g. if the final overrider class is laid out after the virtual
1692     // base that declares a method in the most derived class.
1693     V = CGF.Builder.CreateConstGEP1_32(V, TA.NonVirtual);
1694   }
1695
1696   // Don't need to bitcast back, the call CodeGen will handle this.
1697   return V;
1698 }
1699
1700 llvm::Value *
1701 MicrosoftCXXABI::performReturnAdjustment(CodeGenFunction &CGF, llvm::Value *Ret,
1702                                          const ReturnAdjustment &RA) {
1703   if (RA.isEmpty())
1704     return Ret;
1705
1706   llvm::Value *V = CGF.Builder.CreateBitCast(Ret, CGF.Int8PtrTy);
1707
1708   if (RA.Virtual.Microsoft.VBIndex) {
1709     assert(RA.Virtual.Microsoft.VBIndex > 0);
1710     int32_t IntSize =
1711         getContext().getTypeSizeInChars(getContext().IntTy).getQuantity();
1712     llvm::Value *VBPtr;
1713     llvm::Value *VBaseOffset =
1714         GetVBaseOffsetFromVBPtr(CGF, V, RA.Virtual.Microsoft.VBPtrOffset,
1715                                 IntSize * RA.Virtual.Microsoft.VBIndex, &VBPtr);
1716     V = CGF.Builder.CreateInBoundsGEP(VBPtr, VBaseOffset);
1717   }
1718
1719   if (RA.NonVirtual)
1720     V = CGF.Builder.CreateConstInBoundsGEP1_32(V, RA.NonVirtual);
1721
1722   // Cast back to the original type.
1723   return CGF.Builder.CreateBitCast(V, Ret->getType());
1724 }
1725
1726 bool MicrosoftCXXABI::requiresArrayCookie(const CXXDeleteExpr *expr,
1727                                    QualType elementType) {
1728   // Microsoft seems to completely ignore the possibility of a
1729   // two-argument usual deallocation function.
1730   return elementType.isDestructedType();
1731 }
1732
1733 bool MicrosoftCXXABI::requiresArrayCookie(const CXXNewExpr *expr) {
1734   // Microsoft seems to completely ignore the possibility of a
1735   // two-argument usual deallocation function.
1736   return expr->getAllocatedType().isDestructedType();
1737 }
1738
1739 CharUnits MicrosoftCXXABI::getArrayCookieSizeImpl(QualType type) {
1740   // The array cookie is always a size_t; we then pad that out to the
1741   // alignment of the element type.
1742   ASTContext &Ctx = getContext();
1743   return std::max(Ctx.getTypeSizeInChars(Ctx.getSizeType()),
1744                   Ctx.getTypeAlignInChars(type));
1745 }
1746
1747 llvm::Value *MicrosoftCXXABI::readArrayCookieImpl(CodeGenFunction &CGF,
1748                                                   llvm::Value *allocPtr,
1749                                                   CharUnits cookieSize) {
1750   unsigned AS = allocPtr->getType()->getPointerAddressSpace();
1751   llvm::Value *numElementsPtr =
1752     CGF.Builder.CreateBitCast(allocPtr, CGF.SizeTy->getPointerTo(AS));
1753   return CGF.Builder.CreateLoad(numElementsPtr);
1754 }
1755
1756 llvm::Value* MicrosoftCXXABI::InitializeArrayCookie(CodeGenFunction &CGF,
1757                                                     llvm::Value *newPtr,
1758                                                     llvm::Value *numElements,
1759                                                     const CXXNewExpr *expr,
1760                                                     QualType elementType) {
1761   assert(requiresArrayCookie(expr));
1762
1763   // The size of the cookie.
1764   CharUnits cookieSize = getArrayCookieSizeImpl(elementType);
1765
1766   // Compute an offset to the cookie.
1767   llvm::Value *cookiePtr = newPtr;
1768
1769   // Write the number of elements into the appropriate slot.
1770   unsigned AS = newPtr->getType()->getPointerAddressSpace();
1771   llvm::Value *numElementsPtr
1772     = CGF.Builder.CreateBitCast(cookiePtr, CGF.SizeTy->getPointerTo(AS));
1773   CGF.Builder.CreateStore(numElements, numElementsPtr);
1774
1775   // Finally, compute a pointer to the actual data buffer by skipping
1776   // over the cookie completely.
1777   return CGF.Builder.CreateConstInBoundsGEP1_64(newPtr,
1778                                                 cookieSize.getQuantity());
1779 }
1780
1781 static void emitGlobalDtorWithTLRegDtor(CodeGenFunction &CGF, const VarDecl &VD,
1782                                         llvm::Constant *Dtor,
1783                                         llvm::Constant *Addr) {
1784   // Create a function which calls the destructor.
1785   llvm::Constant *DtorStub = CGF.createAtExitStub(VD, Dtor, Addr);
1786
1787   // extern "C" int __tlregdtor(void (*f)(void));
1788   llvm::FunctionType *TLRegDtorTy = llvm::FunctionType::get(
1789       CGF.IntTy, DtorStub->getType(), /*IsVarArg=*/false);
1790
1791   llvm::Constant *TLRegDtor =
1792       CGF.CGM.CreateRuntimeFunction(TLRegDtorTy, "__tlregdtor");
1793   if (llvm::Function *TLRegDtorFn = dyn_cast<llvm::Function>(TLRegDtor))
1794     TLRegDtorFn->setDoesNotThrow();
1795
1796   CGF.EmitNounwindRuntimeCall(TLRegDtor, DtorStub);
1797 }
1798
1799 void MicrosoftCXXABI::registerGlobalDtor(CodeGenFunction &CGF, const VarDecl &D,
1800                                          llvm::Constant *Dtor,
1801                                          llvm::Constant *Addr) {
1802   if (D.getTLSKind())
1803     return emitGlobalDtorWithTLRegDtor(CGF, D, Dtor, Addr);
1804
1805   // The default behavior is to use atexit.
1806   CGF.registerGlobalDtorWithAtExit(D, Dtor, Addr);
1807 }
1808
1809 void MicrosoftCXXABI::EmitThreadLocalInitFuncs(
1810     CodeGenModule &CGM,
1811     ArrayRef<std::pair<const VarDecl *, llvm::GlobalVariable *>>
1812         CXXThreadLocals,
1813     ArrayRef<llvm::Function *> CXXThreadLocalInits,
1814     ArrayRef<llvm::GlobalVariable *> CXXThreadLocalInitVars) {
1815   // This will create a GV in the .CRT$XDU section.  It will point to our
1816   // initialization function.  The CRT will call all of these function
1817   // pointers at start-up time and, eventually, at thread-creation time.
1818   auto AddToXDU = [&CGM](llvm::Function *InitFunc) {
1819     llvm::GlobalVariable *InitFuncPtr = new llvm::GlobalVariable(
1820         CGM.getModule(), InitFunc->getType(), /*IsConstant=*/true,
1821         llvm::GlobalVariable::InternalLinkage, InitFunc,
1822         Twine(InitFunc->getName(), "$initializer$"));
1823     InitFuncPtr->setSection(".CRT$XDU");
1824     // This variable has discardable linkage, we have to add it to @llvm.used to
1825     // ensure it won't get discarded.
1826     CGM.addUsedGlobal(InitFuncPtr);
1827     return InitFuncPtr;
1828   };
1829
1830   std::vector<llvm::Function *> NonComdatInits;
1831   for (size_t I = 0, E = CXXThreadLocalInitVars.size(); I != E; ++I) {
1832     llvm::GlobalVariable *GV = CXXThreadLocalInitVars[I];
1833     llvm::Function *F = CXXThreadLocalInits[I];
1834
1835     // If the GV is already in a comdat group, then we have to join it.
1836     if (llvm::Comdat *C = GV->getComdat())
1837       AddToXDU(F)->setComdat(C);
1838     else
1839       NonComdatInits.push_back(F);
1840   }
1841
1842   if (!NonComdatInits.empty()) {
1843     llvm::FunctionType *FTy =
1844         llvm::FunctionType::get(CGM.VoidTy, /*isVarArg=*/false);
1845     llvm::Function *InitFunc = CGM.CreateGlobalInitOrDestructFunction(
1846         FTy, "__tls_init", SourceLocation(),
1847         /*TLS=*/true);
1848     CodeGenFunction(CGM).GenerateCXXGlobalInitFunc(InitFunc, NonComdatInits);
1849
1850     AddToXDU(InitFunc);
1851   }
1852 }
1853
1854 LValue MicrosoftCXXABI::EmitThreadLocalVarDeclLValue(CodeGenFunction &CGF,
1855                                                      const VarDecl *VD,
1856                                                      QualType LValType) {
1857   CGF.CGM.ErrorUnsupported(VD, "thread wrappers");
1858   return LValue();
1859 }
1860
1861 void MicrosoftCXXABI::EmitGuardedInit(CodeGenFunction &CGF, const VarDecl &D,
1862                                       llvm::GlobalVariable *GV,
1863                                       bool PerformInit) {
1864   // MSVC only uses guards for static locals.
1865   if (!D.isStaticLocal()) {
1866     assert(GV->hasWeakLinkage() || GV->hasLinkOnceLinkage());
1867     // GlobalOpt is allowed to discard the initializer, so use linkonce_odr.
1868     llvm::Function *F = CGF.CurFn;
1869     F->setLinkage(llvm::GlobalValue::LinkOnceODRLinkage);
1870     F->setComdat(CGM.getModule().getOrInsertComdat(F->getName()));
1871     CGF.EmitCXXGlobalVarDeclInit(D, GV, PerformInit);
1872     return;
1873   }
1874
1875   // MSVC always uses an i32 bitfield to guard initialization, which is *not*
1876   // threadsafe.  Since the user may be linking in inline functions compiled by
1877   // cl.exe, there's no reason to provide a false sense of security by using
1878   // critical sections here.
1879
1880   if (D.getTLSKind())
1881     CGM.ErrorUnsupported(&D, "dynamic TLS initialization");
1882
1883   CGBuilderTy &Builder = CGF.Builder;
1884   llvm::IntegerType *GuardTy = CGF.Int32Ty;
1885   llvm::ConstantInt *Zero = llvm::ConstantInt::get(GuardTy, 0);
1886
1887   // Get the guard variable for this function if we have one already.
1888   GuardInfo *GI = &GuardVariableMap[D.getDeclContext()];
1889
1890   unsigned BitIndex;
1891   if (D.isStaticLocal() && D.isExternallyVisible()) {
1892     // Externally visible variables have to be numbered in Sema to properly
1893     // handle unreachable VarDecls.
1894     BitIndex = getContext().getStaticLocalNumber(&D);
1895     assert(BitIndex > 0);
1896     BitIndex--;
1897   } else {
1898     // Non-externally visible variables are numbered here in CodeGen.
1899     BitIndex = GI->BitIndex++;
1900   }
1901
1902   if (BitIndex >= 32) {
1903     if (D.isExternallyVisible())
1904       ErrorUnsupportedABI(CGF, "more than 32 guarded initializations");
1905     BitIndex %= 32;
1906     GI->Guard = nullptr;
1907   }
1908
1909   // Lazily create the i32 bitfield for this function.
1910   if (!GI->Guard) {
1911     // Mangle the name for the guard.
1912     SmallString<256> GuardName;
1913     {
1914       llvm::raw_svector_ostream Out(GuardName);
1915       getMangleContext().mangleStaticGuardVariable(&D, Out);
1916       Out.flush();
1917     }
1918
1919     // Create the guard variable with a zero-initializer. Just absorb linkage,
1920     // visibility and dll storage class from the guarded variable.
1921     GI->Guard =
1922         new llvm::GlobalVariable(CGM.getModule(), GuardTy, false,
1923                                  GV->getLinkage(), Zero, GuardName.str());
1924     GI->Guard->setVisibility(GV->getVisibility());
1925     GI->Guard->setDLLStorageClass(GV->getDLLStorageClass());
1926   } else {
1927     assert(GI->Guard->getLinkage() == GV->getLinkage() &&
1928            "static local from the same function had different linkage");
1929   }
1930
1931   // Pseudo code for the test:
1932   // if (!(GuardVar & MyGuardBit)) {
1933   //   GuardVar |= MyGuardBit;
1934   //   ... initialize the object ...;
1935   // }
1936
1937   // Test our bit from the guard variable.
1938   llvm::ConstantInt *Bit = llvm::ConstantInt::get(GuardTy, 1U << BitIndex);
1939   llvm::LoadInst *LI = Builder.CreateLoad(GI->Guard);
1940   llvm::Value *IsInitialized =
1941       Builder.CreateICmpNE(Builder.CreateAnd(LI, Bit), Zero);
1942   llvm::BasicBlock *InitBlock = CGF.createBasicBlock("init");
1943   llvm::BasicBlock *EndBlock = CGF.createBasicBlock("init.end");
1944   Builder.CreateCondBr(IsInitialized, EndBlock, InitBlock);
1945
1946   // Set our bit in the guard variable and emit the initializer and add a global
1947   // destructor if appropriate.
1948   CGF.EmitBlock(InitBlock);
1949   Builder.CreateStore(Builder.CreateOr(LI, Bit), GI->Guard);
1950   CGF.EmitCXXGlobalVarDeclInit(D, GV, PerformInit);
1951   Builder.CreateBr(EndBlock);
1952
1953   // Continue.
1954   CGF.EmitBlock(EndBlock);
1955 }
1956
1957 bool MicrosoftCXXABI::isZeroInitializable(const MemberPointerType *MPT) {
1958   // Null-ness for function memptrs only depends on the first field, which is
1959   // the function pointer.  The rest don't matter, so we can zero initialize.
1960   if (MPT->isMemberFunctionPointer())
1961     return true;
1962
1963   // The virtual base adjustment field is always -1 for null, so if we have one
1964   // we can't zero initialize.  The field offset is sometimes also -1 if 0 is a
1965   // valid field offset.
1966   const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
1967   MSInheritanceAttr::Spelling Inheritance = RD->getMSInheritanceModel();
1968   return (!MSInheritanceAttr::hasVBTableOffsetField(Inheritance) &&
1969           RD->nullFieldOffsetIsZero());
1970 }
1971
1972 llvm::Type *
1973 MicrosoftCXXABI::ConvertMemberPointerType(const MemberPointerType *MPT) {
1974   const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
1975   MSInheritanceAttr::Spelling Inheritance = RD->getMSInheritanceModel();
1976   llvm::SmallVector<llvm::Type *, 4> fields;
1977   if (MPT->isMemberFunctionPointer())
1978     fields.push_back(CGM.VoidPtrTy);  // FunctionPointerOrVirtualThunk
1979   else
1980     fields.push_back(CGM.IntTy);  // FieldOffset
1981
1982   if (MSInheritanceAttr::hasNVOffsetField(MPT->isMemberFunctionPointer(),
1983                                           Inheritance))
1984     fields.push_back(CGM.IntTy);
1985   if (MSInheritanceAttr::hasVBPtrOffsetField(Inheritance))
1986     fields.push_back(CGM.IntTy);
1987   if (MSInheritanceAttr::hasVBTableOffsetField(Inheritance))
1988     fields.push_back(CGM.IntTy);  // VirtualBaseAdjustmentOffset
1989
1990   if (fields.size() == 1)
1991     return fields[0];
1992   return llvm::StructType::get(CGM.getLLVMContext(), fields);
1993 }
1994
1995 void MicrosoftCXXABI::
1996 GetNullMemberPointerFields(const MemberPointerType *MPT,
1997                            llvm::SmallVectorImpl<llvm::Constant *> &fields) {
1998   assert(fields.empty());
1999   const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
2000   MSInheritanceAttr::Spelling Inheritance = RD->getMSInheritanceModel();
2001   if (MPT->isMemberFunctionPointer()) {
2002     // FunctionPointerOrVirtualThunk
2003     fields.push_back(llvm::Constant::getNullValue(CGM.VoidPtrTy));
2004   } else {
2005     if (RD->nullFieldOffsetIsZero())
2006       fields.push_back(getZeroInt());  // FieldOffset
2007     else
2008       fields.push_back(getAllOnesInt());  // FieldOffset
2009   }
2010
2011   if (MSInheritanceAttr::hasNVOffsetField(MPT->isMemberFunctionPointer(),
2012                                           Inheritance))
2013     fields.push_back(getZeroInt());
2014   if (MSInheritanceAttr::hasVBPtrOffsetField(Inheritance))
2015     fields.push_back(getZeroInt());
2016   if (MSInheritanceAttr::hasVBTableOffsetField(Inheritance))
2017     fields.push_back(getAllOnesInt());
2018 }
2019
2020 llvm::Constant *
2021 MicrosoftCXXABI::EmitNullMemberPointer(const MemberPointerType *MPT) {
2022   llvm::SmallVector<llvm::Constant *, 4> fields;
2023   GetNullMemberPointerFields(MPT, fields);
2024   if (fields.size() == 1)
2025     return fields[0];
2026   llvm::Constant *Res = llvm::ConstantStruct::getAnon(fields);
2027   assert(Res->getType() == ConvertMemberPointerType(MPT));
2028   return Res;
2029 }
2030
2031 llvm::Constant *
2032 MicrosoftCXXABI::EmitFullMemberPointer(llvm::Constant *FirstField,
2033                                        bool IsMemberFunction,
2034                                        const CXXRecordDecl *RD,
2035                                        CharUnits NonVirtualBaseAdjustment)
2036 {
2037   MSInheritanceAttr::Spelling Inheritance = RD->getMSInheritanceModel();
2038
2039   // Single inheritance class member pointer are represented as scalars instead
2040   // of aggregates.
2041   if (MSInheritanceAttr::hasOnlyOneField(IsMemberFunction, Inheritance))
2042     return FirstField;
2043
2044   llvm::SmallVector<llvm::Constant *, 4> fields;
2045   fields.push_back(FirstField);
2046
2047   if (MSInheritanceAttr::hasNVOffsetField(IsMemberFunction, Inheritance))
2048     fields.push_back(llvm::ConstantInt::get(
2049       CGM.IntTy, NonVirtualBaseAdjustment.getQuantity()));
2050
2051   if (MSInheritanceAttr::hasVBPtrOffsetField(Inheritance)) {
2052     CharUnits Offs = CharUnits::Zero();
2053     if (RD->getNumVBases())
2054       Offs = getContext().getASTRecordLayout(RD).getVBPtrOffset();
2055     fields.push_back(llvm::ConstantInt::get(CGM.IntTy, Offs.getQuantity()));
2056   }
2057
2058   // The rest of the fields are adjusted by conversions to a more derived class.
2059   if (MSInheritanceAttr::hasVBTableOffsetField(Inheritance))
2060     fields.push_back(getZeroInt());
2061
2062   return llvm::ConstantStruct::getAnon(fields);
2063 }
2064
2065 llvm::Constant *
2066 MicrosoftCXXABI::EmitMemberDataPointer(const MemberPointerType *MPT,
2067                                        CharUnits offset) {
2068   const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
2069   llvm::Constant *FirstField =
2070     llvm::ConstantInt::get(CGM.IntTy, offset.getQuantity());
2071   return EmitFullMemberPointer(FirstField, /*IsMemberFunction=*/false, RD,
2072                                CharUnits::Zero());
2073 }
2074
2075 llvm::Constant *MicrosoftCXXABI::EmitMemberPointer(const CXXMethodDecl *MD) {
2076   return BuildMemberPointer(MD->getParent(), MD, CharUnits::Zero());
2077 }
2078
2079 llvm::Constant *MicrosoftCXXABI::EmitMemberPointer(const APValue &MP,
2080                                                    QualType MPType) {
2081   const MemberPointerType *MPT = MPType->castAs<MemberPointerType>();
2082   const ValueDecl *MPD = MP.getMemberPointerDecl();
2083   if (!MPD)
2084     return EmitNullMemberPointer(MPT);
2085
2086   CharUnits ThisAdjustment = getMemberPointerPathAdjustment(MP);
2087
2088   // FIXME PR15713: Support virtual inheritance paths.
2089
2090   if (const CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(MPD))
2091     return BuildMemberPointer(MPT->getMostRecentCXXRecordDecl(), MD,
2092                               ThisAdjustment);
2093
2094   CharUnits FieldOffset =
2095     getContext().toCharUnitsFromBits(getContext().getFieldOffset(MPD));
2096   return EmitMemberDataPointer(MPT, ThisAdjustment + FieldOffset);
2097 }
2098
2099 llvm::Constant *
2100 MicrosoftCXXABI::BuildMemberPointer(const CXXRecordDecl *RD,
2101                                     const CXXMethodDecl *MD,
2102                                     CharUnits NonVirtualBaseAdjustment) {
2103   assert(MD->isInstance() && "Member function must not be static!");
2104   MD = MD->getCanonicalDecl();
2105   RD = RD->getMostRecentDecl();
2106   CodeGenTypes &Types = CGM.getTypes();
2107
2108   llvm::Constant *FirstField;
2109   const FunctionProtoType *FPT = MD->getType()->castAs<FunctionProtoType>();
2110   if (!MD->isVirtual()) {
2111     llvm::Type *Ty;
2112     // Check whether the function has a computable LLVM signature.
2113     if (Types.isFuncTypeConvertible(FPT)) {
2114       // The function has a computable LLVM signature; use the correct type.
2115       Ty = Types.GetFunctionType(Types.arrangeCXXMethodDeclaration(MD));
2116     } else {
2117       // Use an arbitrary non-function type to tell GetAddrOfFunction that the
2118       // function type is incomplete.
2119       Ty = CGM.PtrDiffTy;
2120     }
2121     FirstField = CGM.GetAddrOfFunction(MD, Ty);
2122     FirstField = llvm::ConstantExpr::getBitCast(FirstField, CGM.VoidPtrTy);
2123   } else {
2124     MicrosoftVTableContext::MethodVFTableLocation ML =
2125         CGM.getMicrosoftVTableContext().getMethodVFTableLocation(MD);
2126     if (!CGM.getTypes().isFuncTypeConvertible(
2127             MD->getType()->castAs<FunctionType>())) {
2128       CGM.ErrorUnsupported(MD, "pointer to virtual member function with "
2129                                "incomplete return or parameter type");
2130       FirstField = llvm::Constant::getNullValue(CGM.VoidPtrTy);
2131     } else if (FPT->getCallConv() == CC_X86FastCall) {
2132       CGM.ErrorUnsupported(MD, "pointer to fastcall virtual member function");
2133       FirstField = llvm::Constant::getNullValue(CGM.VoidPtrTy);
2134     } else if (ML.VBase) {
2135       CGM.ErrorUnsupported(MD, "pointer to virtual member function overriding "
2136                                "member function in virtual base class");
2137       FirstField = llvm::Constant::getNullValue(CGM.VoidPtrTy);
2138     } else {
2139       llvm::Function *Thunk = EmitVirtualMemPtrThunk(MD, ML);
2140       FirstField = llvm::ConstantExpr::getBitCast(Thunk, CGM.VoidPtrTy);
2141       // Include the vfptr adjustment if the method is in a non-primary vftable.
2142       NonVirtualBaseAdjustment += ML.VFPtrOffset;
2143     }
2144   }
2145
2146   // The rest of the fields are common with data member pointers.
2147   return EmitFullMemberPointer(FirstField, /*IsMemberFunction=*/true, RD,
2148                                NonVirtualBaseAdjustment);
2149 }
2150
2151 /// Member pointers are the same if they're either bitwise identical *or* both
2152 /// null.  Null-ness for function members is determined by the first field,
2153 /// while for data member pointers we must compare all fields.
2154 llvm::Value *
2155 MicrosoftCXXABI::EmitMemberPointerComparison(CodeGenFunction &CGF,
2156                                              llvm::Value *L,
2157                                              llvm::Value *R,
2158                                              const MemberPointerType *MPT,
2159                                              bool Inequality) {
2160   CGBuilderTy &Builder = CGF.Builder;
2161
2162   // Handle != comparisons by switching the sense of all boolean operations.
2163   llvm::ICmpInst::Predicate Eq;
2164   llvm::Instruction::BinaryOps And, Or;
2165   if (Inequality) {
2166     Eq = llvm::ICmpInst::ICMP_NE;
2167     And = llvm::Instruction::Or;
2168     Or = llvm::Instruction::And;
2169   } else {
2170     Eq = llvm::ICmpInst::ICMP_EQ;
2171     And = llvm::Instruction::And;
2172     Or = llvm::Instruction::Or;
2173   }
2174
2175   // If this is a single field member pointer (single inheritance), this is a
2176   // single icmp.
2177   const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
2178   MSInheritanceAttr::Spelling Inheritance = RD->getMSInheritanceModel();
2179   if (MSInheritanceAttr::hasOnlyOneField(MPT->isMemberFunctionPointer(),
2180                                          Inheritance))
2181     return Builder.CreateICmp(Eq, L, R);
2182
2183   // Compare the first field.
2184   llvm::Value *L0 = Builder.CreateExtractValue(L, 0, "lhs.0");
2185   llvm::Value *R0 = Builder.CreateExtractValue(R, 0, "rhs.0");
2186   llvm::Value *Cmp0 = Builder.CreateICmp(Eq, L0, R0, "memptr.cmp.first");
2187
2188   // Compare everything other than the first field.
2189   llvm::Value *Res = nullptr;
2190   llvm::StructType *LType = cast<llvm::StructType>(L->getType());
2191   for (unsigned I = 1, E = LType->getNumElements(); I != E; ++I) {
2192     llvm::Value *LF = Builder.CreateExtractValue(L, I);
2193     llvm::Value *RF = Builder.CreateExtractValue(R, I);
2194     llvm::Value *Cmp = Builder.CreateICmp(Eq, LF, RF, "memptr.cmp.rest");
2195     if (Res)
2196       Res = Builder.CreateBinOp(And, Res, Cmp);
2197     else
2198       Res = Cmp;
2199   }
2200
2201   // Check if the first field is 0 if this is a function pointer.
2202   if (MPT->isMemberFunctionPointer()) {
2203     // (l1 == r1 && ...) || l0 == 0
2204     llvm::Value *Zero = llvm::Constant::getNullValue(L0->getType());
2205     llvm::Value *IsZero = Builder.CreateICmp(Eq, L0, Zero, "memptr.cmp.iszero");
2206     Res = Builder.CreateBinOp(Or, Res, IsZero);
2207   }
2208
2209   // Combine the comparison of the first field, which must always be true for
2210   // this comparison to succeeed.
2211   return Builder.CreateBinOp(And, Res, Cmp0, "memptr.cmp");
2212 }
2213
2214 llvm::Value *
2215 MicrosoftCXXABI::EmitMemberPointerIsNotNull(CodeGenFunction &CGF,
2216                                             llvm::Value *MemPtr,
2217                                             const MemberPointerType *MPT) {
2218   CGBuilderTy &Builder = CGF.Builder;
2219   llvm::SmallVector<llvm::Constant *, 4> fields;
2220   // We only need one field for member functions.
2221   if (MPT->isMemberFunctionPointer())
2222     fields.push_back(llvm::Constant::getNullValue(CGM.VoidPtrTy));
2223   else
2224     GetNullMemberPointerFields(MPT, fields);
2225   assert(!fields.empty());
2226   llvm::Value *FirstField = MemPtr;
2227   if (MemPtr->getType()->isStructTy())
2228     FirstField = Builder.CreateExtractValue(MemPtr, 0);
2229   llvm::Value *Res = Builder.CreateICmpNE(FirstField, fields[0], "memptr.cmp0");
2230
2231   // For function member pointers, we only need to test the function pointer
2232   // field.  The other fields if any can be garbage.
2233   if (MPT->isMemberFunctionPointer())
2234     return Res;
2235
2236   // Otherwise, emit a series of compares and combine the results.
2237   for (int I = 1, E = fields.size(); I < E; ++I) {
2238     llvm::Value *Field = Builder.CreateExtractValue(MemPtr, I);
2239     llvm::Value *Next = Builder.CreateICmpNE(Field, fields[I], "memptr.cmp");
2240     Res = Builder.CreateOr(Res, Next, "memptr.tobool");
2241   }
2242   return Res;
2243 }
2244
2245 bool MicrosoftCXXABI::MemberPointerConstantIsNull(const MemberPointerType *MPT,
2246                                                   llvm::Constant *Val) {
2247   // Function pointers are null if the pointer in the first field is null.
2248   if (MPT->isMemberFunctionPointer()) {
2249     llvm::Constant *FirstField = Val->getType()->isStructTy() ?
2250       Val->getAggregateElement(0U) : Val;
2251     return FirstField->isNullValue();
2252   }
2253
2254   // If it's not a function pointer and it's zero initializable, we can easily
2255   // check zero.
2256   if (isZeroInitializable(MPT) && Val->isNullValue())
2257     return true;
2258
2259   // Otherwise, break down all the fields for comparison.  Hopefully these
2260   // little Constants are reused, while a big null struct might not be.
2261   llvm::SmallVector<llvm::Constant *, 4> Fields;
2262   GetNullMemberPointerFields(MPT, Fields);
2263   if (Fields.size() == 1) {
2264     assert(Val->getType()->isIntegerTy());
2265     return Val == Fields[0];
2266   }
2267
2268   unsigned I, E;
2269   for (I = 0, E = Fields.size(); I != E; ++I) {
2270     if (Val->getAggregateElement(I) != Fields[I])
2271       break;
2272   }
2273   return I == E;
2274 }
2275
2276 llvm::Value *
2277 MicrosoftCXXABI::GetVBaseOffsetFromVBPtr(CodeGenFunction &CGF,
2278                                          llvm::Value *This,
2279                                          llvm::Value *VBPtrOffset,
2280                                          llvm::Value *VBTableOffset,
2281                                          llvm::Value **VBPtrOut) {
2282   CGBuilderTy &Builder = CGF.Builder;
2283   // Load the vbtable pointer from the vbptr in the instance.
2284   This = Builder.CreateBitCast(This, CGM.Int8PtrTy);
2285   llvm::Value *VBPtr =
2286     Builder.CreateInBoundsGEP(This, VBPtrOffset, "vbptr");
2287   if (VBPtrOut) *VBPtrOut = VBPtr;
2288   VBPtr = Builder.CreateBitCast(VBPtr,
2289                                 CGM.Int32Ty->getPointerTo(0)->getPointerTo(0));
2290   llvm::Value *VBTable = Builder.CreateLoad(VBPtr, "vbtable");
2291
2292   // Translate from byte offset to table index. It improves analyzability.
2293   llvm::Value *VBTableIndex = Builder.CreateAShr(
2294       VBTableOffset, llvm::ConstantInt::get(VBTableOffset->getType(), 2),
2295       "vbtindex", /*isExact=*/true);
2296
2297   // Load an i32 offset from the vb-table.
2298   llvm::Value *VBaseOffs = Builder.CreateInBoundsGEP(VBTable, VBTableIndex);
2299   VBaseOffs = Builder.CreateBitCast(VBaseOffs, CGM.Int32Ty->getPointerTo(0));
2300   return Builder.CreateLoad(VBaseOffs, "vbase_offs");
2301 }
2302
2303 // Returns an adjusted base cast to i8*, since we do more address arithmetic on
2304 // it.
2305 llvm::Value *MicrosoftCXXABI::AdjustVirtualBase(
2306     CodeGenFunction &CGF, const Expr *E, const CXXRecordDecl *RD,
2307     llvm::Value *Base, llvm::Value *VBTableOffset, llvm::Value *VBPtrOffset) {
2308   CGBuilderTy &Builder = CGF.Builder;
2309   Base = Builder.CreateBitCast(Base, CGM.Int8PtrTy);
2310   llvm::BasicBlock *OriginalBB = nullptr;
2311   llvm::BasicBlock *SkipAdjustBB = nullptr;
2312   llvm::BasicBlock *VBaseAdjustBB = nullptr;
2313
2314   // In the unspecified inheritance model, there might not be a vbtable at all,
2315   // in which case we need to skip the virtual base lookup.  If there is a
2316   // vbtable, the first entry is a no-op entry that gives back the original
2317   // base, so look for a virtual base adjustment offset of zero.
2318   if (VBPtrOffset) {
2319     OriginalBB = Builder.GetInsertBlock();
2320     VBaseAdjustBB = CGF.createBasicBlock("memptr.vadjust");
2321     SkipAdjustBB = CGF.createBasicBlock("memptr.skip_vadjust");
2322     llvm::Value *IsVirtual =
2323       Builder.CreateICmpNE(VBTableOffset, getZeroInt(),
2324                            "memptr.is_vbase");
2325     Builder.CreateCondBr(IsVirtual, VBaseAdjustBB, SkipAdjustBB);
2326     CGF.EmitBlock(VBaseAdjustBB);
2327   }
2328
2329   // If we weren't given a dynamic vbptr offset, RD should be complete and we'll
2330   // know the vbptr offset.
2331   if (!VBPtrOffset) {
2332     CharUnits offs = CharUnits::Zero();
2333     if (!RD->hasDefinition()) {
2334       DiagnosticsEngine &Diags = CGF.CGM.getDiags();
2335       unsigned DiagID = Diags.getCustomDiagID(
2336           DiagnosticsEngine::Error,
2337           "member pointer representation requires a "
2338           "complete class type for %0 to perform this expression");
2339       Diags.Report(E->getExprLoc(), DiagID) << RD << E->getSourceRange();
2340     } else if (RD->getNumVBases())
2341       offs = getContext().getASTRecordLayout(RD).getVBPtrOffset();
2342     VBPtrOffset = llvm::ConstantInt::get(CGM.IntTy, offs.getQuantity());
2343   }
2344   llvm::Value *VBPtr = nullptr;
2345   llvm::Value *VBaseOffs =
2346     GetVBaseOffsetFromVBPtr(CGF, Base, VBPtrOffset, VBTableOffset, &VBPtr);
2347   llvm::Value *AdjustedBase = Builder.CreateInBoundsGEP(VBPtr, VBaseOffs);
2348
2349   // Merge control flow with the case where we didn't have to adjust.
2350   if (VBaseAdjustBB) {
2351     Builder.CreateBr(SkipAdjustBB);
2352     CGF.EmitBlock(SkipAdjustBB);
2353     llvm::PHINode *Phi = Builder.CreatePHI(CGM.Int8PtrTy, 2, "memptr.base");
2354     Phi->addIncoming(Base, OriginalBB);
2355     Phi->addIncoming(AdjustedBase, VBaseAdjustBB);
2356     return Phi;
2357   }
2358   return AdjustedBase;
2359 }
2360
2361 llvm::Value *MicrosoftCXXABI::EmitMemberDataPointerAddress(
2362     CodeGenFunction &CGF, const Expr *E, llvm::Value *Base, llvm::Value *MemPtr,
2363     const MemberPointerType *MPT) {
2364   assert(MPT->isMemberDataPointer());
2365   unsigned AS = Base->getType()->getPointerAddressSpace();
2366   llvm::Type *PType =
2367       CGF.ConvertTypeForMem(MPT->getPointeeType())->getPointerTo(AS);
2368   CGBuilderTy &Builder = CGF.Builder;
2369   const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
2370   MSInheritanceAttr::Spelling Inheritance = RD->getMSInheritanceModel();
2371
2372   // Extract the fields we need, regardless of model.  We'll apply them if we
2373   // have them.
2374   llvm::Value *FieldOffset = MemPtr;
2375   llvm::Value *VirtualBaseAdjustmentOffset = nullptr;
2376   llvm::Value *VBPtrOffset = nullptr;
2377   if (MemPtr->getType()->isStructTy()) {
2378     // We need to extract values.
2379     unsigned I = 0;
2380     FieldOffset = Builder.CreateExtractValue(MemPtr, I++);
2381     if (MSInheritanceAttr::hasVBPtrOffsetField(Inheritance))
2382       VBPtrOffset = Builder.CreateExtractValue(MemPtr, I++);
2383     if (MSInheritanceAttr::hasVBTableOffsetField(Inheritance))
2384       VirtualBaseAdjustmentOffset = Builder.CreateExtractValue(MemPtr, I++);
2385   }
2386
2387   if (VirtualBaseAdjustmentOffset) {
2388     Base = AdjustVirtualBase(CGF, E, RD, Base, VirtualBaseAdjustmentOffset,
2389                              VBPtrOffset);
2390   }
2391
2392   // Cast to char*.
2393   Base = Builder.CreateBitCast(Base, Builder.getInt8Ty()->getPointerTo(AS));
2394
2395   // Apply the offset, which we assume is non-null.
2396   llvm::Value *Addr =
2397     Builder.CreateInBoundsGEP(Base, FieldOffset, "memptr.offset");
2398
2399   // Cast the address to the appropriate pointer type, adopting the address
2400   // space of the base pointer.
2401   return Builder.CreateBitCast(Addr, PType);
2402 }
2403
2404 static MSInheritanceAttr::Spelling
2405 getInheritanceFromMemptr(const MemberPointerType *MPT) {
2406   return MPT->getMostRecentCXXRecordDecl()->getMSInheritanceModel();
2407 }
2408
2409 llvm::Value *
2410 MicrosoftCXXABI::EmitMemberPointerConversion(CodeGenFunction &CGF,
2411                                              const CastExpr *E,
2412                                              llvm::Value *Src) {
2413   assert(E->getCastKind() == CK_DerivedToBaseMemberPointer ||
2414          E->getCastKind() == CK_BaseToDerivedMemberPointer ||
2415          E->getCastKind() == CK_ReinterpretMemberPointer);
2416
2417   // Use constant emission if we can.
2418   if (isa<llvm::Constant>(Src))
2419     return EmitMemberPointerConversion(E, cast<llvm::Constant>(Src));
2420
2421   // We may be adding or dropping fields from the member pointer, so we need
2422   // both types and the inheritance models of both records.
2423   const MemberPointerType *SrcTy =
2424     E->getSubExpr()->getType()->castAs<MemberPointerType>();
2425   const MemberPointerType *DstTy = E->getType()->castAs<MemberPointerType>();
2426   bool IsFunc = SrcTy->isMemberFunctionPointer();
2427
2428   // If the classes use the same null representation, reinterpret_cast is a nop.
2429   bool IsReinterpret = E->getCastKind() == CK_ReinterpretMemberPointer;
2430   if (IsReinterpret && IsFunc)
2431     return Src;
2432
2433   CXXRecordDecl *SrcRD = SrcTy->getMostRecentCXXRecordDecl();
2434   CXXRecordDecl *DstRD = DstTy->getMostRecentCXXRecordDecl();
2435   if (IsReinterpret &&
2436       SrcRD->nullFieldOffsetIsZero() == DstRD->nullFieldOffsetIsZero())
2437     return Src;
2438
2439   CGBuilderTy &Builder = CGF.Builder;
2440
2441   // Branch past the conversion if Src is null.
2442   llvm::Value *IsNotNull = EmitMemberPointerIsNotNull(CGF, Src, SrcTy);
2443   llvm::Constant *DstNull = EmitNullMemberPointer(DstTy);
2444
2445   // C++ 5.2.10p9: The null member pointer value is converted to the null member
2446   //   pointer value of the destination type.
2447   if (IsReinterpret) {
2448     // For reinterpret casts, sema ensures that src and dst are both functions
2449     // or data and have the same size, which means the LLVM types should match.
2450     assert(Src->getType() == DstNull->getType());
2451     return Builder.CreateSelect(IsNotNull, Src, DstNull);
2452   }
2453
2454   llvm::BasicBlock *OriginalBB = Builder.GetInsertBlock();
2455   llvm::BasicBlock *ConvertBB = CGF.createBasicBlock("memptr.convert");
2456   llvm::BasicBlock *ContinueBB = CGF.createBasicBlock("memptr.converted");
2457   Builder.CreateCondBr(IsNotNull, ConvertBB, ContinueBB);
2458   CGF.EmitBlock(ConvertBB);
2459
2460   // Decompose src.
2461   llvm::Value *FirstField = Src;
2462   llvm::Value *NonVirtualBaseAdjustment = nullptr;
2463   llvm::Value *VirtualBaseAdjustmentOffset = nullptr;
2464   llvm::Value *VBPtrOffset = nullptr;
2465   MSInheritanceAttr::Spelling SrcInheritance = SrcRD->getMSInheritanceModel();
2466   if (!MSInheritanceAttr::hasOnlyOneField(IsFunc, SrcInheritance)) {
2467     // We need to extract values.
2468     unsigned I = 0;
2469     FirstField = Builder.CreateExtractValue(Src, I++);
2470     if (MSInheritanceAttr::hasNVOffsetField(IsFunc, SrcInheritance))
2471       NonVirtualBaseAdjustment = Builder.CreateExtractValue(Src, I++);
2472     if (MSInheritanceAttr::hasVBPtrOffsetField(SrcInheritance))
2473       VBPtrOffset = Builder.CreateExtractValue(Src, I++);
2474     if (MSInheritanceAttr::hasVBTableOffsetField(SrcInheritance))
2475       VirtualBaseAdjustmentOffset = Builder.CreateExtractValue(Src, I++);
2476   }
2477
2478   // For data pointers, we adjust the field offset directly.  For functions, we
2479   // have a separate field.
2480   llvm::Constant *Adj = getMemberPointerAdjustment(E);
2481   if (Adj) {
2482     Adj = llvm::ConstantExpr::getTruncOrBitCast(Adj, CGM.IntTy);
2483     llvm::Value *&NVAdjustField = IsFunc ? NonVirtualBaseAdjustment : FirstField;
2484     bool isDerivedToBase = (E->getCastKind() == CK_DerivedToBaseMemberPointer);
2485     if (!NVAdjustField)  // If this field didn't exist in src, it's zero.
2486       NVAdjustField = getZeroInt();
2487     if (isDerivedToBase)
2488       NVAdjustField = Builder.CreateNSWSub(NVAdjustField, Adj, "adj");
2489     else
2490       NVAdjustField = Builder.CreateNSWAdd(NVAdjustField, Adj, "adj");
2491   }
2492
2493   // FIXME PR15713: Support conversions through virtually derived classes.
2494
2495   // Recompose dst from the null struct and the adjusted fields from src.
2496   MSInheritanceAttr::Spelling DstInheritance = DstRD->getMSInheritanceModel();
2497   llvm::Value *Dst;
2498   if (MSInheritanceAttr::hasOnlyOneField(IsFunc, DstInheritance)) {
2499     Dst = FirstField;
2500   } else {
2501     Dst = llvm::UndefValue::get(DstNull->getType());
2502     unsigned Idx = 0;
2503     Dst = Builder.CreateInsertValue(Dst, FirstField, Idx++);
2504     if (MSInheritanceAttr::hasNVOffsetField(IsFunc, DstInheritance))
2505       Dst = Builder.CreateInsertValue(
2506         Dst, getValueOrZeroInt(NonVirtualBaseAdjustment), Idx++);
2507     if (MSInheritanceAttr::hasVBPtrOffsetField(DstInheritance))
2508       Dst = Builder.CreateInsertValue(
2509         Dst, getValueOrZeroInt(VBPtrOffset), Idx++);
2510     if (MSInheritanceAttr::hasVBTableOffsetField(DstInheritance))
2511       Dst = Builder.CreateInsertValue(
2512         Dst, getValueOrZeroInt(VirtualBaseAdjustmentOffset), Idx++);
2513   }
2514   Builder.CreateBr(ContinueBB);
2515
2516   // In the continuation, choose between DstNull and Dst.
2517   CGF.EmitBlock(ContinueBB);
2518   llvm::PHINode *Phi = Builder.CreatePHI(DstNull->getType(), 2, "memptr.converted");
2519   Phi->addIncoming(DstNull, OriginalBB);
2520   Phi->addIncoming(Dst, ConvertBB);
2521   return Phi;
2522 }
2523
2524 llvm::Constant *
2525 MicrosoftCXXABI::EmitMemberPointerConversion(const CastExpr *E,
2526                                              llvm::Constant *Src) {
2527   const MemberPointerType *SrcTy =
2528     E->getSubExpr()->getType()->castAs<MemberPointerType>();
2529   const MemberPointerType *DstTy = E->getType()->castAs<MemberPointerType>();
2530
2531   // If src is null, emit a new null for dst.  We can't return src because dst
2532   // might have a new representation.
2533   if (MemberPointerConstantIsNull(SrcTy, Src))
2534     return EmitNullMemberPointer(DstTy);
2535
2536   // We don't need to do anything for reinterpret_casts of non-null member
2537   // pointers.  We should only get here when the two type representations have
2538   // the same size.
2539   if (E->getCastKind() == CK_ReinterpretMemberPointer)
2540     return Src;
2541
2542   MSInheritanceAttr::Spelling SrcInheritance = getInheritanceFromMemptr(SrcTy);
2543   MSInheritanceAttr::Spelling DstInheritance = getInheritanceFromMemptr(DstTy);
2544
2545   // Decompose src.
2546   llvm::Constant *FirstField = Src;
2547   llvm::Constant *NonVirtualBaseAdjustment = nullptr;
2548   llvm::Constant *VirtualBaseAdjustmentOffset = nullptr;
2549   llvm::Constant *VBPtrOffset = nullptr;
2550   bool IsFunc = SrcTy->isMemberFunctionPointer();
2551   if (!MSInheritanceAttr::hasOnlyOneField(IsFunc, SrcInheritance)) {
2552     // We need to extract values.
2553     unsigned I = 0;
2554     FirstField = Src->getAggregateElement(I++);
2555     if (MSInheritanceAttr::hasNVOffsetField(IsFunc, SrcInheritance))
2556       NonVirtualBaseAdjustment = Src->getAggregateElement(I++);
2557     if (MSInheritanceAttr::hasVBPtrOffsetField(SrcInheritance))
2558       VBPtrOffset = Src->getAggregateElement(I++);
2559     if (MSInheritanceAttr::hasVBTableOffsetField(SrcInheritance))
2560       VirtualBaseAdjustmentOffset = Src->getAggregateElement(I++);
2561   }
2562
2563   // For data pointers, we adjust the field offset directly.  For functions, we
2564   // have a separate field.
2565   llvm::Constant *Adj = getMemberPointerAdjustment(E);
2566   if (Adj) {
2567     Adj = llvm::ConstantExpr::getTruncOrBitCast(Adj, CGM.IntTy);
2568     llvm::Constant *&NVAdjustField =
2569       IsFunc ? NonVirtualBaseAdjustment : FirstField;
2570     bool IsDerivedToBase = (E->getCastKind() == CK_DerivedToBaseMemberPointer);
2571     if (!NVAdjustField)  // If this field didn't exist in src, it's zero.
2572       NVAdjustField = getZeroInt();
2573     if (IsDerivedToBase)
2574       NVAdjustField = llvm::ConstantExpr::getNSWSub(NVAdjustField, Adj);
2575     else
2576       NVAdjustField = llvm::ConstantExpr::getNSWAdd(NVAdjustField, Adj);
2577   }
2578
2579   // FIXME PR15713: Support conversions through virtually derived classes.
2580
2581   // Recompose dst from the null struct and the adjusted fields from src.
2582   if (MSInheritanceAttr::hasOnlyOneField(IsFunc, DstInheritance))
2583     return FirstField;
2584
2585   llvm::SmallVector<llvm::Constant *, 4> Fields;
2586   Fields.push_back(FirstField);
2587   if (MSInheritanceAttr::hasNVOffsetField(IsFunc, DstInheritance))
2588     Fields.push_back(getConstantOrZeroInt(NonVirtualBaseAdjustment));
2589   if (MSInheritanceAttr::hasVBPtrOffsetField(DstInheritance))
2590     Fields.push_back(getConstantOrZeroInt(VBPtrOffset));
2591   if (MSInheritanceAttr::hasVBTableOffsetField(DstInheritance))
2592     Fields.push_back(getConstantOrZeroInt(VirtualBaseAdjustmentOffset));
2593   return llvm::ConstantStruct::getAnon(Fields);
2594 }
2595
2596 llvm::Value *MicrosoftCXXABI::EmitLoadOfMemberFunctionPointer(
2597     CodeGenFunction &CGF, const Expr *E, llvm::Value *&This,
2598     llvm::Value *MemPtr, const MemberPointerType *MPT) {
2599   assert(MPT->isMemberFunctionPointer());
2600   const FunctionProtoType *FPT =
2601     MPT->getPointeeType()->castAs<FunctionProtoType>();
2602   const CXXRecordDecl *RD = MPT->getMostRecentCXXRecordDecl();
2603   llvm::FunctionType *FTy =
2604     CGM.getTypes().GetFunctionType(
2605       CGM.getTypes().arrangeCXXMethodType(RD, FPT));
2606   CGBuilderTy &Builder = CGF.Builder;
2607
2608   MSInheritanceAttr::Spelling Inheritance = RD->getMSInheritanceModel();
2609
2610   // Extract the fields we need, regardless of model.  We'll apply them if we
2611   // have them.
2612   llvm::Value *FunctionPointer = MemPtr;
2613   llvm::Value *NonVirtualBaseAdjustment = nullptr;
2614   llvm::Value *VirtualBaseAdjustmentOffset = nullptr;
2615   llvm::Value *VBPtrOffset = nullptr;
2616   if (MemPtr->getType()->isStructTy()) {
2617     // We need to extract values.
2618     unsigned I = 0;
2619     FunctionPointer = Builder.CreateExtractValue(MemPtr, I++);
2620     if (MSInheritanceAttr::hasNVOffsetField(MPT, Inheritance))
2621       NonVirtualBaseAdjustment = Builder.CreateExtractValue(MemPtr, I++);
2622     if (MSInheritanceAttr::hasVBPtrOffsetField(Inheritance))
2623       VBPtrOffset = Builder.CreateExtractValue(MemPtr, I++);
2624     if (MSInheritanceAttr::hasVBTableOffsetField(Inheritance))
2625       VirtualBaseAdjustmentOffset = Builder.CreateExtractValue(MemPtr, I++);
2626   }
2627
2628   if (VirtualBaseAdjustmentOffset) {
2629     This = AdjustVirtualBase(CGF, E, RD, This, VirtualBaseAdjustmentOffset,
2630                              VBPtrOffset);
2631   }
2632
2633   if (NonVirtualBaseAdjustment) {
2634     // Apply the adjustment and cast back to the original struct type.
2635     llvm::Value *Ptr = Builder.CreateBitCast(This, Builder.getInt8PtrTy());
2636     Ptr = Builder.CreateInBoundsGEP(Ptr, NonVirtualBaseAdjustment);
2637     This = Builder.CreateBitCast(Ptr, This->getType(), "this.adjusted");
2638   }
2639
2640   return Builder.CreateBitCast(FunctionPointer, FTy->getPointerTo());
2641 }
2642
2643 CGCXXABI *clang::CodeGen::CreateMicrosoftCXXABI(CodeGenModule &CGM) {
2644   return new MicrosoftCXXABI(CGM);
2645 }
2646
2647 // MS RTTI Overview:
2648 // The run time type information emitted by cl.exe contains 5 distinct types of
2649 // structures.  Many of them reference each other.
2650 //
2651 // TypeInfo:  Static classes that are returned by typeid.
2652 //
2653 // CompleteObjectLocator:  Referenced by vftables.  They contain information
2654 //   required for dynamic casting, including OffsetFromTop.  They also contain
2655 //   a reference to the TypeInfo for the type and a reference to the
2656 //   CompleteHierarchyDescriptor for the type.
2657 //
2658 // ClassHieararchyDescriptor: Contains information about a class hierarchy.
2659 //   Used during dynamic_cast to walk a class hierarchy.  References a base
2660 //   class array and the size of said array.
2661 //
2662 // BaseClassArray: Contains a list of classes in a hierarchy.  BaseClassArray is
2663 //   somewhat of a misnomer because the most derived class is also in the list
2664 //   as well as multiple copies of virtual bases (if they occur multiple times
2665 //   in the hiearchy.)  The BaseClassArray contains one BaseClassDescriptor for
2666 //   every path in the hierarchy, in pre-order depth first order.  Note, we do
2667 //   not declare a specific llvm type for BaseClassArray, it's merely an array
2668 //   of BaseClassDescriptor pointers.
2669 //
2670 // BaseClassDescriptor: Contains information about a class in a class hierarchy.
2671 //   BaseClassDescriptor is also somewhat of a misnomer for the same reason that
2672 //   BaseClassArray is.  It contains information about a class within a
2673 //   hierarchy such as: is this base is ambiguous and what is its offset in the
2674 //   vbtable.  The names of the BaseClassDescriptors have all of their fields
2675 //   mangled into them so they can be aggressively deduplicated by the linker.
2676
2677 static llvm::GlobalVariable *getTypeInfoVTable(CodeGenModule &CGM) {
2678   StringRef MangledName("\01??_7type_info@@6B@");
2679   if (auto VTable = CGM.getModule().getNamedGlobal(MangledName))
2680     return VTable;
2681   return new llvm::GlobalVariable(CGM.getModule(), CGM.Int8PtrTy,
2682                                   /*Constant=*/true,
2683                                   llvm::GlobalVariable::ExternalLinkage,
2684                                   /*Initializer=*/nullptr, MangledName);
2685 }
2686
2687 namespace {
2688
2689 /// \brief A Helper struct that stores information about a class in a class
2690 /// hierarchy.  The information stored in these structs struct is used during
2691 /// the generation of ClassHierarchyDescriptors and BaseClassDescriptors.
2692 // During RTTI creation, MSRTTIClasses are stored in a contiguous array with
2693 // implicit depth first pre-order tree connectivity.  getFirstChild and
2694 // getNextSibling allow us to walk the tree efficiently.
2695 struct MSRTTIClass {
2696   enum {
2697     IsPrivateOnPath = 1 | 8,
2698     IsAmbiguous = 2,
2699     IsPrivate = 4,
2700     IsVirtual = 16,
2701     HasHierarchyDescriptor = 64
2702   };
2703   MSRTTIClass(const CXXRecordDecl *RD) : RD(RD) {}
2704   uint32_t initialize(const MSRTTIClass *Parent,
2705                       const CXXBaseSpecifier *Specifier);
2706
2707   MSRTTIClass *getFirstChild() { return this + 1; }
2708   static MSRTTIClass *getNextChild(MSRTTIClass *Child) {
2709     return Child + 1 + Child->NumBases;
2710   }
2711
2712   const CXXRecordDecl *RD, *VirtualRoot;
2713   uint32_t Flags, NumBases, OffsetInVBase;
2714 };
2715
2716 /// \brief Recursively initialize the base class array.
2717 uint32_t MSRTTIClass::initialize(const MSRTTIClass *Parent,
2718                                  const CXXBaseSpecifier *Specifier) {
2719   Flags = HasHierarchyDescriptor;
2720   if (!Parent) {
2721     VirtualRoot = nullptr;
2722     OffsetInVBase = 0;
2723   } else {
2724     if (Specifier->getAccessSpecifier() != AS_public)
2725       Flags |= IsPrivate | IsPrivateOnPath;
2726     if (Specifier->isVirtual()) {
2727       Flags |= IsVirtual;
2728       VirtualRoot = RD;
2729       OffsetInVBase = 0;
2730     } else {
2731       if (Parent->Flags & IsPrivateOnPath)
2732         Flags |= IsPrivateOnPath;
2733       VirtualRoot = Parent->VirtualRoot;
2734       OffsetInVBase = Parent->OffsetInVBase + RD->getASTContext()
2735           .getASTRecordLayout(Parent->RD).getBaseClassOffset(RD).getQuantity();
2736     }
2737   }
2738   NumBases = 0;
2739   MSRTTIClass *Child = getFirstChild();
2740   for (const CXXBaseSpecifier &Base : RD->bases()) {
2741     NumBases += Child->initialize(this, &Base) + 1;
2742     Child = getNextChild(Child);
2743   }
2744   return NumBases;
2745 }
2746
2747 static llvm::GlobalValue::LinkageTypes getLinkageForRTTI(QualType Ty) {
2748   switch (Ty->getLinkage()) {
2749   case NoLinkage:
2750   case InternalLinkage:
2751   case UniqueExternalLinkage:
2752     return llvm::GlobalValue::InternalLinkage;
2753
2754   case VisibleNoLinkage:
2755   case ExternalLinkage:
2756     return llvm::GlobalValue::LinkOnceODRLinkage;
2757   }
2758   llvm_unreachable("Invalid linkage!");
2759 }
2760
2761 /// \brief An ephemeral helper class for building MS RTTI types.  It caches some
2762 /// calls to the module and information about the most derived class in a
2763 /// hierarchy.
2764 struct MSRTTIBuilder {
2765   enum {
2766     HasBranchingHierarchy = 1,
2767     HasVirtualBranchingHierarchy = 2,
2768     HasAmbiguousBases = 4
2769   };
2770
2771   MSRTTIBuilder(MicrosoftCXXABI &ABI, const CXXRecordDecl *RD)
2772       : CGM(ABI.CGM), Context(CGM.getContext()),
2773         VMContext(CGM.getLLVMContext()), Module(CGM.getModule()), RD(RD),
2774         Linkage(getLinkageForRTTI(CGM.getContext().getTagDeclType(RD))),
2775         ABI(ABI) {}
2776
2777   llvm::GlobalVariable *getBaseClassDescriptor(const MSRTTIClass &Classes);
2778   llvm::GlobalVariable *
2779   getBaseClassArray(SmallVectorImpl<MSRTTIClass> &Classes);
2780   llvm::GlobalVariable *getClassHierarchyDescriptor();
2781   llvm::GlobalVariable *getCompleteObjectLocator(const VPtrInfo *Info);
2782
2783   CodeGenModule &CGM;
2784   ASTContext &Context;
2785   llvm::LLVMContext &VMContext;
2786   llvm::Module &Module;
2787   const CXXRecordDecl *RD;
2788   llvm::GlobalVariable::LinkageTypes Linkage;
2789   MicrosoftCXXABI &ABI;
2790 };
2791
2792 } // namespace
2793
2794 /// \brief Recursively serializes a class hierarchy in pre-order depth first
2795 /// order.
2796 static void serializeClassHierarchy(SmallVectorImpl<MSRTTIClass> &Classes,
2797                                     const CXXRecordDecl *RD) {
2798   Classes.push_back(MSRTTIClass(RD));
2799   for (const CXXBaseSpecifier &Base : RD->bases())
2800     serializeClassHierarchy(Classes, Base.getType()->getAsCXXRecordDecl());
2801 }
2802
2803 /// \brief Find ambiguity among base classes.
2804 static void
2805 detectAmbiguousBases(SmallVectorImpl<MSRTTIClass> &Classes) {
2806   llvm::SmallPtrSet<const CXXRecordDecl *, 8> VirtualBases;
2807   llvm::SmallPtrSet<const CXXRecordDecl *, 8> UniqueBases;
2808   llvm::SmallPtrSet<const CXXRecordDecl *, 8> AmbiguousBases;
2809   for (MSRTTIClass *Class = &Classes.front(); Class <= &Classes.back();) {
2810     if ((Class->Flags & MSRTTIClass::IsVirtual) &&
2811         !VirtualBases.insert(Class->RD).second) {
2812       Class = MSRTTIClass::getNextChild(Class);
2813       continue;
2814     }
2815     if (!UniqueBases.insert(Class->RD).second)
2816       AmbiguousBases.insert(Class->RD);
2817     Class++;
2818   }
2819   if (AmbiguousBases.empty())
2820     return;
2821   for (MSRTTIClass &Class : Classes)
2822     if (AmbiguousBases.count(Class.RD))
2823       Class.Flags |= MSRTTIClass::IsAmbiguous;
2824 }
2825
2826 llvm::GlobalVariable *MSRTTIBuilder::getClassHierarchyDescriptor() {
2827   SmallString<256> MangledName;
2828   {
2829     llvm::raw_svector_ostream Out(MangledName);
2830     ABI.getMangleContext().mangleCXXRTTIClassHierarchyDescriptor(RD, Out);
2831   }
2832
2833   // Check to see if we've already declared this ClassHierarchyDescriptor.
2834   if (auto CHD = Module.getNamedGlobal(MangledName))
2835     return CHD;
2836
2837   // Serialize the class hierarchy and initialize the CHD Fields.
2838   SmallVector<MSRTTIClass, 8> Classes;
2839   serializeClassHierarchy(Classes, RD);
2840   Classes.front().initialize(/*Parent=*/nullptr, /*Specifier=*/nullptr);
2841   detectAmbiguousBases(Classes);
2842   int Flags = 0;
2843   for (auto Class : Classes) {
2844     if (Class.RD->getNumBases() > 1)
2845       Flags |= HasBranchingHierarchy;
2846     // Note: cl.exe does not calculate "HasAmbiguousBases" correctly.  We
2847     // believe the field isn't actually used.
2848     if (Class.Flags & MSRTTIClass::IsAmbiguous)
2849       Flags |= HasAmbiguousBases;
2850   }
2851   if ((Flags & HasBranchingHierarchy) && RD->getNumVBases() != 0)
2852     Flags |= HasVirtualBranchingHierarchy;
2853   // These gep indices are used to get the address of the first element of the
2854   // base class array.
2855   llvm::Value *GEPIndices[] = {llvm::ConstantInt::get(CGM.IntTy, 0),
2856                                llvm::ConstantInt::get(CGM.IntTy, 0)};
2857
2858   // Forward-declare the class hierarchy descriptor
2859   auto Type = ABI.getClassHierarchyDescriptorType();
2860   auto CHD = new llvm::GlobalVariable(Module, Type, /*Constant=*/true, Linkage,
2861                                       /*Initializer=*/nullptr,
2862                                       MangledName.c_str());
2863   if (CHD->isWeakForLinker())
2864     CHD->setComdat(CGM.getModule().getOrInsertComdat(CHD->getName()));
2865
2866   // Initialize the base class ClassHierarchyDescriptor.
2867   llvm::Constant *Fields[] = {
2868       llvm::ConstantInt::get(CGM.IntTy, 0), // Unknown
2869       llvm::ConstantInt::get(CGM.IntTy, Flags),
2870       llvm::ConstantInt::get(CGM.IntTy, Classes.size()),
2871       ABI.getImageRelativeConstant(llvm::ConstantExpr::getInBoundsGetElementPtr(
2872           getBaseClassArray(Classes),
2873           llvm::ArrayRef<llvm::Value *>(GEPIndices))),
2874   };
2875   CHD->setInitializer(llvm::ConstantStruct::get(Type, Fields));
2876   return CHD;
2877 }
2878
2879 llvm::GlobalVariable *
2880 MSRTTIBuilder::getBaseClassArray(SmallVectorImpl<MSRTTIClass> &Classes) {
2881   SmallString<256> MangledName;
2882   {
2883     llvm::raw_svector_ostream Out(MangledName);
2884     ABI.getMangleContext().mangleCXXRTTIBaseClassArray(RD, Out);
2885   }
2886
2887   // Forward-declare the base class array.
2888   // cl.exe pads the base class array with 1 (in 32 bit mode) or 4 (in 64 bit
2889   // mode) bytes of padding.  We provide a pointer sized amount of padding by
2890   // adding +1 to Classes.size().  The sections have pointer alignment and are
2891   // marked pick-any so it shouldn't matter.
2892   llvm::Type *PtrType = ABI.getImageRelativeType(
2893       ABI.getBaseClassDescriptorType()->getPointerTo());
2894   auto *ArrType = llvm::ArrayType::get(PtrType, Classes.size() + 1);
2895   auto *BCA = new llvm::GlobalVariable(
2896       Module, ArrType,
2897       /*Constant=*/true, Linkage, /*Initializer=*/nullptr, MangledName.c_str());
2898   if (BCA->isWeakForLinker())
2899     BCA->setComdat(CGM.getModule().getOrInsertComdat(BCA->getName()));
2900
2901   // Initialize the BaseClassArray.
2902   SmallVector<llvm::Constant *, 8> BaseClassArrayData;
2903   for (MSRTTIClass &Class : Classes)
2904     BaseClassArrayData.push_back(
2905         ABI.getImageRelativeConstant(getBaseClassDescriptor(Class)));
2906   BaseClassArrayData.push_back(llvm::Constant::getNullValue(PtrType));
2907   BCA->setInitializer(llvm::ConstantArray::get(ArrType, BaseClassArrayData));
2908   return BCA;
2909 }
2910
2911 llvm::GlobalVariable *
2912 MSRTTIBuilder::getBaseClassDescriptor(const MSRTTIClass &Class) {
2913   // Compute the fields for the BaseClassDescriptor.  They are computed up front
2914   // because they are mangled into the name of the object.
2915   uint32_t OffsetInVBTable = 0;
2916   int32_t VBPtrOffset = -1;
2917   if (Class.VirtualRoot) {
2918     auto &VTableContext = CGM.getMicrosoftVTableContext();
2919     OffsetInVBTable = VTableContext.getVBTableIndex(RD, Class.VirtualRoot) * 4;
2920     VBPtrOffset = Context.getASTRecordLayout(RD).getVBPtrOffset().getQuantity();
2921   }
2922
2923   SmallString<256> MangledName;
2924   {
2925     llvm::raw_svector_ostream Out(MangledName);
2926     ABI.getMangleContext().mangleCXXRTTIBaseClassDescriptor(
2927         Class.RD, Class.OffsetInVBase, VBPtrOffset, OffsetInVBTable,
2928         Class.Flags, Out);
2929   }
2930
2931   // Check to see if we've already declared this object.
2932   if (auto BCD = Module.getNamedGlobal(MangledName))
2933     return BCD;
2934
2935   // Forward-declare the base class descriptor.
2936   auto Type = ABI.getBaseClassDescriptorType();
2937   auto BCD = new llvm::GlobalVariable(Module, Type, /*Constant=*/true, Linkage,
2938                                       /*Initializer=*/nullptr,
2939                                       MangledName.c_str());
2940   if (BCD->isWeakForLinker())
2941     BCD->setComdat(CGM.getModule().getOrInsertComdat(BCD->getName()));
2942
2943   // Initialize the BaseClassDescriptor.
2944   llvm::Constant *Fields[] = {
2945       ABI.getImageRelativeConstant(
2946           ABI.getAddrOfRTTIDescriptor(Context.getTypeDeclType(Class.RD))),
2947       llvm::ConstantInt::get(CGM.IntTy, Class.NumBases),
2948       llvm::ConstantInt::get(CGM.IntTy, Class.OffsetInVBase),
2949       llvm::ConstantInt::get(CGM.IntTy, VBPtrOffset),
2950       llvm::ConstantInt::get(CGM.IntTy, OffsetInVBTable),
2951       llvm::ConstantInt::get(CGM.IntTy, Class.Flags),
2952       ABI.getImageRelativeConstant(
2953           MSRTTIBuilder(ABI, Class.RD).getClassHierarchyDescriptor()),
2954   };
2955   BCD->setInitializer(llvm::ConstantStruct::get(Type, Fields));
2956   return BCD;
2957 }
2958
2959 llvm::GlobalVariable *
2960 MSRTTIBuilder::getCompleteObjectLocator(const VPtrInfo *Info) {
2961   SmallString<256> MangledName;
2962   {
2963     llvm::raw_svector_ostream Out(MangledName);
2964     ABI.getMangleContext().mangleCXXRTTICompleteObjectLocator(RD, Info->MangledPath, Out);
2965   }
2966
2967   // Check to see if we've already computed this complete object locator.
2968   if (auto COL = Module.getNamedGlobal(MangledName))
2969     return COL;
2970
2971   // Compute the fields of the complete object locator.
2972   int OffsetToTop = Info->FullOffsetInMDC.getQuantity();
2973   int VFPtrOffset = 0;
2974   // The offset includes the vtordisp if one exists.
2975   if (const CXXRecordDecl *VBase = Info->getVBaseWithVPtr())
2976     if (Context.getASTRecordLayout(RD)
2977       .getVBaseOffsetsMap()
2978       .find(VBase)
2979       ->second.hasVtorDisp())
2980       VFPtrOffset = Info->NonVirtualOffset.getQuantity() + 4;
2981
2982   // Forward-declare the complete object locator.
2983   llvm::StructType *Type = ABI.getCompleteObjectLocatorType();
2984   auto COL = new llvm::GlobalVariable(Module, Type, /*Constant=*/true, Linkage,
2985     /*Initializer=*/nullptr, MangledName.c_str());
2986
2987   // Initialize the CompleteObjectLocator.
2988   llvm::Constant *Fields[] = {
2989       llvm::ConstantInt::get(CGM.IntTy, ABI.isImageRelative()),
2990       llvm::ConstantInt::get(CGM.IntTy, OffsetToTop),
2991       llvm::ConstantInt::get(CGM.IntTy, VFPtrOffset),
2992       ABI.getImageRelativeConstant(
2993           CGM.GetAddrOfRTTIDescriptor(Context.getTypeDeclType(RD))),
2994       ABI.getImageRelativeConstant(getClassHierarchyDescriptor()),
2995       ABI.getImageRelativeConstant(COL),
2996   };
2997   llvm::ArrayRef<llvm::Constant *> FieldsRef(Fields);
2998   if (!ABI.isImageRelative())
2999     FieldsRef = FieldsRef.drop_back();
3000   COL->setInitializer(llvm::ConstantStruct::get(Type, FieldsRef));
3001   if (COL->isWeakForLinker())
3002     COL->setComdat(CGM.getModule().getOrInsertComdat(COL->getName()));
3003   return COL;
3004 }
3005
3006 /// \brief Gets a TypeDescriptor.  Returns a llvm::Constant * rather than a
3007 /// llvm::GlobalVariable * because different type descriptors have different
3008 /// types, and need to be abstracted.  They are abstracting by casting the
3009 /// address to an Int8PtrTy.
3010 llvm::Constant *MicrosoftCXXABI::getAddrOfRTTIDescriptor(QualType Type) {
3011   SmallString<256> MangledName, TypeInfoString;
3012   {
3013     llvm::raw_svector_ostream Out(MangledName);
3014     getMangleContext().mangleCXXRTTI(Type, Out);
3015   }
3016
3017   // Check to see if we've already declared this TypeDescriptor.
3018   if (llvm::GlobalVariable *GV = CGM.getModule().getNamedGlobal(MangledName))
3019     return llvm::ConstantExpr::getBitCast(GV, CGM.Int8PtrTy);
3020
3021   // Compute the fields for the TypeDescriptor.
3022   {
3023     llvm::raw_svector_ostream Out(TypeInfoString);
3024     getMangleContext().mangleCXXRTTIName(Type, Out);
3025   }
3026
3027   // Declare and initialize the TypeDescriptor.
3028   llvm::Constant *Fields[] = {
3029     getTypeInfoVTable(CGM),                        // VFPtr
3030     llvm::ConstantPointerNull::get(CGM.Int8PtrTy), // Runtime data
3031     llvm::ConstantDataArray::getString(CGM.getLLVMContext(), TypeInfoString)};
3032   llvm::StructType *TypeDescriptorType =
3033       getTypeDescriptorType(TypeInfoString);
3034   auto *Var = new llvm::GlobalVariable(
3035       CGM.getModule(), TypeDescriptorType, /*Constant=*/false,
3036       getLinkageForRTTI(Type),
3037       llvm::ConstantStruct::get(TypeDescriptorType, Fields),
3038       MangledName.c_str());
3039   if (Var->isWeakForLinker())
3040     Var->setComdat(CGM.getModule().getOrInsertComdat(Var->getName()));
3041   return llvm::ConstantExpr::getBitCast(Var, CGM.Int8PtrTy);
3042 }
3043
3044 /// \brief Gets or a creates a Microsoft CompleteObjectLocator.
3045 llvm::GlobalVariable *
3046 MicrosoftCXXABI::getMSCompleteObjectLocator(const CXXRecordDecl *RD,
3047                                             const VPtrInfo *Info) {
3048   return MSRTTIBuilder(*this, RD).getCompleteObjectLocator(Info);
3049 }
3050
3051 static void emitCXXConstructor(CodeGenModule &CGM,
3052                                const CXXConstructorDecl *ctor,
3053                                StructorType ctorType) {
3054   // There are no constructor variants, always emit the complete destructor.
3055   llvm::Function *Fn = CGM.codegenCXXStructor(ctor, StructorType::Complete);
3056   CGM.maybeSetTrivialComdat(*ctor, *Fn);
3057 }
3058
3059 static void emitCXXDestructor(CodeGenModule &CGM, const CXXDestructorDecl *dtor,
3060                               StructorType dtorType) {
3061   // The complete destructor is equivalent to the base destructor for
3062   // classes with no virtual bases, so try to emit it as an alias.
3063   if (!dtor->getParent()->getNumVBases() &&
3064       (dtorType == StructorType::Complete || dtorType == StructorType::Base)) {
3065     bool ProducedAlias = !CGM.TryEmitDefinitionAsAlias(
3066         GlobalDecl(dtor, Dtor_Complete), GlobalDecl(dtor, Dtor_Base), true);
3067     if (ProducedAlias) {
3068       if (dtorType == StructorType::Complete)
3069         return;
3070       if (dtor->isVirtual())
3071         CGM.getVTables().EmitThunks(GlobalDecl(dtor, Dtor_Complete));
3072     }
3073   }
3074
3075   // The base destructor is equivalent to the base destructor of its
3076   // base class if there is exactly one non-virtual base class with a
3077   // non-trivial destructor, there are no fields with a non-trivial
3078   // destructor, and the body of the destructor is trivial.
3079   if (dtorType == StructorType::Base && !CGM.TryEmitBaseDestructorAsAlias(dtor))
3080     return;
3081
3082   llvm::Function *Fn = CGM.codegenCXXStructor(dtor, dtorType);
3083   if (Fn->isWeakForLinker())
3084     Fn->setComdat(CGM.getModule().getOrInsertComdat(Fn->getName()));
3085 }
3086
3087 void MicrosoftCXXABI::emitCXXStructor(const CXXMethodDecl *MD,
3088                                       StructorType Type) {
3089   if (auto *CD = dyn_cast<CXXConstructorDecl>(MD)) {
3090     emitCXXConstructor(CGM, CD, Type);
3091     return;
3092   }
3093   emitCXXDestructor(CGM, cast<CXXDestructorDecl>(MD), Type);
3094 }