1 //===--- CGDeclCXX.cpp - Emit LLVM Code for C++ declarations --------------===//
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 contains code dealing with code generation of C++ declarations
11 //
12 //===----------------------------------------------------------------------===//
13 
14 #include "CodeGenFunction.h"
15 #include "CGCXXABI.h"
16 #include "CGObjCRuntime.h"
17 #include "CGOpenMPRuntime.h"
18 #include "clang/Frontend/CodeGenOptions.h"
19 #include "llvm/ADT/StringExtras.h"
20 #include "llvm/IR/Intrinsics.h"
21 #include "llvm/IR/MDBuilder.h"
22 #include "llvm/Support/Path.h"
23 
24 using namespace clang;
25 using namespace CodeGen;
26 
27 static void EmitDeclInit(CodeGenFunction &CGF, const VarDecl &D,
28                          ConstantAddress DeclPtr) {
29   assert(D.hasGlobalStorage() && "VarDecl must have global storage!");
30   assert(!D.getType()->isReferenceType() &&
31          "Should not call EmitDeclInit on a reference!");
32 
33   QualType type = D.getType();
34   LValue lv = CGF.MakeAddrLValue(DeclPtr, type);
35 
36   const Expr *Init = D.getInit();
37   switch (CGF.getEvaluationKind(type)) {
38   case TEK_Scalar: {
39     CodeGenModule &CGM = CGF.CGM;
40     if (lv.isObjCStrong())
41       CGM.getObjCRuntime().EmitObjCGlobalAssign(CGF, CGF.EmitScalarExpr(Init),
42                                                 DeclPtr, D.getTLSKind());
43     else if (lv.isObjCWeak())
44       CGM.getObjCRuntime().EmitObjCWeakAssign(CGF, CGF.EmitScalarExpr(Init),
45                                               DeclPtr);
46     else
47       CGF.EmitScalarInit(Init, &D, lv, false);
48     return;
49   }
50   case TEK_Complex:
51     CGF.EmitComplexExprIntoLValue(Init, lv, /*isInit*/ true);
52     return;
53   case TEK_Aggregate:
54     CGF.EmitAggExpr(Init, AggValueSlot::forLValue(lv,AggValueSlot::IsDestructed,
55                                           AggValueSlot::DoesNotNeedGCBarriers,
56                                                   AggValueSlot::IsNotAliased));
57     return;
58   }
59   llvm_unreachable("bad evaluation kind");
60 }
61 
62 /// Emit code to cause the destruction of the given variable with
63 /// static storage duration.
64 static void EmitDeclDestroy(CodeGenFunction &CGF, const VarDecl &D,
65                             ConstantAddress addr) {
66   CodeGenModule &CGM = CGF.CGM;
67 
68   // FIXME:  __attribute__((cleanup)) ?
69 
70   QualType type = D.getType();
71   QualType::DestructionKind dtorKind = type.isDestructedType();
72 
73   switch (dtorKind) {
74   case QualType::DK_none:
75     return;
76 
77   case QualType::DK_cxx_destructor:
78     break;
79 
80   case QualType::DK_objc_strong_lifetime:
81   case QualType::DK_objc_weak_lifetime:
82     // We don't care about releasing objects during process teardown.
83     assert(!D.getTLSKind() && "should have rejected this");
84     return;
85   }
86 
87   llvm::Constant *function;
88   llvm::Constant *argument;
89 
90   // Special-case non-array C++ destructors, if they have the right signature.
91   // Under some ABIs, destructors return this instead of void, and cannot be
92   // passed directly to __cxa_atexit if the target does not allow this mismatch.
93   const CXXRecordDecl *Record = type->getAsCXXRecordDecl();
94   bool CanRegisterDestructor =
95       Record && (!CGM.getCXXABI().HasThisReturn(
96                      GlobalDecl(Record->getDestructor(), Dtor_Complete)) ||
97                  CGM.getCXXABI().canCallMismatchedFunctionType());
98   // If __cxa_atexit is disabled via a flag, a different helper function is
99   // generated elsewhere which uses atexit instead, and it takes the destructor
100   // directly.
101   bool UsingExternalHelper = !CGM.getCodeGenOpts().CXAAtExit;
102   if (Record && (CanRegisterDestructor || UsingExternalHelper)) {
103     assert(!Record->hasTrivialDestructor());
104     CXXDestructorDecl *dtor = Record->getDestructor();
105 
106     function = CGM.getAddrOfCXXStructor(dtor, StructorType::Complete);
107     argument = llvm::ConstantExpr::getBitCast(
108         addr.getPointer(), CGF.getTypes().ConvertType(type)->getPointerTo());
109 
110   // Otherwise, the standard logic requires a helper function.
111   } else {
112     function = CodeGenFunction(CGM)
113         .generateDestroyHelper(addr, type, CGF.getDestroyer(dtorKind),
114                                CGF.needsEHCleanup(dtorKind), &D);
115     argument = llvm::Constant::getNullValue(CGF.Int8PtrTy);
116   }
117 
118   CGM.getCXXABI().registerGlobalDtor(CGF, D, function, argument);
119 }
120 
121 /// Emit code to cause the variable at the given address to be considered as
122 /// constant from this point onwards.
123 static void EmitDeclInvariant(CodeGenFunction &CGF, const VarDecl &D,
124                               llvm::Constant *Addr) {
125   // Do not emit the intrinsic if we're not optimizing.
126   if (!CGF.CGM.getCodeGenOpts().OptimizationLevel)
127     return;
128 
129   // Grab the llvm.invariant.start intrinsic.
130   llvm::Intrinsic::ID InvStartID = llvm::Intrinsic::invariant_start;
131   // Overloaded address space type.
132   llvm::Type *ObjectPtr[1] = {CGF.Int8PtrTy};
133   llvm::Constant *InvariantStart = CGF.CGM.getIntrinsic(InvStartID, ObjectPtr);
134 
135   // Emit a call with the size in bytes of the object.
136   CharUnits WidthChars = CGF.getContext().getTypeSizeInChars(D.getType());
137   uint64_t Width = WidthChars.getQuantity();
138   llvm::Value *Args[2] = { llvm::ConstantInt::getSigned(CGF.Int64Ty, Width),
139                            llvm::ConstantExpr::getBitCast(Addr, CGF.Int8PtrTy)};
140   CGF.Builder.CreateCall(InvariantStart, Args);
141 }
142 
143 void CodeGenFunction::EmitCXXGlobalVarDeclInit(const VarDecl &D,
144                                                llvm::Constant *DeclPtr,
145                                                bool PerformInit) {
146 
147   const Expr *Init = D.getInit();
148   QualType T = D.getType();
149 
150   // The address space of a static local variable (DeclPtr) may be different
151   // from the address space of the "this" argument of the constructor. In that
152   // case, we need an addrspacecast before calling the constructor.
153   //
154   // struct StructWithCtor {
155   //   __device__ StructWithCtor() {...}
156   // };
157   // __device__ void foo() {
158   //   __shared__ StructWithCtor s;
159   //   ...
160   // }
161   //
162   // For example, in the above CUDA code, the static local variable s has a
163   // "shared" address space qualifier, but the constructor of StructWithCtor
164   // expects "this" in the "generic" address space.
165   unsigned ExpectedAddrSpace = getContext().getTargetAddressSpace(T);
166   unsigned ActualAddrSpace = DeclPtr->getType()->getPointerAddressSpace();
167   if (ActualAddrSpace != ExpectedAddrSpace) {
168     llvm::Type *LTy = CGM.getTypes().ConvertTypeForMem(T);
169     llvm::PointerType *PTy = llvm::PointerType::get(LTy, ExpectedAddrSpace);
170     DeclPtr = llvm::ConstantExpr::getAddrSpaceCast(DeclPtr, PTy);
171   }
172 
173   ConstantAddress DeclAddr(DeclPtr, getContext().getDeclAlign(&D));
174 
175   if (!T->isReferenceType()) {
176     if (getLangOpts().OpenMP && D.hasAttr<OMPThreadPrivateDeclAttr>())
177       (void)CGM.getOpenMPRuntime().emitThreadPrivateVarDefinition(
178           &D, DeclAddr, D.getAttr<OMPThreadPrivateDeclAttr>()->getLocation(),
179           PerformInit, this);
180     if (PerformInit)
181       EmitDeclInit(*this, D, DeclAddr);
182     if (CGM.isTypeConstant(D.getType(), true))
183       EmitDeclInvariant(*this, D, DeclPtr);
184     else
185       EmitDeclDestroy(*this, D, DeclAddr);
186     return;
187   }
188 
189   assert(PerformInit && "cannot have constant initializer which needs "
190          "destruction for reference");
191   RValue RV = EmitReferenceBindingToExpr(Init);
192   EmitStoreOfScalar(RV.getScalarVal(), DeclAddr, false, T);
193 }
194 
195 /// Create a stub function, suitable for being passed to atexit,
196 /// which passes the given address to the given destructor function.
197 llvm::Constant *CodeGenFunction::createAtExitStub(const VarDecl &VD,
198                                                   llvm::Constant *dtor,
199                                                   llvm::Constant *addr) {
200   // Get the destructor function type, void(*)(void).
201   llvm::FunctionType *ty = llvm::FunctionType::get(CGM.VoidTy, false);
202   SmallString<256> FnName;
203   {
204     llvm::raw_svector_ostream Out(FnName);
205     CGM.getCXXABI().getMangleContext().mangleDynamicAtExitDestructor(&VD, Out);
206   }
207 
208   const CGFunctionInfo &FI = CGM.getTypes().arrangeNullaryFunction();
209   llvm::Function *fn = CGM.CreateGlobalInitOrDestructFunction(ty, FnName.str(),
210                                                               FI,
211                                                               VD.getLocation());
212 
213   CodeGenFunction CGF(CGM);
214 
215   CGF.StartFunction(&VD, CGM.getContext().VoidTy, fn, FI, FunctionArgList());
216 
217   llvm::CallInst *call = CGF.Builder.CreateCall(dtor, addr);
218 
219  // Make sure the call and the callee agree on calling convention.
220   if (llvm::Function *dtorFn =
221         dyn_cast<llvm::Function>(dtor->stripPointerCasts()))
222     call->setCallingConv(dtorFn->getCallingConv());
223 
224   CGF.FinishFunction();
225 
226   return fn;
227 }
228 
229 /// Register a global destructor using the C atexit runtime function.
230 void CodeGenFunction::registerGlobalDtorWithAtExit(const VarDecl &VD,
231                                                    llvm::Constant *dtor,
232                                                    llvm::Constant *addr) {
233   // Create a function which calls the destructor.
234   llvm::Constant *dtorStub = createAtExitStub(VD, dtor, addr);
235 
236   // extern "C" int atexit(void (*f)(void));
237   llvm::FunctionType *atexitTy =
238     llvm::FunctionType::get(IntTy, dtorStub->getType(), false);
239 
240   llvm::Constant *atexit =
241       CGM.CreateRuntimeFunction(atexitTy, "atexit", llvm::AttributeList(),
242                                 /*Local=*/true);
243   if (llvm::Function *atexitFn = dyn_cast<llvm::Function>(atexit))
244     atexitFn->setDoesNotThrow();
245 
246   EmitNounwindRuntimeCall(atexit, dtorStub);
247 }
248 
249 void CodeGenFunction::EmitCXXGuardedInit(const VarDecl &D,
250                                          llvm::GlobalVariable *DeclPtr,
251                                          bool PerformInit) {
252   // If we've been asked to forbid guard variables, emit an error now.
253   // This diagnostic is hard-coded for Darwin's use case;  we can find
254   // better phrasing if someone else needs it.
255   if (CGM.getCodeGenOpts().ForbidGuardVariables)
256     CGM.Error(D.getLocation(),
257               "this initialization requires a guard variable, which "
258               "the kernel does not support");
259 
260   CGM.getCXXABI().EmitGuardedInit(*this, D, DeclPtr, PerformInit);
261 }
262 
263 void CodeGenFunction::EmitCXXGuardedInitBranch(llvm::Value *NeedsInit,
264                                                llvm::BasicBlock *InitBlock,
265                                                llvm::BasicBlock *NoInitBlock,
266                                                GuardKind Kind,
267                                                const VarDecl *D) {
268   assert((Kind == GuardKind::TlsGuard || D) && "no guarded variable");
269 
270   // A guess at how many times we will enter the initialization of a
271   // variable, depending on the kind of variable.
272   static const uint64_t InitsPerTLSVar = 1024;
273   static const uint64_t InitsPerLocalVar = 1024 * 1024;
274 
275   llvm::MDNode *Weights;
276   if (Kind == GuardKind::VariableGuard && !D->isLocalVarDecl()) {
277     // For non-local variables, don't apply any weighting for now. Due to our
278     // use of COMDATs, we expect there to be at most one initialization of the
279     // variable per DSO, but we have no way to know how many DSOs will try to
280     // initialize the variable.
281     Weights = nullptr;
282   } else {
283     uint64_t NumInits;
284     // FIXME: For the TLS case, collect and use profiling information to
285     // determine a more accurate brach weight.
286     if (Kind == GuardKind::TlsGuard || D->getTLSKind())
287       NumInits = InitsPerTLSVar;
288     else
289       NumInits = InitsPerLocalVar;
290 
291     // The probability of us entering the initializer is
292     //   1 / (total number of times we attempt to initialize the variable).
293     llvm::MDBuilder MDHelper(CGM.getLLVMContext());
294     Weights = MDHelper.createBranchWeights(1, NumInits - 1);
295   }
296 
297   Builder.CreateCondBr(NeedsInit, InitBlock, NoInitBlock, Weights);
298 }
299 
300 llvm::Function *CodeGenModule::CreateGlobalInitOrDestructFunction(
301     llvm::FunctionType *FTy, const Twine &Name, const CGFunctionInfo &FI,
302     SourceLocation Loc, bool TLS) {
303   llvm::Function *Fn =
304     llvm::Function::Create(FTy, llvm::GlobalValue::InternalLinkage,
305                            Name, &getModule());
306   if (!getLangOpts().AppleKext && !TLS) {
307     // Set the section if needed.
308     if (const char *Section = getTarget().getStaticInitSectionSpecifier())
309       Fn->setSection(Section);
310   }
311 
312   SetInternalFunctionAttributes(nullptr, Fn, FI);
313 
314   Fn->setCallingConv(getRuntimeCC());
315 
316   if (!getLangOpts().Exceptions)
317     Fn->setDoesNotThrow();
318 
319   if (getLangOpts().Sanitize.has(SanitizerKind::Address) &&
320       !isInSanitizerBlacklist(SanitizerKind::Address, Fn, Loc))
321     Fn->addFnAttr(llvm::Attribute::SanitizeAddress);
322 
323   if (getLangOpts().Sanitize.has(SanitizerKind::KernelAddress) &&
324       !isInSanitizerBlacklist(SanitizerKind::KernelAddress, Fn, Loc))
325     Fn->addFnAttr(llvm::Attribute::SanitizeAddress);
326 
327   if (getLangOpts().Sanitize.has(SanitizerKind::Thread) &&
328       !isInSanitizerBlacklist(SanitizerKind::Thread, Fn, Loc))
329     Fn->addFnAttr(llvm::Attribute::SanitizeThread);
330 
331   if (getLangOpts().Sanitize.has(SanitizerKind::Memory) &&
332       !isInSanitizerBlacklist(SanitizerKind::Memory, Fn, Loc))
333     Fn->addFnAttr(llvm::Attribute::SanitizeMemory);
334 
335   if (getLangOpts().Sanitize.has(SanitizerKind::SafeStack) &&
336       !isInSanitizerBlacklist(SanitizerKind::SafeStack, Fn, Loc))
337     Fn->addFnAttr(llvm::Attribute::SafeStack);
338 
339   return Fn;
340 }
341 
342 /// Create a global pointer to a function that will initialize a global
343 /// variable.  The user has requested that this pointer be emitted in a specific
344 /// section.
345 void CodeGenModule::EmitPointerToInitFunc(const VarDecl *D,
346                                           llvm::GlobalVariable *GV,
347                                           llvm::Function *InitFunc,
348                                           InitSegAttr *ISA) {
349   llvm::GlobalVariable *PtrArray = new llvm::GlobalVariable(
350       TheModule, InitFunc->getType(), /*isConstant=*/true,
351       llvm::GlobalValue::PrivateLinkage, InitFunc, "__cxx_init_fn_ptr");
352   PtrArray->setSection(ISA->getSection());
353   addUsedGlobal(PtrArray);
354 
355   // If the GV is already in a comdat group, then we have to join it.
356   if (llvm::Comdat *C = GV->getComdat())
357     PtrArray->setComdat(C);
358 }
359 
360 void
361 CodeGenModule::EmitCXXGlobalVarDeclInitFunc(const VarDecl *D,
362                                             llvm::GlobalVariable *Addr,
363                                             bool PerformInit) {
364 
365   // According to E.2.3.1 in CUDA-7.5 Programming guide: __device__,
366   // __constant__ and __shared__ variables defined in namespace scope,
367   // that are of class type, cannot have a non-empty constructor. All
368   // the checks have been done in Sema by now. Whatever initializers
369   // are allowed are empty and we just need to ignore them here.
370   if (getLangOpts().CUDA && getLangOpts().CUDAIsDevice &&
371       (D->hasAttr<CUDADeviceAttr>() || D->hasAttr<CUDAConstantAttr>() ||
372        D->hasAttr<CUDASharedAttr>()))
373     return;
374 
375   // Check if we've already initialized this decl.
376   auto I = DelayedCXXInitPosition.find(D);
377   if (I != DelayedCXXInitPosition.end() && I->second == ~0U)
378     return;
379 
380   llvm::FunctionType *FTy = llvm::FunctionType::get(VoidTy, false);
381   SmallString<256> FnName;
382   {
383     llvm::raw_svector_ostream Out(FnName);
384     getCXXABI().getMangleContext().mangleDynamicInitializer(D, Out);
385   }
386 
387   // Create a variable initialization function.
388   llvm::Function *Fn =
389       CreateGlobalInitOrDestructFunction(FTy, FnName.str(),
390                                          getTypes().arrangeNullaryFunction(),
391                                          D->getLocation());
392 
393   auto *ISA = D->getAttr<InitSegAttr>();
394   CodeGenFunction(*this).GenerateCXXGlobalVarDeclInitFunc(Fn, D, Addr,
395                                                           PerformInit);
396 
397   llvm::GlobalVariable *COMDATKey =
398       supportsCOMDAT() && D->isExternallyVisible() ? Addr : nullptr;
399 
400   if (D->getTLSKind()) {
401     // FIXME: Should we support init_priority for thread_local?
402     // FIXME: We only need to register one __cxa_thread_atexit function for the
403     // entire TU.
404     CXXThreadLocalInits.push_back(Fn);
405     CXXThreadLocalInitVars.push_back(D);
406   } else if (PerformInit && ISA) {
407     EmitPointerToInitFunc(D, Addr, Fn, ISA);
408   } else if (auto *IPA = D->getAttr<InitPriorityAttr>()) {
409     OrderGlobalInits Key(IPA->getPriority(), PrioritizedCXXGlobalInits.size());
410     PrioritizedCXXGlobalInits.push_back(std::make_pair(Key, Fn));
411   } else if (isTemplateInstantiation(D->getTemplateSpecializationKind())) {
412     // C++ [basic.start.init]p2:
413     //   Definitions of explicitly specialized class template static data
414     //   members have ordered initialization. Other class template static data
415     //   members (i.e., implicitly or explicitly instantiated specializations)
416     //   have unordered initialization.
417     //
418     // As a consequence, we can put them into their own llvm.global_ctors entry.
419     //
420     // If the global is externally visible, put the initializer into a COMDAT
421     // group with the global being initialized.  On most platforms, this is a
422     // minor startup time optimization.  In the MS C++ ABI, there are no guard
423     // variables, so this COMDAT key is required for correctness.
424     AddGlobalCtor(Fn, 65535, COMDATKey);
425   } else if (D->hasAttr<SelectAnyAttr>()) {
426     // SelectAny globals will be comdat-folded. Put the initializer into a
427     // COMDAT group associated with the global, so the initializers get folded
428     // too.
429     AddGlobalCtor(Fn, 65535, COMDATKey);
430   } else {
431     I = DelayedCXXInitPosition.find(D); // Re-do lookup in case of re-hash.
432     if (I == DelayedCXXInitPosition.end()) {
433       CXXGlobalInits.push_back(Fn);
434     } else if (I->second != ~0U) {
435       assert(I->second < CXXGlobalInits.size() &&
436              CXXGlobalInits[I->second] == nullptr);
437       CXXGlobalInits[I->second] = Fn;
438     }
439   }
440 
441   // Remember that we already emitted the initializer for this global.
442   DelayedCXXInitPosition[D] = ~0U;
443 }
444 
445 void CodeGenModule::EmitCXXThreadLocalInitFunc() {
446   getCXXABI().EmitThreadLocalInitFuncs(
447       *this, CXXThreadLocals, CXXThreadLocalInits, CXXThreadLocalInitVars);
448 
449   CXXThreadLocalInits.clear();
450   CXXThreadLocalInitVars.clear();
451   CXXThreadLocals.clear();
452 }
453 
454 void
455 CodeGenModule::EmitCXXGlobalInitFunc() {
456   while (!CXXGlobalInits.empty() && !CXXGlobalInits.back())
457     CXXGlobalInits.pop_back();
458 
459   if (CXXGlobalInits.empty() && PrioritizedCXXGlobalInits.empty())
460     return;
461 
462   llvm::FunctionType *FTy = llvm::FunctionType::get(VoidTy, false);
463   const CGFunctionInfo &FI = getTypes().arrangeNullaryFunction();
464 
465   // Create our global initialization function.
466   if (!PrioritizedCXXGlobalInits.empty()) {
467     SmallVector<llvm::Function *, 8> LocalCXXGlobalInits;
468     llvm::array_pod_sort(PrioritizedCXXGlobalInits.begin(),
469                          PrioritizedCXXGlobalInits.end());
470     // Iterate over "chunks" of ctors with same priority and emit each chunk
471     // into separate function. Note - everything is sorted first by priority,
472     // second - by lex order, so we emit ctor functions in proper order.
473     for (SmallVectorImpl<GlobalInitData >::iterator
474            I = PrioritizedCXXGlobalInits.begin(),
475            E = PrioritizedCXXGlobalInits.end(); I != E; ) {
476       SmallVectorImpl<GlobalInitData >::iterator
477         PrioE = std::upper_bound(I + 1, E, *I, GlobalInitPriorityCmp());
478 
479       LocalCXXGlobalInits.clear();
480       unsigned Priority = I->first.priority;
481       // Compute the function suffix from priority. Prepend with zeroes to make
482       // sure the function names are also ordered as priorities.
483       std::string PrioritySuffix = llvm::utostr(Priority);
484       // Priority is always <= 65535 (enforced by sema).
485       PrioritySuffix = std::string(6-PrioritySuffix.size(), '0')+PrioritySuffix;
486       llvm::Function *Fn = CreateGlobalInitOrDestructFunction(
487           FTy, "_GLOBAL__I_" + PrioritySuffix, FI);
488 
489       for (; I < PrioE; ++I)
490         LocalCXXGlobalInits.push_back(I->second);
491 
492       CodeGenFunction(*this).GenerateCXXGlobalInitFunc(Fn, LocalCXXGlobalInits);
493       AddGlobalCtor(Fn, Priority);
494     }
495     PrioritizedCXXGlobalInits.clear();
496   }
497 
498   // Include the filename in the symbol name. Including "sub_" matches gcc and
499   // makes sure these symbols appear lexicographically behind the symbols with
500   // priority emitted above.
501   SmallString<128> FileName = llvm::sys::path::filename(getModule().getName());
502   if (FileName.empty())
503     FileName = "<null>";
504 
505   for (size_t i = 0; i < FileName.size(); ++i) {
506     // Replace everything that's not [a-zA-Z0-9._] with a _. This set happens
507     // to be the set of C preprocessing numbers.
508     if (!isPreprocessingNumberBody(FileName[i]))
509       FileName[i] = '_';
510   }
511 
512   llvm::Function *Fn = CreateGlobalInitOrDestructFunction(
513       FTy, llvm::Twine("_GLOBAL__sub_I_", FileName), FI);
514 
515   CodeGenFunction(*this).GenerateCXXGlobalInitFunc(Fn, CXXGlobalInits);
516   AddGlobalCtor(Fn);
517 
518   CXXGlobalInits.clear();
519 }
520 
521 void CodeGenModule::EmitCXXGlobalDtorFunc() {
522   if (CXXGlobalDtors.empty())
523     return;
524 
525   llvm::FunctionType *FTy = llvm::FunctionType::get(VoidTy, false);
526 
527   // Create our global destructor function.
528   const CGFunctionInfo &FI = getTypes().arrangeNullaryFunction();
529   llvm::Function *Fn =
530       CreateGlobalInitOrDestructFunction(FTy, "_GLOBAL__D_a", FI);
531 
532   CodeGenFunction(*this).GenerateCXXGlobalDtorsFunc(Fn, CXXGlobalDtors);
533   AddGlobalDtor(Fn);
534 }
535 
536 /// Emit the code necessary to initialize the given global variable.
537 void CodeGenFunction::GenerateCXXGlobalVarDeclInitFunc(llvm::Function *Fn,
538                                                        const VarDecl *D,
539                                                  llvm::GlobalVariable *Addr,
540                                                        bool PerformInit) {
541   // Check if we need to emit debug info for variable initializer.
542   if (D->hasAttr<NoDebugAttr>())
543     DebugInfo = nullptr; // disable debug info indefinitely for this function
544 
545   CurEHLocation = D->getLocStart();
546 
547   StartFunction(GlobalDecl(D), getContext().VoidTy, Fn,
548                 getTypes().arrangeNullaryFunction(),
549                 FunctionArgList(), D->getLocation(),
550                 D->getInit()->getExprLoc());
551 
552   // Use guarded initialization if the global variable is weak. This
553   // occurs for, e.g., instantiated static data members and
554   // definitions explicitly marked weak.
555   if (Addr->hasWeakLinkage() || Addr->hasLinkOnceLinkage()) {
556     EmitCXXGuardedInit(*D, Addr, PerformInit);
557   } else {
558     EmitCXXGlobalVarDeclInit(*D, Addr, PerformInit);
559   }
560 
561   FinishFunction();
562 }
563 
564 void
565 CodeGenFunction::GenerateCXXGlobalInitFunc(llvm::Function *Fn,
566                                            ArrayRef<llvm::Function *> Decls,
567                                            Address Guard) {
568   {
569     auto NL = ApplyDebugLocation::CreateEmpty(*this);
570     StartFunction(GlobalDecl(), getContext().VoidTy, Fn,
571                   getTypes().arrangeNullaryFunction(), FunctionArgList());
572     // Emit an artificial location for this function.
573     auto AL = ApplyDebugLocation::CreateArtificial(*this);
574 
575     llvm::BasicBlock *ExitBlock = nullptr;
576     if (Guard.isValid()) {
577       // If we have a guard variable, check whether we've already performed
578       // these initializations. This happens for TLS initialization functions.
579       llvm::Value *GuardVal = Builder.CreateLoad(Guard);
580       llvm::Value *Uninit = Builder.CreateIsNull(GuardVal,
581                                                  "guard.uninitialized");
582       llvm::BasicBlock *InitBlock = createBasicBlock("init");
583       ExitBlock = createBasicBlock("exit");
584       EmitCXXGuardedInitBranch(Uninit, InitBlock, ExitBlock,
585                                GuardKind::TlsGuard, nullptr);
586       EmitBlock(InitBlock);
587       // Mark as initialized before initializing anything else. If the
588       // initializers use previously-initialized thread_local vars, that's
589       // probably supposed to be OK, but the standard doesn't say.
590       Builder.CreateStore(llvm::ConstantInt::get(GuardVal->getType(),1), Guard);
591     }
592 
593     RunCleanupsScope Scope(*this);
594 
595     // When building in Objective-C++ ARC mode, create an autorelease pool
596     // around the global initializers.
597     if (getLangOpts().ObjCAutoRefCount && getLangOpts().CPlusPlus) {
598       llvm::Value *token = EmitObjCAutoreleasePoolPush();
599       EmitObjCAutoreleasePoolCleanup(token);
600     }
601 
602     for (unsigned i = 0, e = Decls.size(); i != e; ++i)
603       if (Decls[i])
604         EmitRuntimeCall(Decls[i]);
605 
606     Scope.ForceCleanup();
607 
608     if (ExitBlock) {
609       Builder.CreateBr(ExitBlock);
610       EmitBlock(ExitBlock);
611     }
612   }
613 
614   FinishFunction();
615 }
616 
617 void CodeGenFunction::GenerateCXXGlobalDtorsFunc(
618     llvm::Function *Fn,
619     const std::vector<std::pair<llvm::WeakTrackingVH, llvm::Constant *>>
620         &DtorsAndObjects) {
621   {
622     auto NL = ApplyDebugLocation::CreateEmpty(*this);
623     StartFunction(GlobalDecl(), getContext().VoidTy, Fn,
624                   getTypes().arrangeNullaryFunction(), FunctionArgList());
625     // Emit an artificial location for this function.
626     auto AL = ApplyDebugLocation::CreateArtificial(*this);
627 
628     // Emit the dtors, in reverse order from construction.
629     for (unsigned i = 0, e = DtorsAndObjects.size(); i != e; ++i) {
630       llvm::Value *Callee = DtorsAndObjects[e - i - 1].first;
631       llvm::CallInst *CI = Builder.CreateCall(Callee,
632                                           DtorsAndObjects[e - i - 1].second);
633       // Make sure the call and the callee agree on calling convention.
634       if (llvm::Function *F = dyn_cast<llvm::Function>(Callee))
635         CI->setCallingConv(F->getCallingConv());
636     }
637   }
638 
639   FinishFunction();
640 }
641 
642 /// generateDestroyHelper - Generates a helper function which, when
643 /// invoked, destroys the given object.  The address of the object
644 /// should be in global memory.
645 llvm::Function *CodeGenFunction::generateDestroyHelper(
646     Address addr, QualType type, Destroyer *destroyer,
647     bool useEHCleanupForArray, const VarDecl *VD) {
648   FunctionArgList args;
649   ImplicitParamDecl Dst(getContext(), getContext().VoidPtrTy,
650                         ImplicitParamDecl::Other);
651   args.push_back(&Dst);
652 
653   const CGFunctionInfo &FI =
654     CGM.getTypes().arrangeBuiltinFunctionDeclaration(getContext().VoidTy, args);
655   llvm::FunctionType *FTy = CGM.getTypes().GetFunctionType(FI);
656   llvm::Function *fn = CGM.CreateGlobalInitOrDestructFunction(
657       FTy, "__cxx_global_array_dtor", FI, VD->getLocation());
658 
659   CurEHLocation = VD->getLocStart();
660 
661   StartFunction(VD, getContext().VoidTy, fn, FI, args);
662 
663   emitDestroy(addr, type, destroyer, useEHCleanupForArray);
664 
665   FinishFunction();
666 
667   return fn;
668 }
669