1 //===--- CGDecl.cpp - Emit LLVM Code for 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 to emit Decl nodes as LLVM code. 11 // 12 //===----------------------------------------------------------------------===// 13 14 #include "CGBlocks.h" 15 #include "CGCXXABI.h" 16 #include "CGCleanup.h" 17 #include "CGDebugInfo.h" 18 #include "CGOpenCLRuntime.h" 19 #include "CGOpenMPRuntime.h" 20 #include "CodeGenFunction.h" 21 #include "CodeGenModule.h" 22 #include "ConstantEmitter.h" 23 #include "TargetInfo.h" 24 #include "clang/AST/ASTContext.h" 25 #include "clang/AST/CharUnits.h" 26 #include "clang/AST/Decl.h" 27 #include "clang/AST/DeclObjC.h" 28 #include "clang/AST/DeclOpenMP.h" 29 #include "clang/Basic/SourceManager.h" 30 #include "clang/Basic/TargetInfo.h" 31 #include "clang/CodeGen/CGFunctionInfo.h" 32 #include "clang/Frontend/CodeGenOptions.h" 33 #include "llvm/IR/DataLayout.h" 34 #include "llvm/IR/GlobalVariable.h" 35 #include "llvm/IR/Intrinsics.h" 36 #include "llvm/IR/Type.h" 37 38 using namespace clang; 39 using namespace CodeGen; 40 41 void CodeGenFunction::EmitDecl(const Decl &D) { 42 switch (D.getKind()) { 43 case Decl::BuiltinTemplate: 44 case Decl::TranslationUnit: 45 case Decl::ExternCContext: 46 case Decl::Namespace: 47 case Decl::UnresolvedUsingTypename: 48 case Decl::ClassTemplateSpecialization: 49 case Decl::ClassTemplatePartialSpecialization: 50 case Decl::VarTemplateSpecialization: 51 case Decl::VarTemplatePartialSpecialization: 52 case Decl::TemplateTypeParm: 53 case Decl::UnresolvedUsingValue: 54 case Decl::NonTypeTemplateParm: 55 case Decl::CXXDeductionGuide: 56 case Decl::CXXMethod: 57 case Decl::CXXConstructor: 58 case Decl::CXXDestructor: 59 case Decl::CXXConversion: 60 case Decl::Field: 61 case Decl::MSProperty: 62 case Decl::IndirectField: 63 case Decl::ObjCIvar: 64 case Decl::ObjCAtDefsField: 65 case Decl::ParmVar: 66 case Decl::ImplicitParam: 67 case Decl::ClassTemplate: 68 case Decl::VarTemplate: 69 case Decl::FunctionTemplate: 70 case Decl::TypeAliasTemplate: 71 case Decl::TemplateTemplateParm: 72 case Decl::ObjCMethod: 73 case Decl::ObjCCategory: 74 case Decl::ObjCProtocol: 75 case Decl::ObjCInterface: 76 case Decl::ObjCCategoryImpl: 77 case Decl::ObjCImplementation: 78 case Decl::ObjCProperty: 79 case Decl::ObjCCompatibleAlias: 80 case Decl::PragmaComment: 81 case Decl::PragmaDetectMismatch: 82 case Decl::AccessSpec: 83 case Decl::LinkageSpec: 84 case Decl::Export: 85 case Decl::ObjCPropertyImpl: 86 case Decl::FileScopeAsm: 87 case Decl::Friend: 88 case Decl::FriendTemplate: 89 case Decl::Block: 90 case Decl::Captured: 91 case Decl::ClassScopeFunctionSpecialization: 92 case Decl::UsingShadow: 93 case Decl::ConstructorUsingShadow: 94 case Decl::ObjCTypeParam: 95 case Decl::Binding: 96 llvm_unreachable("Declaration should not be in declstmts!"); 97 case Decl::Function: // void X(); 98 case Decl::Record: // struct/union/class X; 99 case Decl::Enum: // enum X; 100 case Decl::EnumConstant: // enum ? { X = ? } 101 case Decl::CXXRecord: // struct/union/class X; [C++] 102 case Decl::StaticAssert: // static_assert(X, ""); [C++0x] 103 case Decl::Label: // __label__ x; 104 case Decl::Import: 105 case Decl::OMPThreadPrivate: 106 case Decl::OMPCapturedExpr: 107 case Decl::Empty: 108 // None of these decls require codegen support. 109 return; 110 111 case Decl::NamespaceAlias: 112 if (CGDebugInfo *DI = getDebugInfo()) 113 DI->EmitNamespaceAlias(cast<NamespaceAliasDecl>(D)); 114 return; 115 case Decl::Using: // using X; [C++] 116 if (CGDebugInfo *DI = getDebugInfo()) 117 DI->EmitUsingDecl(cast<UsingDecl>(D)); 118 return; 119 case Decl::UsingPack: 120 for (auto *Using : cast<UsingPackDecl>(D).expansions()) 121 EmitDecl(*Using); 122 return; 123 case Decl::UsingDirective: // using namespace X; [C++] 124 if (CGDebugInfo *DI = getDebugInfo()) 125 DI->EmitUsingDirective(cast<UsingDirectiveDecl>(D)); 126 return; 127 case Decl::Var: 128 case Decl::Decomposition: { 129 const VarDecl &VD = cast<VarDecl>(D); 130 assert(VD.isLocalVarDecl() && 131 "Should not see file-scope variables inside a function!"); 132 EmitVarDecl(VD); 133 if (auto *DD = dyn_cast<DecompositionDecl>(&VD)) 134 for (auto *B : DD->bindings()) 135 if (auto *HD = B->getHoldingVar()) 136 EmitVarDecl(*HD); 137 return; 138 } 139 140 case Decl::OMPDeclareReduction: 141 return CGM.EmitOMPDeclareReduction(cast<OMPDeclareReductionDecl>(&D), this); 142 143 case Decl::Typedef: // typedef int X; 144 case Decl::TypeAlias: { // using X = int; [C++0x] 145 const TypedefNameDecl &TD = cast<TypedefNameDecl>(D); 146 QualType Ty = TD.getUnderlyingType(); 147 148 if (Ty->isVariablyModifiedType()) 149 EmitVariablyModifiedType(Ty); 150 } 151 } 152 } 153 154 /// EmitVarDecl - This method handles emission of any variable declaration 155 /// inside a function, including static vars etc. 156 void CodeGenFunction::EmitVarDecl(const VarDecl &D) { 157 if (D.hasExternalStorage()) 158 // Don't emit it now, allow it to be emitted lazily on its first use. 159 return; 160 161 // Some function-scope variable does not have static storage but still 162 // needs to be emitted like a static variable, e.g. a function-scope 163 // variable in constant address space in OpenCL. 164 if (D.getStorageDuration() != SD_Automatic) { 165 // Static sampler variables translated to function calls. 166 if (D.getType()->isSamplerT()) 167 return; 168 169 llvm::GlobalValue::LinkageTypes Linkage = 170 CGM.getLLVMLinkageVarDefinition(&D, /*isConstant=*/false); 171 172 // FIXME: We need to force the emission/use of a guard variable for 173 // some variables even if we can constant-evaluate them because 174 // we can't guarantee every translation unit will constant-evaluate them. 175 176 return EmitStaticVarDecl(D, Linkage); 177 } 178 179 if (D.getType().getAddressSpace() == LangAS::opencl_local) 180 return CGM.getOpenCLRuntime().EmitWorkGroupLocalVarDecl(*this, D); 181 182 assert(D.hasLocalStorage()); 183 return EmitAutoVarDecl(D); 184 } 185 186 static std::string getStaticDeclName(CodeGenModule &CGM, const VarDecl &D) { 187 if (CGM.getLangOpts().CPlusPlus) 188 return CGM.getMangledName(&D).str(); 189 190 // If this isn't C++, we don't need a mangled name, just a pretty one. 191 assert(!D.isExternallyVisible() && "name shouldn't matter"); 192 std::string ContextName; 193 const DeclContext *DC = D.getDeclContext(); 194 if (auto *CD = dyn_cast<CapturedDecl>(DC)) 195 DC = cast<DeclContext>(CD->getNonClosureContext()); 196 if (const auto *FD = dyn_cast<FunctionDecl>(DC)) 197 ContextName = CGM.getMangledName(FD); 198 else if (const auto *BD = dyn_cast<BlockDecl>(DC)) 199 ContextName = CGM.getBlockMangledName(GlobalDecl(), BD); 200 else if (const auto *OMD = dyn_cast<ObjCMethodDecl>(DC)) 201 ContextName = OMD->getSelector().getAsString(); 202 else 203 llvm_unreachable("Unknown context for static var decl"); 204 205 ContextName += "." + D.getNameAsString(); 206 return ContextName; 207 } 208 209 llvm::Constant *CodeGenModule::getOrCreateStaticVarDecl( 210 const VarDecl &D, llvm::GlobalValue::LinkageTypes Linkage) { 211 // In general, we don't always emit static var decls once before we reference 212 // them. It is possible to reference them before emitting the function that 213 // contains them, and it is possible to emit the containing function multiple 214 // times. 215 if (llvm::Constant *ExistingGV = StaticLocalDeclMap[&D]) 216 return ExistingGV; 217 218 QualType Ty = D.getType(); 219 assert(Ty->isConstantSizeType() && "VLAs can't be static"); 220 221 // Use the label if the variable is renamed with the asm-label extension. 222 std::string Name; 223 if (D.hasAttr<AsmLabelAttr>()) 224 Name = getMangledName(&D); 225 else 226 Name = getStaticDeclName(*this, D); 227 228 llvm::Type *LTy = getTypes().ConvertTypeForMem(Ty); 229 LangAS AS = GetGlobalVarAddressSpace(&D); 230 unsigned TargetAS = getContext().getTargetAddressSpace(AS); 231 232 // OpenCL variables in local address space and CUDA shared 233 // variables cannot have an initializer. 234 llvm::Constant *Init = nullptr; 235 if (Ty.getAddressSpace() == LangAS::opencl_local || 236 D.hasAttr<CUDASharedAttr>()) 237 Init = llvm::UndefValue::get(LTy); 238 else 239 Init = EmitNullConstant(Ty); 240 241 llvm::GlobalVariable *GV = new llvm::GlobalVariable( 242 getModule(), LTy, Ty.isConstant(getContext()), Linkage, Init, Name, 243 nullptr, llvm::GlobalVariable::NotThreadLocal, TargetAS); 244 GV->setAlignment(getContext().getDeclAlign(&D).getQuantity()); 245 246 if (supportsCOMDAT() && GV->isWeakForLinker()) 247 GV->setComdat(TheModule.getOrInsertComdat(GV->getName())); 248 249 if (D.getTLSKind()) 250 setTLSMode(GV, D); 251 252 setGVProperties(GV, &D); 253 254 // Make sure the result is of the correct type. 255 LangAS ExpectedAS = Ty.getAddressSpace(); 256 llvm::Constant *Addr = GV; 257 if (AS != ExpectedAS) { 258 Addr = getTargetCodeGenInfo().performAddrSpaceCast( 259 *this, GV, AS, ExpectedAS, 260 LTy->getPointerTo(getContext().getTargetAddressSpace(ExpectedAS))); 261 } 262 263 setStaticLocalDeclAddress(&D, Addr); 264 265 // Ensure that the static local gets initialized by making sure the parent 266 // function gets emitted eventually. 267 const Decl *DC = cast<Decl>(D.getDeclContext()); 268 269 // We can't name blocks or captured statements directly, so try to emit their 270 // parents. 271 if (isa<BlockDecl>(DC) || isa<CapturedDecl>(DC)) { 272 DC = DC->getNonClosureContext(); 273 // FIXME: Ensure that global blocks get emitted. 274 if (!DC) 275 return Addr; 276 } 277 278 GlobalDecl GD; 279 if (const auto *CD = dyn_cast<CXXConstructorDecl>(DC)) 280 GD = GlobalDecl(CD, Ctor_Base); 281 else if (const auto *DD = dyn_cast<CXXDestructorDecl>(DC)) 282 GD = GlobalDecl(DD, Dtor_Base); 283 else if (const auto *FD = dyn_cast<FunctionDecl>(DC)) 284 GD = GlobalDecl(FD); 285 else { 286 // Don't do anything for Obj-C method decls or global closures. We should 287 // never defer them. 288 assert(isa<ObjCMethodDecl>(DC) && "unexpected parent code decl"); 289 } 290 if (GD.getDecl()) { 291 // Disable emission of the parent function for the OpenMP device codegen. 292 CGOpenMPRuntime::DisableAutoDeclareTargetRAII NoDeclTarget(*this); 293 (void)GetAddrOfGlobal(GD); 294 } 295 296 return Addr; 297 } 298 299 /// hasNontrivialDestruction - Determine whether a type's destruction is 300 /// non-trivial. If so, and the variable uses static initialization, we must 301 /// register its destructor to run on exit. 302 static bool hasNontrivialDestruction(QualType T) { 303 CXXRecordDecl *RD = T->getBaseElementTypeUnsafe()->getAsCXXRecordDecl(); 304 return RD && !RD->hasTrivialDestructor(); 305 } 306 307 /// AddInitializerToStaticVarDecl - Add the initializer for 'D' to the 308 /// global variable that has already been created for it. If the initializer 309 /// has a different type than GV does, this may free GV and return a different 310 /// one. Otherwise it just returns GV. 311 llvm::GlobalVariable * 312 CodeGenFunction::AddInitializerToStaticVarDecl(const VarDecl &D, 313 llvm::GlobalVariable *GV) { 314 ConstantEmitter emitter(*this); 315 llvm::Constant *Init = emitter.tryEmitForInitializer(D); 316 317 // If constant emission failed, then this should be a C++ static 318 // initializer. 319 if (!Init) { 320 if (!getLangOpts().CPlusPlus) 321 CGM.ErrorUnsupported(D.getInit(), "constant l-value expression"); 322 else if (HaveInsertPoint()) { 323 // Since we have a static initializer, this global variable can't 324 // be constant. 325 GV->setConstant(false); 326 327 EmitCXXGuardedInit(D, GV, /*PerformInit*/true); 328 } 329 return GV; 330 } 331 332 // The initializer may differ in type from the global. Rewrite 333 // the global to match the initializer. (We have to do this 334 // because some types, like unions, can't be completely represented 335 // in the LLVM type system.) 336 if (GV->getType()->getElementType() != Init->getType()) { 337 llvm::GlobalVariable *OldGV = GV; 338 339 GV = new llvm::GlobalVariable(CGM.getModule(), Init->getType(), 340 OldGV->isConstant(), 341 OldGV->getLinkage(), Init, "", 342 /*InsertBefore*/ OldGV, 343 OldGV->getThreadLocalMode(), 344 CGM.getContext().getTargetAddressSpace(D.getType())); 345 GV->setVisibility(OldGV->getVisibility()); 346 GV->setDSOLocal(OldGV->isDSOLocal()); 347 GV->setComdat(OldGV->getComdat()); 348 349 // Steal the name of the old global 350 GV->takeName(OldGV); 351 352 // Replace all uses of the old global with the new global 353 llvm::Constant *NewPtrForOldDecl = 354 llvm::ConstantExpr::getBitCast(GV, OldGV->getType()); 355 OldGV->replaceAllUsesWith(NewPtrForOldDecl); 356 357 // Erase the old global, since it is no longer used. 358 OldGV->eraseFromParent(); 359 } 360 361 GV->setConstant(CGM.isTypeConstant(D.getType(), true)); 362 GV->setInitializer(Init); 363 364 emitter.finalize(GV); 365 366 if (hasNontrivialDestruction(D.getType()) && HaveInsertPoint()) { 367 // We have a constant initializer, but a nontrivial destructor. We still 368 // need to perform a guarded "initialization" in order to register the 369 // destructor. 370 EmitCXXGuardedInit(D, GV, /*PerformInit*/false); 371 } 372 373 return GV; 374 } 375 376 void CodeGenFunction::EmitStaticVarDecl(const VarDecl &D, 377 llvm::GlobalValue::LinkageTypes Linkage) { 378 // Check to see if we already have a global variable for this 379 // declaration. This can happen when double-emitting function 380 // bodies, e.g. with complete and base constructors. 381 llvm::Constant *addr = CGM.getOrCreateStaticVarDecl(D, Linkage); 382 CharUnits alignment = getContext().getDeclAlign(&D); 383 384 // Store into LocalDeclMap before generating initializer to handle 385 // circular references. 386 setAddrOfLocalVar(&D, Address(addr, alignment)); 387 388 // We can't have a VLA here, but we can have a pointer to a VLA, 389 // even though that doesn't really make any sense. 390 // Make sure to evaluate VLA bounds now so that we have them for later. 391 if (D.getType()->isVariablyModifiedType()) 392 EmitVariablyModifiedType(D.getType()); 393 394 // Save the type in case adding the initializer forces a type change. 395 llvm::Type *expectedType = addr->getType(); 396 397 llvm::GlobalVariable *var = 398 cast<llvm::GlobalVariable>(addr->stripPointerCasts()); 399 400 // CUDA's local and local static __shared__ variables should not 401 // have any non-empty initializers. This is ensured by Sema. 402 // Whatever initializer such variable may have when it gets here is 403 // a no-op and should not be emitted. 404 bool isCudaSharedVar = getLangOpts().CUDA && getLangOpts().CUDAIsDevice && 405 D.hasAttr<CUDASharedAttr>(); 406 // If this value has an initializer, emit it. 407 if (D.getInit() && !isCudaSharedVar) 408 var = AddInitializerToStaticVarDecl(D, var); 409 410 var->setAlignment(alignment.getQuantity()); 411 412 if (D.hasAttr<AnnotateAttr>()) 413 CGM.AddGlobalAnnotations(&D, var); 414 415 if (auto *SA = D.getAttr<PragmaClangBSSSectionAttr>()) 416 var->addAttribute("bss-section", SA->getName()); 417 if (auto *SA = D.getAttr<PragmaClangDataSectionAttr>()) 418 var->addAttribute("data-section", SA->getName()); 419 if (auto *SA = D.getAttr<PragmaClangRodataSectionAttr>()) 420 var->addAttribute("rodata-section", SA->getName()); 421 422 if (const SectionAttr *SA = D.getAttr<SectionAttr>()) 423 var->setSection(SA->getName()); 424 425 if (D.hasAttr<UsedAttr>()) 426 CGM.addUsedGlobal(var); 427 428 // We may have to cast the constant because of the initializer 429 // mismatch above. 430 // 431 // FIXME: It is really dangerous to store this in the map; if anyone 432 // RAUW's the GV uses of this constant will be invalid. 433 llvm::Constant *castedAddr = 434 llvm::ConstantExpr::getPointerBitCastOrAddrSpaceCast(var, expectedType); 435 if (var != castedAddr) 436 LocalDeclMap.find(&D)->second = Address(castedAddr, alignment); 437 CGM.setStaticLocalDeclAddress(&D, castedAddr); 438 439 CGM.getSanitizerMetadata()->reportGlobalToASan(var, D); 440 441 // Emit global variable debug descriptor for static vars. 442 CGDebugInfo *DI = getDebugInfo(); 443 if (DI && 444 CGM.getCodeGenOpts().getDebugInfo() >= codegenoptions::LimitedDebugInfo) { 445 DI->setLocation(D.getLocation()); 446 DI->EmitGlobalVariable(var, &D); 447 } 448 } 449 450 namespace { 451 struct DestroyObject final : EHScopeStack::Cleanup { 452 DestroyObject(Address addr, QualType type, 453 CodeGenFunction::Destroyer *destroyer, 454 bool useEHCleanupForArray) 455 : addr(addr), type(type), destroyer(destroyer), 456 useEHCleanupForArray(useEHCleanupForArray) {} 457 458 Address addr; 459 QualType type; 460 CodeGenFunction::Destroyer *destroyer; 461 bool useEHCleanupForArray; 462 463 void Emit(CodeGenFunction &CGF, Flags flags) override { 464 // Don't use an EH cleanup recursively from an EH cleanup. 465 bool useEHCleanupForArray = 466 flags.isForNormalCleanup() && this->useEHCleanupForArray; 467 468 CGF.emitDestroy(addr, type, destroyer, useEHCleanupForArray); 469 } 470 }; 471 472 template <class Derived> 473 struct DestroyNRVOVariable : EHScopeStack::Cleanup { 474 DestroyNRVOVariable(Address addr, llvm::Value *NRVOFlag) 475 : NRVOFlag(NRVOFlag), Loc(addr) {} 476 477 llvm::Value *NRVOFlag; 478 Address Loc; 479 480 void Emit(CodeGenFunction &CGF, Flags flags) override { 481 // Along the exceptions path we always execute the dtor. 482 bool NRVO = flags.isForNormalCleanup() && NRVOFlag; 483 484 llvm::BasicBlock *SkipDtorBB = nullptr; 485 if (NRVO) { 486 // If we exited via NRVO, we skip the destructor call. 487 llvm::BasicBlock *RunDtorBB = CGF.createBasicBlock("nrvo.unused"); 488 SkipDtorBB = CGF.createBasicBlock("nrvo.skipdtor"); 489 llvm::Value *DidNRVO = 490 CGF.Builder.CreateFlagLoad(NRVOFlag, "nrvo.val"); 491 CGF.Builder.CreateCondBr(DidNRVO, SkipDtorBB, RunDtorBB); 492 CGF.EmitBlock(RunDtorBB); 493 } 494 495 static_cast<Derived *>(this)->emitDestructorCall(CGF); 496 497 if (NRVO) CGF.EmitBlock(SkipDtorBB); 498 } 499 500 virtual ~DestroyNRVOVariable() = default; 501 }; 502 503 struct DestroyNRVOVariableCXX final 504 : DestroyNRVOVariable<DestroyNRVOVariableCXX> { 505 DestroyNRVOVariableCXX(Address addr, const CXXDestructorDecl *Dtor, 506 llvm::Value *NRVOFlag) 507 : DestroyNRVOVariable<DestroyNRVOVariableCXX>(addr, NRVOFlag), 508 Dtor(Dtor) {} 509 510 const CXXDestructorDecl *Dtor; 511 512 void emitDestructorCall(CodeGenFunction &CGF) { 513 CGF.EmitCXXDestructorCall(Dtor, Dtor_Complete, 514 /*ForVirtualBase=*/false, 515 /*Delegating=*/false, Loc); 516 } 517 }; 518 519 struct DestroyNRVOVariableC final 520 : DestroyNRVOVariable<DestroyNRVOVariableC> { 521 DestroyNRVOVariableC(Address addr, llvm::Value *NRVOFlag, QualType Ty) 522 : DestroyNRVOVariable<DestroyNRVOVariableC>(addr, NRVOFlag), Ty(Ty) {} 523 524 QualType Ty; 525 526 void emitDestructorCall(CodeGenFunction &CGF) { 527 CGF.destroyNonTrivialCStruct(CGF, Loc, Ty); 528 } 529 }; 530 531 struct CallStackRestore final : EHScopeStack::Cleanup { 532 Address Stack; 533 CallStackRestore(Address Stack) : Stack(Stack) {} 534 void Emit(CodeGenFunction &CGF, Flags flags) override { 535 llvm::Value *V = CGF.Builder.CreateLoad(Stack); 536 llvm::Value *F = CGF.CGM.getIntrinsic(llvm::Intrinsic::stackrestore); 537 CGF.Builder.CreateCall(F, V); 538 } 539 }; 540 541 struct ExtendGCLifetime final : EHScopeStack::Cleanup { 542 const VarDecl &Var; 543 ExtendGCLifetime(const VarDecl *var) : Var(*var) {} 544 545 void Emit(CodeGenFunction &CGF, Flags flags) override { 546 // Compute the address of the local variable, in case it's a 547 // byref or something. 548 DeclRefExpr DRE(const_cast<VarDecl*>(&Var), false, 549 Var.getType(), VK_LValue, SourceLocation()); 550 llvm::Value *value = CGF.EmitLoadOfScalar(CGF.EmitDeclRefLValue(&DRE), 551 SourceLocation()); 552 CGF.EmitExtendGCLifetime(value); 553 } 554 }; 555 556 struct CallCleanupFunction final : EHScopeStack::Cleanup { 557 llvm::Constant *CleanupFn; 558 const CGFunctionInfo &FnInfo; 559 const VarDecl &Var; 560 561 CallCleanupFunction(llvm::Constant *CleanupFn, const CGFunctionInfo *Info, 562 const VarDecl *Var) 563 : CleanupFn(CleanupFn), FnInfo(*Info), Var(*Var) {} 564 565 void Emit(CodeGenFunction &CGF, Flags flags) override { 566 DeclRefExpr DRE(const_cast<VarDecl*>(&Var), false, 567 Var.getType(), VK_LValue, SourceLocation()); 568 // Compute the address of the local variable, in case it's a byref 569 // or something. 570 llvm::Value *Addr = CGF.EmitDeclRefLValue(&DRE).getPointer(); 571 572 // In some cases, the type of the function argument will be different from 573 // the type of the pointer. An example of this is 574 // void f(void* arg); 575 // __attribute__((cleanup(f))) void *g; 576 // 577 // To fix this we insert a bitcast here. 578 QualType ArgTy = FnInfo.arg_begin()->type; 579 llvm::Value *Arg = 580 CGF.Builder.CreateBitCast(Addr, CGF.ConvertType(ArgTy)); 581 582 CallArgList Args; 583 Args.add(RValue::get(Arg), 584 CGF.getContext().getPointerType(Var.getType())); 585 auto Callee = CGCallee::forDirect(CleanupFn); 586 CGF.EmitCall(FnInfo, Callee, ReturnValueSlot(), Args); 587 } 588 }; 589 } // end anonymous namespace 590 591 /// EmitAutoVarWithLifetime - Does the setup required for an automatic 592 /// variable with lifetime. 593 static void EmitAutoVarWithLifetime(CodeGenFunction &CGF, const VarDecl &var, 594 Address addr, 595 Qualifiers::ObjCLifetime lifetime) { 596 switch (lifetime) { 597 case Qualifiers::OCL_None: 598 llvm_unreachable("present but none"); 599 600 case Qualifiers::OCL_ExplicitNone: 601 // nothing to do 602 break; 603 604 case Qualifiers::OCL_Strong: { 605 CodeGenFunction::Destroyer *destroyer = 606 (var.hasAttr<ObjCPreciseLifetimeAttr>() 607 ? CodeGenFunction::destroyARCStrongPrecise 608 : CodeGenFunction::destroyARCStrongImprecise); 609 610 CleanupKind cleanupKind = CGF.getARCCleanupKind(); 611 CGF.pushDestroy(cleanupKind, addr, var.getType(), destroyer, 612 cleanupKind & EHCleanup); 613 break; 614 } 615 case Qualifiers::OCL_Autoreleasing: 616 // nothing to do 617 break; 618 619 case Qualifiers::OCL_Weak: 620 // __weak objects always get EH cleanups; otherwise, exceptions 621 // could cause really nasty crashes instead of mere leaks. 622 CGF.pushDestroy(NormalAndEHCleanup, addr, var.getType(), 623 CodeGenFunction::destroyARCWeak, 624 /*useEHCleanup*/ true); 625 break; 626 } 627 } 628 629 static bool isAccessedBy(const VarDecl &var, const Stmt *s) { 630 if (const Expr *e = dyn_cast<Expr>(s)) { 631 // Skip the most common kinds of expressions that make 632 // hierarchy-walking expensive. 633 s = e = e->IgnoreParenCasts(); 634 635 if (const DeclRefExpr *ref = dyn_cast<DeclRefExpr>(e)) 636 return (ref->getDecl() == &var); 637 if (const BlockExpr *be = dyn_cast<BlockExpr>(e)) { 638 const BlockDecl *block = be->getBlockDecl(); 639 for (const auto &I : block->captures()) { 640 if (I.getVariable() == &var) 641 return true; 642 } 643 } 644 } 645 646 for (const Stmt *SubStmt : s->children()) 647 // SubStmt might be null; as in missing decl or conditional of an if-stmt. 648 if (SubStmt && isAccessedBy(var, SubStmt)) 649 return true; 650 651 return false; 652 } 653 654 static bool isAccessedBy(const ValueDecl *decl, const Expr *e) { 655 if (!decl) return false; 656 if (!isa<VarDecl>(decl)) return false; 657 const VarDecl *var = cast<VarDecl>(decl); 658 return isAccessedBy(*var, e); 659 } 660 661 static bool tryEmitARCCopyWeakInit(CodeGenFunction &CGF, 662 const LValue &destLV, const Expr *init) { 663 bool needsCast = false; 664 665 while (auto castExpr = dyn_cast<CastExpr>(init->IgnoreParens())) { 666 switch (castExpr->getCastKind()) { 667 // Look through casts that don't require representation changes. 668 case CK_NoOp: 669 case CK_BitCast: 670 case CK_BlockPointerToObjCPointerCast: 671 needsCast = true; 672 break; 673 674 // If we find an l-value to r-value cast from a __weak variable, 675 // emit this operation as a copy or move. 676 case CK_LValueToRValue: { 677 const Expr *srcExpr = castExpr->getSubExpr(); 678 if (srcExpr->getType().getObjCLifetime() != Qualifiers::OCL_Weak) 679 return false; 680 681 // Emit the source l-value. 682 LValue srcLV = CGF.EmitLValue(srcExpr); 683 684 // Handle a formal type change to avoid asserting. 685 auto srcAddr = srcLV.getAddress(); 686 if (needsCast) { 687 srcAddr = CGF.Builder.CreateElementBitCast(srcAddr, 688 destLV.getAddress().getElementType()); 689 } 690 691 // If it was an l-value, use objc_copyWeak. 692 if (srcExpr->getValueKind() == VK_LValue) { 693 CGF.EmitARCCopyWeak(destLV.getAddress(), srcAddr); 694 } else { 695 assert(srcExpr->getValueKind() == VK_XValue); 696 CGF.EmitARCMoveWeak(destLV.getAddress(), srcAddr); 697 } 698 return true; 699 } 700 701 // Stop at anything else. 702 default: 703 return false; 704 } 705 706 init = castExpr->getSubExpr(); 707 } 708 return false; 709 } 710 711 static void drillIntoBlockVariable(CodeGenFunction &CGF, 712 LValue &lvalue, 713 const VarDecl *var) { 714 lvalue.setAddress(CGF.emitBlockByrefAddress(lvalue.getAddress(), var)); 715 } 716 717 void CodeGenFunction::EmitNullabilityCheck(LValue LHS, llvm::Value *RHS, 718 SourceLocation Loc) { 719 if (!SanOpts.has(SanitizerKind::NullabilityAssign)) 720 return; 721 722 auto Nullability = LHS.getType()->getNullability(getContext()); 723 if (!Nullability || *Nullability != NullabilityKind::NonNull) 724 return; 725 726 // Check if the right hand side of the assignment is nonnull, if the left 727 // hand side must be nonnull. 728 SanitizerScope SanScope(this); 729 llvm::Value *IsNotNull = Builder.CreateIsNotNull(RHS); 730 llvm::Constant *StaticData[] = { 731 EmitCheckSourceLocation(Loc), EmitCheckTypeDescriptor(LHS.getType()), 732 llvm::ConstantInt::get(Int8Ty, 0), // The LogAlignment info is unused. 733 llvm::ConstantInt::get(Int8Ty, TCK_NonnullAssign)}; 734 EmitCheck({{IsNotNull, SanitizerKind::NullabilityAssign}}, 735 SanitizerHandler::TypeMismatch, StaticData, RHS); 736 } 737 738 void CodeGenFunction::EmitScalarInit(const Expr *init, const ValueDecl *D, 739 LValue lvalue, bool capturedByInit) { 740 Qualifiers::ObjCLifetime lifetime = lvalue.getObjCLifetime(); 741 if (!lifetime) { 742 llvm::Value *value = EmitScalarExpr(init); 743 if (capturedByInit) 744 drillIntoBlockVariable(*this, lvalue, cast<VarDecl>(D)); 745 EmitNullabilityCheck(lvalue, value, init->getExprLoc()); 746 EmitStoreThroughLValue(RValue::get(value), lvalue, true); 747 return; 748 } 749 750 if (const CXXDefaultInitExpr *DIE = dyn_cast<CXXDefaultInitExpr>(init)) 751 init = DIE->getExpr(); 752 753 // If we're emitting a value with lifetime, we have to do the 754 // initialization *before* we leave the cleanup scopes. 755 if (const ExprWithCleanups *ewc = dyn_cast<ExprWithCleanups>(init)) { 756 enterFullExpression(ewc); 757 init = ewc->getSubExpr(); 758 } 759 CodeGenFunction::RunCleanupsScope Scope(*this); 760 761 // We have to maintain the illusion that the variable is 762 // zero-initialized. If the variable might be accessed in its 763 // initializer, zero-initialize before running the initializer, then 764 // actually perform the initialization with an assign. 765 bool accessedByInit = false; 766 if (lifetime != Qualifiers::OCL_ExplicitNone) 767 accessedByInit = (capturedByInit || isAccessedBy(D, init)); 768 if (accessedByInit) { 769 LValue tempLV = lvalue; 770 // Drill down to the __block object if necessary. 771 if (capturedByInit) { 772 // We can use a simple GEP for this because it can't have been 773 // moved yet. 774 tempLV.setAddress(emitBlockByrefAddress(tempLV.getAddress(), 775 cast<VarDecl>(D), 776 /*follow*/ false)); 777 } 778 779 auto ty = cast<llvm::PointerType>(tempLV.getAddress().getElementType()); 780 llvm::Value *zero = CGM.getNullPointer(ty, tempLV.getType()); 781 782 // If __weak, we want to use a barrier under certain conditions. 783 if (lifetime == Qualifiers::OCL_Weak) 784 EmitARCInitWeak(tempLV.getAddress(), zero); 785 786 // Otherwise just do a simple store. 787 else 788 EmitStoreOfScalar(zero, tempLV, /* isInitialization */ true); 789 } 790 791 // Emit the initializer. 792 llvm::Value *value = nullptr; 793 794 switch (lifetime) { 795 case Qualifiers::OCL_None: 796 llvm_unreachable("present but none"); 797 798 case Qualifiers::OCL_ExplicitNone: 799 value = EmitARCUnsafeUnretainedScalarExpr(init); 800 break; 801 802 case Qualifiers::OCL_Strong: { 803 value = EmitARCRetainScalarExpr(init); 804 break; 805 } 806 807 case Qualifiers::OCL_Weak: { 808 // If it's not accessed by the initializer, try to emit the 809 // initialization with a copy or move. 810 if (!accessedByInit && tryEmitARCCopyWeakInit(*this, lvalue, init)) { 811 return; 812 } 813 814 // No way to optimize a producing initializer into this. It's not 815 // worth optimizing for, because the value will immediately 816 // disappear in the common case. 817 value = EmitScalarExpr(init); 818 819 if (capturedByInit) drillIntoBlockVariable(*this, lvalue, cast<VarDecl>(D)); 820 if (accessedByInit) 821 EmitARCStoreWeak(lvalue.getAddress(), value, /*ignored*/ true); 822 else 823 EmitARCInitWeak(lvalue.getAddress(), value); 824 return; 825 } 826 827 case Qualifiers::OCL_Autoreleasing: 828 value = EmitARCRetainAutoreleaseScalarExpr(init); 829 break; 830 } 831 832 if (capturedByInit) drillIntoBlockVariable(*this, lvalue, cast<VarDecl>(D)); 833 834 EmitNullabilityCheck(lvalue, value, init->getExprLoc()); 835 836 // If the variable might have been accessed by its initializer, we 837 // might have to initialize with a barrier. We have to do this for 838 // both __weak and __strong, but __weak got filtered out above. 839 if (accessedByInit && lifetime == Qualifiers::OCL_Strong) { 840 llvm::Value *oldValue = EmitLoadOfScalar(lvalue, init->getExprLoc()); 841 EmitStoreOfScalar(value, lvalue, /* isInitialization */ true); 842 EmitARCRelease(oldValue, ARCImpreciseLifetime); 843 return; 844 } 845 846 EmitStoreOfScalar(value, lvalue, /* isInitialization */ true); 847 } 848 849 /// canEmitInitWithFewStoresAfterMemset - Decide whether we can emit the 850 /// non-zero parts of the specified initializer with equal or fewer than 851 /// NumStores scalar stores. 852 static bool canEmitInitWithFewStoresAfterMemset(llvm::Constant *Init, 853 unsigned &NumStores) { 854 // Zero and Undef never requires any extra stores. 855 if (isa<llvm::ConstantAggregateZero>(Init) || 856 isa<llvm::ConstantPointerNull>(Init) || 857 isa<llvm::UndefValue>(Init)) 858 return true; 859 if (isa<llvm::ConstantInt>(Init) || isa<llvm::ConstantFP>(Init) || 860 isa<llvm::ConstantVector>(Init) || isa<llvm::BlockAddress>(Init) || 861 isa<llvm::ConstantExpr>(Init)) 862 return Init->isNullValue() || NumStores--; 863 864 // See if we can emit each element. 865 if (isa<llvm::ConstantArray>(Init) || isa<llvm::ConstantStruct>(Init)) { 866 for (unsigned i = 0, e = Init->getNumOperands(); i != e; ++i) { 867 llvm::Constant *Elt = cast<llvm::Constant>(Init->getOperand(i)); 868 if (!canEmitInitWithFewStoresAfterMemset(Elt, NumStores)) 869 return false; 870 } 871 return true; 872 } 873 874 if (llvm::ConstantDataSequential *CDS = 875 dyn_cast<llvm::ConstantDataSequential>(Init)) { 876 for (unsigned i = 0, e = CDS->getNumElements(); i != e; ++i) { 877 llvm::Constant *Elt = CDS->getElementAsConstant(i); 878 if (!canEmitInitWithFewStoresAfterMemset(Elt, NumStores)) 879 return false; 880 } 881 return true; 882 } 883 884 // Anything else is hard and scary. 885 return false; 886 } 887 888 /// emitStoresForInitAfterMemset - For inits that 889 /// canEmitInitWithFewStoresAfterMemset returned true for, emit the scalar 890 /// stores that would be required. 891 static void emitStoresForInitAfterMemset(llvm::Constant *Init, llvm::Value *Loc, 892 bool isVolatile, CGBuilderTy &Builder) { 893 assert(!Init->isNullValue() && !isa<llvm::UndefValue>(Init) && 894 "called emitStoresForInitAfterMemset for zero or undef value."); 895 896 if (isa<llvm::ConstantInt>(Init) || isa<llvm::ConstantFP>(Init) || 897 isa<llvm::ConstantVector>(Init) || isa<llvm::BlockAddress>(Init) || 898 isa<llvm::ConstantExpr>(Init)) { 899 Builder.CreateDefaultAlignedStore(Init, Loc, isVolatile); 900 return; 901 } 902 903 if (llvm::ConstantDataSequential *CDS = 904 dyn_cast<llvm::ConstantDataSequential>(Init)) { 905 for (unsigned i = 0, e = CDS->getNumElements(); i != e; ++i) { 906 llvm::Constant *Elt = CDS->getElementAsConstant(i); 907 908 // If necessary, get a pointer to the element and emit it. 909 if (!Elt->isNullValue() && !isa<llvm::UndefValue>(Elt)) 910 emitStoresForInitAfterMemset( 911 Elt, Builder.CreateConstGEP2_32(Init->getType(), Loc, 0, i), 912 isVolatile, Builder); 913 } 914 return; 915 } 916 917 assert((isa<llvm::ConstantStruct>(Init) || isa<llvm::ConstantArray>(Init)) && 918 "Unknown value type!"); 919 920 for (unsigned i = 0, e = Init->getNumOperands(); i != e; ++i) { 921 llvm::Constant *Elt = cast<llvm::Constant>(Init->getOperand(i)); 922 923 // If necessary, get a pointer to the element and emit it. 924 if (!Elt->isNullValue() && !isa<llvm::UndefValue>(Elt)) 925 emitStoresForInitAfterMemset( 926 Elt, Builder.CreateConstGEP2_32(Init->getType(), Loc, 0, i), 927 isVolatile, Builder); 928 } 929 } 930 931 /// shouldUseMemSetPlusStoresToInitialize - Decide whether we should use memset 932 /// plus some stores to initialize a local variable instead of using a memcpy 933 /// from a constant global. It is beneficial to use memset if the global is all 934 /// zeros, or mostly zeros and large. 935 static bool shouldUseMemSetPlusStoresToInitialize(llvm::Constant *Init, 936 uint64_t GlobalSize) { 937 // If a global is all zeros, always use a memset. 938 if (isa<llvm::ConstantAggregateZero>(Init)) return true; 939 940 // If a non-zero global is <= 32 bytes, always use a memcpy. If it is large, 941 // do it if it will require 6 or fewer scalar stores. 942 // TODO: Should budget depends on the size? Avoiding a large global warrants 943 // plopping in more stores. 944 unsigned StoreBudget = 6; 945 uint64_t SizeLimit = 32; 946 947 return GlobalSize > SizeLimit && 948 canEmitInitWithFewStoresAfterMemset(Init, StoreBudget); 949 } 950 951 /// EmitAutoVarDecl - Emit code and set up an entry in LocalDeclMap for a 952 /// variable declaration with auto, register, or no storage class specifier. 953 /// These turn into simple stack objects, or GlobalValues depending on target. 954 void CodeGenFunction::EmitAutoVarDecl(const VarDecl &D) { 955 AutoVarEmission emission = EmitAutoVarAlloca(D); 956 EmitAutoVarInit(emission); 957 EmitAutoVarCleanups(emission); 958 } 959 960 /// Emit a lifetime.begin marker if some criteria are satisfied. 961 /// \return a pointer to the temporary size Value if a marker was emitted, null 962 /// otherwise 963 llvm::Value *CodeGenFunction::EmitLifetimeStart(uint64_t Size, 964 llvm::Value *Addr) { 965 if (!ShouldEmitLifetimeMarkers) 966 return nullptr; 967 968 llvm::Value *SizeV = llvm::ConstantInt::get(Int64Ty, Size); 969 Addr = Builder.CreateBitCast(Addr, AllocaInt8PtrTy); 970 llvm::CallInst *C = 971 Builder.CreateCall(CGM.getLLVMLifetimeStartFn(), {SizeV, Addr}); 972 C->setDoesNotThrow(); 973 return SizeV; 974 } 975 976 void CodeGenFunction::EmitLifetimeEnd(llvm::Value *Size, llvm::Value *Addr) { 977 Addr = Builder.CreateBitCast(Addr, AllocaInt8PtrTy); 978 llvm::CallInst *C = 979 Builder.CreateCall(CGM.getLLVMLifetimeEndFn(), {Size, Addr}); 980 C->setDoesNotThrow(); 981 } 982 983 void CodeGenFunction::EmitAndRegisterVariableArrayDimensions( 984 CGDebugInfo *DI, const VarDecl &D, bool EmitDebugInfo) { 985 // For each dimension stores its QualType and corresponding 986 // size-expression Value. 987 SmallVector<CodeGenFunction::VlaSizePair, 4> Dimensions; 988 989 // Break down the array into individual dimensions. 990 QualType Type1D = D.getType(); 991 while (getContext().getAsVariableArrayType(Type1D)) { 992 auto VlaSize = getVLAElements1D(Type1D); 993 if (auto *C = dyn_cast<llvm::ConstantInt>(VlaSize.NumElts)) 994 Dimensions.emplace_back(C, Type1D.getUnqualifiedType()); 995 else { 996 auto SizeExprAddr = CreateDefaultAlignTempAlloca( 997 VlaSize.NumElts->getType(), "__vla_expr"); 998 Builder.CreateStore(VlaSize.NumElts, SizeExprAddr); 999 Dimensions.emplace_back(SizeExprAddr.getPointer(), 1000 Type1D.getUnqualifiedType()); 1001 } 1002 Type1D = VlaSize.Type; 1003 } 1004 1005 if (!EmitDebugInfo) 1006 return; 1007 1008 // Register each dimension's size-expression with a DILocalVariable, 1009 // so that it can be used by CGDebugInfo when instantiating a DISubrange 1010 // to describe this array. 1011 for (auto &VlaSize : Dimensions) { 1012 llvm::Metadata *MD; 1013 if (auto *C = dyn_cast<llvm::ConstantInt>(VlaSize.NumElts)) 1014 MD = llvm::ConstantAsMetadata::get(C); 1015 else { 1016 // Create an artificial VarDecl to generate debug info for. 1017 IdentifierInfo &NameIdent = getContext().Idents.getOwn( 1018 cast<llvm::AllocaInst>(VlaSize.NumElts)->getName()); 1019 auto VlaExprTy = VlaSize.NumElts->getType()->getPointerElementType(); 1020 auto QT = getContext().getIntTypeForBitwidth( 1021 VlaExprTy->getScalarSizeInBits(), false); 1022 auto *ArtificialDecl = VarDecl::Create( 1023 getContext(), const_cast<DeclContext *>(D.getDeclContext()), 1024 D.getLocation(), D.getLocation(), &NameIdent, QT, 1025 getContext().CreateTypeSourceInfo(QT), SC_Auto); 1026 ArtificialDecl->setImplicit(); 1027 1028 MD = DI->EmitDeclareOfAutoVariable(ArtificialDecl, VlaSize.NumElts, 1029 Builder); 1030 } 1031 assert(MD && "No Size expression debug node created"); 1032 DI->registerVLASizeExpression(VlaSize.Type, MD); 1033 } 1034 } 1035 1036 /// EmitAutoVarAlloca - Emit the alloca and debug information for a 1037 /// local variable. Does not emit initialization or destruction. 1038 CodeGenFunction::AutoVarEmission 1039 CodeGenFunction::EmitAutoVarAlloca(const VarDecl &D) { 1040 QualType Ty = D.getType(); 1041 assert( 1042 Ty.getAddressSpace() == LangAS::Default || 1043 (Ty.getAddressSpace() == LangAS::opencl_private && getLangOpts().OpenCL)); 1044 1045 AutoVarEmission emission(D); 1046 1047 bool isByRef = D.hasAttr<BlocksAttr>(); 1048 emission.IsByRef = isByRef; 1049 1050 CharUnits alignment = getContext().getDeclAlign(&D); 1051 1052 // If the type is variably-modified, emit all the VLA sizes for it. 1053 if (Ty->isVariablyModifiedType()) 1054 EmitVariablyModifiedType(Ty); 1055 1056 auto *DI = getDebugInfo(); 1057 bool EmitDebugInfo = DI && CGM.getCodeGenOpts().getDebugInfo() >= 1058 codegenoptions::LimitedDebugInfo; 1059 1060 Address address = Address::invalid(); 1061 if (Ty->isConstantSizeType()) { 1062 bool NRVO = getLangOpts().ElideConstructors && 1063 D.isNRVOVariable(); 1064 1065 // If this value is an array or struct with a statically determinable 1066 // constant initializer, there are optimizations we can do. 1067 // 1068 // TODO: We should constant-evaluate the initializer of any variable, 1069 // as long as it is initialized by a constant expression. Currently, 1070 // isConstantInitializer produces wrong answers for structs with 1071 // reference or bitfield members, and a few other cases, and checking 1072 // for POD-ness protects us from some of these. 1073 if (D.getInit() && (Ty->isArrayType() || Ty->isRecordType()) && 1074 (D.isConstexpr() || 1075 ((Ty.isPODType(getContext()) || 1076 getContext().getBaseElementType(Ty)->isObjCObjectPointerType()) && 1077 D.getInit()->isConstantInitializer(getContext(), false)))) { 1078 1079 // If the variable's a const type, and it's neither an NRVO 1080 // candidate nor a __block variable and has no mutable members, 1081 // emit it as a global instead. 1082 // Exception is if a variable is located in non-constant address space 1083 // in OpenCL. 1084 if ((!getLangOpts().OpenCL || 1085 Ty.getAddressSpace() == LangAS::opencl_constant) && 1086 (CGM.getCodeGenOpts().MergeAllConstants && !NRVO && !isByRef && 1087 CGM.isTypeConstant(Ty, true))) { 1088 EmitStaticVarDecl(D, llvm::GlobalValue::InternalLinkage); 1089 1090 // Signal this condition to later callbacks. 1091 emission.Addr = Address::invalid(); 1092 assert(emission.wasEmittedAsGlobal()); 1093 return emission; 1094 } 1095 1096 // Otherwise, tell the initialization code that we're in this case. 1097 emission.IsConstantAggregate = true; 1098 } 1099 1100 // A normal fixed sized variable becomes an alloca in the entry block, 1101 // unless: 1102 // - it's an NRVO variable. 1103 // - we are compiling OpenMP and it's an OpenMP local variable. 1104 1105 Address OpenMPLocalAddr = 1106 getLangOpts().OpenMP 1107 ? CGM.getOpenMPRuntime().getAddressOfLocalVariable(*this, &D) 1108 : Address::invalid(); 1109 if (getLangOpts().OpenMP && OpenMPLocalAddr.isValid()) { 1110 address = OpenMPLocalAddr; 1111 } else if (NRVO) { 1112 // The named return value optimization: allocate this variable in the 1113 // return slot, so that we can elide the copy when returning this 1114 // variable (C++0x [class.copy]p34). 1115 address = ReturnValue; 1116 1117 if (const RecordType *RecordTy = Ty->getAs<RecordType>()) { 1118 const auto *RD = RecordTy->getDecl(); 1119 const auto *CXXRD = dyn_cast<CXXRecordDecl>(RD); 1120 if ((CXXRD && !CXXRD->hasTrivialDestructor()) || 1121 RD->isNonTrivialToPrimitiveDestroy()) { 1122 // Create a flag that is used to indicate when the NRVO was applied 1123 // to this variable. Set it to zero to indicate that NRVO was not 1124 // applied. 1125 llvm::Value *Zero = Builder.getFalse(); 1126 Address NRVOFlag = 1127 CreateTempAlloca(Zero->getType(), CharUnits::One(), "nrvo"); 1128 EnsureInsertPoint(); 1129 Builder.CreateStore(Zero, NRVOFlag); 1130 1131 // Record the NRVO flag for this variable. 1132 NRVOFlags[&D] = NRVOFlag.getPointer(); 1133 emission.NRVOFlag = NRVOFlag.getPointer(); 1134 } 1135 } 1136 } else { 1137 CharUnits allocaAlignment; 1138 llvm::Type *allocaTy; 1139 if (isByRef) { 1140 auto &byrefInfo = getBlockByrefInfo(&D); 1141 allocaTy = byrefInfo.Type; 1142 allocaAlignment = byrefInfo.ByrefAlignment; 1143 } else { 1144 allocaTy = ConvertTypeForMem(Ty); 1145 allocaAlignment = alignment; 1146 } 1147 1148 // Create the alloca. Note that we set the name separately from 1149 // building the instruction so that it's there even in no-asserts 1150 // builds. 1151 address = CreateTempAlloca(allocaTy, allocaAlignment, D.getName()); 1152 1153 // Don't emit lifetime markers for MSVC catch parameters. The lifetime of 1154 // the catch parameter starts in the catchpad instruction, and we can't 1155 // insert code in those basic blocks. 1156 bool IsMSCatchParam = 1157 D.isExceptionVariable() && getTarget().getCXXABI().isMicrosoft(); 1158 1159 // Emit a lifetime intrinsic if meaningful. There's no point in doing this 1160 // if we don't have a valid insertion point (?). 1161 if (HaveInsertPoint() && !IsMSCatchParam) { 1162 // If there's a jump into the lifetime of this variable, its lifetime 1163 // gets broken up into several regions in IR, which requires more work 1164 // to handle correctly. For now, just omit the intrinsics; this is a 1165 // rare case, and it's better to just be conservatively correct. 1166 // PR28267. 1167 // 1168 // We have to do this in all language modes if there's a jump past the 1169 // declaration. We also have to do it in C if there's a jump to an 1170 // earlier point in the current block because non-VLA lifetimes begin as 1171 // soon as the containing block is entered, not when its variables 1172 // actually come into scope; suppressing the lifetime annotations 1173 // completely in this case is unnecessarily pessimistic, but again, this 1174 // is rare. 1175 if (!Bypasses.IsBypassed(&D) && 1176 !(!getLangOpts().CPlusPlus && hasLabelBeenSeenInCurrentScope())) { 1177 uint64_t size = CGM.getDataLayout().getTypeAllocSize(allocaTy); 1178 emission.SizeForLifetimeMarkers = 1179 EmitLifetimeStart(size, address.getPointer()); 1180 } 1181 } else { 1182 assert(!emission.useLifetimeMarkers()); 1183 } 1184 } 1185 } else { 1186 EnsureInsertPoint(); 1187 1188 if (!DidCallStackSave) { 1189 // Save the stack. 1190 Address Stack = 1191 CreateTempAlloca(Int8PtrTy, getPointerAlign(), "saved_stack"); 1192 1193 llvm::Value *F = CGM.getIntrinsic(llvm::Intrinsic::stacksave); 1194 llvm::Value *V = Builder.CreateCall(F); 1195 Builder.CreateStore(V, Stack); 1196 1197 DidCallStackSave = true; 1198 1199 // Push a cleanup block and restore the stack there. 1200 // FIXME: in general circumstances, this should be an EH cleanup. 1201 pushStackRestore(NormalCleanup, Stack); 1202 } 1203 1204 auto VlaSize = getVLASize(Ty); 1205 llvm::Type *llvmTy = ConvertTypeForMem(VlaSize.Type); 1206 1207 // Allocate memory for the array. 1208 address = CreateTempAlloca(llvmTy, alignment, "vla", VlaSize.NumElts); 1209 1210 // If we have debug info enabled, properly describe the VLA dimensions for 1211 // this type by registering the vla size expression for each of the 1212 // dimensions. 1213 EmitAndRegisterVariableArrayDimensions(DI, D, EmitDebugInfo); 1214 } 1215 1216 setAddrOfLocalVar(&D, address); 1217 emission.Addr = address; 1218 1219 // Emit debug info for local var declaration. 1220 if (EmitDebugInfo && HaveInsertPoint()) { 1221 DI->setLocation(D.getLocation()); 1222 (void)DI->EmitDeclareOfAutoVariable(&D, address.getPointer(), Builder); 1223 } 1224 1225 if (D.hasAttr<AnnotateAttr>()) 1226 EmitVarAnnotations(&D, address.getPointer()); 1227 1228 // Make sure we call @llvm.lifetime.end. 1229 if (emission.useLifetimeMarkers()) 1230 EHStack.pushCleanup<CallLifetimeEnd>(NormalEHLifetimeMarker, 1231 emission.getAllocatedAddress(), 1232 emission.getSizeForLifetimeMarkers()); 1233 1234 return emission; 1235 } 1236 1237 /// Determines whether the given __block variable is potentially 1238 /// captured by the given expression. 1239 static bool isCapturedBy(const VarDecl &var, const Expr *e) { 1240 // Skip the most common kinds of expressions that make 1241 // hierarchy-walking expensive. 1242 e = e->IgnoreParenCasts(); 1243 1244 if (const BlockExpr *be = dyn_cast<BlockExpr>(e)) { 1245 const BlockDecl *block = be->getBlockDecl(); 1246 for (const auto &I : block->captures()) { 1247 if (I.getVariable() == &var) 1248 return true; 1249 } 1250 1251 // No need to walk into the subexpressions. 1252 return false; 1253 } 1254 1255 if (const StmtExpr *SE = dyn_cast<StmtExpr>(e)) { 1256 const CompoundStmt *CS = SE->getSubStmt(); 1257 for (const auto *BI : CS->body()) 1258 if (const auto *E = dyn_cast<Expr>(BI)) { 1259 if (isCapturedBy(var, E)) 1260 return true; 1261 } 1262 else if (const auto *DS = dyn_cast<DeclStmt>(BI)) { 1263 // special case declarations 1264 for (const auto *I : DS->decls()) { 1265 if (const auto *VD = dyn_cast<VarDecl>((I))) { 1266 const Expr *Init = VD->getInit(); 1267 if (Init && isCapturedBy(var, Init)) 1268 return true; 1269 } 1270 } 1271 } 1272 else 1273 // FIXME. Make safe assumption assuming arbitrary statements cause capturing. 1274 // Later, provide code to poke into statements for capture analysis. 1275 return true; 1276 return false; 1277 } 1278 1279 for (const Stmt *SubStmt : e->children()) 1280 if (isCapturedBy(var, cast<Expr>(SubStmt))) 1281 return true; 1282 1283 return false; 1284 } 1285 1286 /// \brief Determine whether the given initializer is trivial in the sense 1287 /// that it requires no code to be generated. 1288 bool CodeGenFunction::isTrivialInitializer(const Expr *Init) { 1289 if (!Init) 1290 return true; 1291 1292 if (const CXXConstructExpr *Construct = dyn_cast<CXXConstructExpr>(Init)) 1293 if (CXXConstructorDecl *Constructor = Construct->getConstructor()) 1294 if (Constructor->isTrivial() && 1295 Constructor->isDefaultConstructor() && 1296 !Construct->requiresZeroInitialization()) 1297 return true; 1298 1299 return false; 1300 } 1301 1302 void CodeGenFunction::EmitAutoVarInit(const AutoVarEmission &emission) { 1303 assert(emission.Variable && "emission was not valid!"); 1304 1305 // If this was emitted as a global constant, we're done. 1306 if (emission.wasEmittedAsGlobal()) return; 1307 1308 const VarDecl &D = *emission.Variable; 1309 auto DL = ApplyDebugLocation::CreateDefaultArtificial(*this, D.getLocation()); 1310 QualType type = D.getType(); 1311 1312 // If this local has an initializer, emit it now. 1313 const Expr *Init = D.getInit(); 1314 1315 // If we are at an unreachable point, we don't need to emit the initializer 1316 // unless it contains a label. 1317 if (!HaveInsertPoint()) { 1318 if (!Init || !ContainsLabel(Init)) return; 1319 EnsureInsertPoint(); 1320 } 1321 1322 // Initialize the structure of a __block variable. 1323 if (emission.IsByRef) 1324 emitByrefStructureInit(emission); 1325 1326 // Initialize the variable here if it doesn't have a initializer and it is a 1327 // C struct that is non-trivial to initialize or an array containing such a 1328 // struct. 1329 if (!Init && 1330 type.isNonTrivialToPrimitiveDefaultInitialize() == 1331 QualType::PDIK_Struct) { 1332 LValue Dst = MakeAddrLValue(emission.getAllocatedAddress(), type); 1333 if (emission.IsByRef) 1334 drillIntoBlockVariable(*this, Dst, &D); 1335 defaultInitNonTrivialCStructVar(Dst); 1336 return; 1337 } 1338 1339 if (isTrivialInitializer(Init)) 1340 return; 1341 1342 // Check whether this is a byref variable that's potentially 1343 // captured and moved by its own initializer. If so, we'll need to 1344 // emit the initializer first, then copy into the variable. 1345 bool capturedByInit = emission.IsByRef && isCapturedBy(D, Init); 1346 1347 Address Loc = 1348 capturedByInit ? emission.Addr : emission.getObjectAddress(*this); 1349 1350 llvm::Constant *constant = nullptr; 1351 if (emission.IsConstantAggregate || D.isConstexpr()) { 1352 assert(!capturedByInit && "constant init contains a capturing block?"); 1353 constant = ConstantEmitter(*this).tryEmitAbstractForInitializer(D); 1354 } 1355 1356 if (!constant) { 1357 LValue lv = MakeAddrLValue(Loc, type); 1358 lv.setNonGC(true); 1359 return EmitExprAsInit(Init, &D, lv, capturedByInit); 1360 } 1361 1362 if (!emission.IsConstantAggregate) { 1363 // For simple scalar/complex initialization, store the value directly. 1364 LValue lv = MakeAddrLValue(Loc, type); 1365 lv.setNonGC(true); 1366 return EmitStoreThroughLValue(RValue::get(constant), lv, true); 1367 } 1368 1369 // If this is a simple aggregate initialization, we can optimize it 1370 // in various ways. 1371 bool isVolatile = type.isVolatileQualified(); 1372 1373 llvm::Value *SizeVal = 1374 llvm::ConstantInt::get(IntPtrTy, 1375 getContext().getTypeSizeInChars(type).getQuantity()); 1376 1377 llvm::Type *BP = AllocaInt8PtrTy; 1378 if (Loc.getType() != BP) 1379 Loc = Builder.CreateBitCast(Loc, BP); 1380 1381 // If the initializer is all or mostly zeros, codegen with memset then do 1382 // a few stores afterward. 1383 if (shouldUseMemSetPlusStoresToInitialize(constant, 1384 CGM.getDataLayout().getTypeAllocSize(constant->getType()))) { 1385 Builder.CreateMemSet(Loc, llvm::ConstantInt::get(Int8Ty, 0), SizeVal, 1386 isVolatile); 1387 // Zero and undef don't require a stores. 1388 if (!constant->isNullValue() && !isa<llvm::UndefValue>(constant)) { 1389 Loc = Builder.CreateBitCast(Loc, 1390 constant->getType()->getPointerTo(Loc.getAddressSpace())); 1391 emitStoresForInitAfterMemset(constant, Loc.getPointer(), 1392 isVolatile, Builder); 1393 } 1394 } else { 1395 // Otherwise, create a temporary global with the initializer then 1396 // memcpy from the global to the alloca. 1397 std::string Name = getStaticDeclName(CGM, D); 1398 unsigned AS = 0; 1399 if (getLangOpts().OpenCL) { 1400 AS = CGM.getContext().getTargetAddressSpace(LangAS::opencl_constant); 1401 BP = llvm::PointerType::getInt8PtrTy(getLLVMContext(), AS); 1402 } 1403 llvm::GlobalVariable *GV = 1404 new llvm::GlobalVariable(CGM.getModule(), constant->getType(), true, 1405 llvm::GlobalValue::PrivateLinkage, 1406 constant, Name, nullptr, 1407 llvm::GlobalValue::NotThreadLocal, AS); 1408 GV->setAlignment(Loc.getAlignment().getQuantity()); 1409 GV->setUnnamedAddr(llvm::GlobalValue::UnnamedAddr::Global); 1410 1411 Address SrcPtr = Address(GV, Loc.getAlignment()); 1412 if (SrcPtr.getType() != BP) 1413 SrcPtr = Builder.CreateBitCast(SrcPtr, BP); 1414 1415 Builder.CreateMemCpy(Loc, SrcPtr, SizeVal, isVolatile); 1416 } 1417 } 1418 1419 /// Emit an expression as an initializer for an object (variable, field, etc.) 1420 /// at the given location. The expression is not necessarily the normal 1421 /// initializer for the object, and the address is not necessarily 1422 /// its normal location. 1423 /// 1424 /// \param init the initializing expression 1425 /// \param D the object to act as if we're initializing 1426 /// \param loc the address to initialize; its type is a pointer 1427 /// to the LLVM mapping of the object's type 1428 /// \param alignment the alignment of the address 1429 /// \param capturedByInit true if \p D is a __block variable 1430 /// whose address is potentially changed by the initializer 1431 void CodeGenFunction::EmitExprAsInit(const Expr *init, const ValueDecl *D, 1432 LValue lvalue, bool capturedByInit) { 1433 QualType type = D->getType(); 1434 1435 if (type->isReferenceType()) { 1436 RValue rvalue = EmitReferenceBindingToExpr(init); 1437 if (capturedByInit) 1438 drillIntoBlockVariable(*this, lvalue, cast<VarDecl>(D)); 1439 EmitStoreThroughLValue(rvalue, lvalue, true); 1440 return; 1441 } 1442 switch (getEvaluationKind(type)) { 1443 case TEK_Scalar: 1444 EmitScalarInit(init, D, lvalue, capturedByInit); 1445 return; 1446 case TEK_Complex: { 1447 ComplexPairTy complex = EmitComplexExpr(init); 1448 if (capturedByInit) 1449 drillIntoBlockVariable(*this, lvalue, cast<VarDecl>(D)); 1450 EmitStoreOfComplex(complex, lvalue, /*init*/ true); 1451 return; 1452 } 1453 case TEK_Aggregate: 1454 if (type->isAtomicType()) { 1455 EmitAtomicInit(const_cast<Expr*>(init), lvalue); 1456 } else { 1457 AggValueSlot::Overlap_t Overlap = AggValueSlot::MayOverlap; 1458 if (isa<VarDecl>(D)) 1459 Overlap = AggValueSlot::DoesNotOverlap; 1460 else if (auto *FD = dyn_cast<FieldDecl>(D)) 1461 Overlap = overlapForFieldInit(FD); 1462 // TODO: how can we delay here if D is captured by its initializer? 1463 EmitAggExpr(init, AggValueSlot::forLValue(lvalue, 1464 AggValueSlot::IsDestructed, 1465 AggValueSlot::DoesNotNeedGCBarriers, 1466 AggValueSlot::IsNotAliased, 1467 Overlap)); 1468 } 1469 return; 1470 } 1471 llvm_unreachable("bad evaluation kind"); 1472 } 1473 1474 /// Enter a destroy cleanup for the given local variable. 1475 void CodeGenFunction::emitAutoVarTypeCleanup( 1476 const CodeGenFunction::AutoVarEmission &emission, 1477 QualType::DestructionKind dtorKind) { 1478 assert(dtorKind != QualType::DK_none); 1479 1480 // Note that for __block variables, we want to destroy the 1481 // original stack object, not the possibly forwarded object. 1482 Address addr = emission.getObjectAddress(*this); 1483 1484 const VarDecl *var = emission.Variable; 1485 QualType type = var->getType(); 1486 1487 CleanupKind cleanupKind = NormalAndEHCleanup; 1488 CodeGenFunction::Destroyer *destroyer = nullptr; 1489 1490 switch (dtorKind) { 1491 case QualType::DK_none: 1492 llvm_unreachable("no cleanup for trivially-destructible variable"); 1493 1494 case QualType::DK_cxx_destructor: 1495 // If there's an NRVO flag on the emission, we need a different 1496 // cleanup. 1497 if (emission.NRVOFlag) { 1498 assert(!type->isArrayType()); 1499 CXXDestructorDecl *dtor = type->getAsCXXRecordDecl()->getDestructor(); 1500 EHStack.pushCleanup<DestroyNRVOVariableCXX>(cleanupKind, addr, dtor, 1501 emission.NRVOFlag); 1502 return; 1503 } 1504 break; 1505 1506 case QualType::DK_objc_strong_lifetime: 1507 // Suppress cleanups for pseudo-strong variables. 1508 if (var->isARCPseudoStrong()) return; 1509 1510 // Otherwise, consider whether to use an EH cleanup or not. 1511 cleanupKind = getARCCleanupKind(); 1512 1513 // Use the imprecise destroyer by default. 1514 if (!var->hasAttr<ObjCPreciseLifetimeAttr>()) 1515 destroyer = CodeGenFunction::destroyARCStrongImprecise; 1516 break; 1517 1518 case QualType::DK_objc_weak_lifetime: 1519 break; 1520 1521 case QualType::DK_nontrivial_c_struct: 1522 destroyer = CodeGenFunction::destroyNonTrivialCStruct; 1523 if (emission.NRVOFlag) { 1524 assert(!type->isArrayType()); 1525 EHStack.pushCleanup<DestroyNRVOVariableC>(cleanupKind, addr, 1526 emission.NRVOFlag, type); 1527 return; 1528 } 1529 break; 1530 } 1531 1532 // If we haven't chosen a more specific destroyer, use the default. 1533 if (!destroyer) destroyer = getDestroyer(dtorKind); 1534 1535 // Use an EH cleanup in array destructors iff the destructor itself 1536 // is being pushed as an EH cleanup. 1537 bool useEHCleanup = (cleanupKind & EHCleanup); 1538 EHStack.pushCleanup<DestroyObject>(cleanupKind, addr, type, destroyer, 1539 useEHCleanup); 1540 } 1541 1542 void CodeGenFunction::EmitAutoVarCleanups(const AutoVarEmission &emission) { 1543 assert(emission.Variable && "emission was not valid!"); 1544 1545 // If this was emitted as a global constant, we're done. 1546 if (emission.wasEmittedAsGlobal()) return; 1547 1548 // If we don't have an insertion point, we're done. Sema prevents 1549 // us from jumping into any of these scopes anyway. 1550 if (!HaveInsertPoint()) return; 1551 1552 const VarDecl &D = *emission.Variable; 1553 1554 // Check the type for a cleanup. 1555 if (QualType::DestructionKind dtorKind = D.getType().isDestructedType()) 1556 emitAutoVarTypeCleanup(emission, dtorKind); 1557 1558 // In GC mode, honor objc_precise_lifetime. 1559 if (getLangOpts().getGC() != LangOptions::NonGC && 1560 D.hasAttr<ObjCPreciseLifetimeAttr>()) { 1561 EHStack.pushCleanup<ExtendGCLifetime>(NormalCleanup, &D); 1562 } 1563 1564 // Handle the cleanup attribute. 1565 if (const CleanupAttr *CA = D.getAttr<CleanupAttr>()) { 1566 const FunctionDecl *FD = CA->getFunctionDecl(); 1567 1568 llvm::Constant *F = CGM.GetAddrOfFunction(FD); 1569 assert(F && "Could not find function!"); 1570 1571 const CGFunctionInfo &Info = CGM.getTypes().arrangeFunctionDeclaration(FD); 1572 EHStack.pushCleanup<CallCleanupFunction>(NormalAndEHCleanup, F, &Info, &D); 1573 } 1574 1575 // If this is a block variable, call _Block_object_destroy 1576 // (on the unforwarded address). 1577 if (emission.IsByRef) 1578 enterByrefCleanup(emission); 1579 } 1580 1581 CodeGenFunction::Destroyer * 1582 CodeGenFunction::getDestroyer(QualType::DestructionKind kind) { 1583 switch (kind) { 1584 case QualType::DK_none: llvm_unreachable("no destroyer for trivial dtor"); 1585 case QualType::DK_cxx_destructor: 1586 return destroyCXXObject; 1587 case QualType::DK_objc_strong_lifetime: 1588 return destroyARCStrongPrecise; 1589 case QualType::DK_objc_weak_lifetime: 1590 return destroyARCWeak; 1591 case QualType::DK_nontrivial_c_struct: 1592 return destroyNonTrivialCStruct; 1593 } 1594 llvm_unreachable("Unknown DestructionKind"); 1595 } 1596 1597 /// pushEHDestroy - Push the standard destructor for the given type as 1598 /// an EH-only cleanup. 1599 void CodeGenFunction::pushEHDestroy(QualType::DestructionKind dtorKind, 1600 Address addr, QualType type) { 1601 assert(dtorKind && "cannot push destructor for trivial type"); 1602 assert(needsEHCleanup(dtorKind)); 1603 1604 pushDestroy(EHCleanup, addr, type, getDestroyer(dtorKind), true); 1605 } 1606 1607 /// pushDestroy - Push the standard destructor for the given type as 1608 /// at least a normal cleanup. 1609 void CodeGenFunction::pushDestroy(QualType::DestructionKind dtorKind, 1610 Address addr, QualType type) { 1611 assert(dtorKind && "cannot push destructor for trivial type"); 1612 1613 CleanupKind cleanupKind = getCleanupKind(dtorKind); 1614 pushDestroy(cleanupKind, addr, type, getDestroyer(dtorKind), 1615 cleanupKind & EHCleanup); 1616 } 1617 1618 void CodeGenFunction::pushDestroy(CleanupKind cleanupKind, Address addr, 1619 QualType type, Destroyer *destroyer, 1620 bool useEHCleanupForArray) { 1621 pushFullExprCleanup<DestroyObject>(cleanupKind, addr, type, 1622 destroyer, useEHCleanupForArray); 1623 } 1624 1625 void CodeGenFunction::pushStackRestore(CleanupKind Kind, Address SPMem) { 1626 EHStack.pushCleanup<CallStackRestore>(Kind, SPMem); 1627 } 1628 1629 void CodeGenFunction::pushLifetimeExtendedDestroy( 1630 CleanupKind cleanupKind, Address addr, QualType type, 1631 Destroyer *destroyer, bool useEHCleanupForArray) { 1632 assert(!isInConditionalBranch() && 1633 "performing lifetime extension from within conditional"); 1634 1635 // Push an EH-only cleanup for the object now. 1636 // FIXME: When popping normal cleanups, we need to keep this EH cleanup 1637 // around in case a temporary's destructor throws an exception. 1638 if (cleanupKind & EHCleanup) 1639 EHStack.pushCleanup<DestroyObject>( 1640 static_cast<CleanupKind>(cleanupKind & ~NormalCleanup), addr, type, 1641 destroyer, useEHCleanupForArray); 1642 1643 // Remember that we need to push a full cleanup for the object at the 1644 // end of the full-expression. 1645 pushCleanupAfterFullExpr<DestroyObject>( 1646 cleanupKind, addr, type, destroyer, useEHCleanupForArray); 1647 } 1648 1649 /// emitDestroy - Immediately perform the destruction of the given 1650 /// object. 1651 /// 1652 /// \param addr - the address of the object; a type* 1653 /// \param type - the type of the object; if an array type, all 1654 /// objects are destroyed in reverse order 1655 /// \param destroyer - the function to call to destroy individual 1656 /// elements 1657 /// \param useEHCleanupForArray - whether an EH cleanup should be 1658 /// used when destroying array elements, in case one of the 1659 /// destructions throws an exception 1660 void CodeGenFunction::emitDestroy(Address addr, QualType type, 1661 Destroyer *destroyer, 1662 bool useEHCleanupForArray) { 1663 const ArrayType *arrayType = getContext().getAsArrayType(type); 1664 if (!arrayType) 1665 return destroyer(*this, addr, type); 1666 1667 llvm::Value *length = emitArrayLength(arrayType, type, addr); 1668 1669 CharUnits elementAlign = 1670 addr.getAlignment() 1671 .alignmentOfArrayElement(getContext().getTypeSizeInChars(type)); 1672 1673 // Normally we have to check whether the array is zero-length. 1674 bool checkZeroLength = true; 1675 1676 // But if the array length is constant, we can suppress that. 1677 if (llvm::ConstantInt *constLength = dyn_cast<llvm::ConstantInt>(length)) { 1678 // ...and if it's constant zero, we can just skip the entire thing. 1679 if (constLength->isZero()) return; 1680 checkZeroLength = false; 1681 } 1682 1683 llvm::Value *begin = addr.getPointer(); 1684 llvm::Value *end = Builder.CreateInBoundsGEP(begin, length); 1685 emitArrayDestroy(begin, end, type, elementAlign, destroyer, 1686 checkZeroLength, useEHCleanupForArray); 1687 } 1688 1689 /// emitArrayDestroy - Destroys all the elements of the given array, 1690 /// beginning from last to first. The array cannot be zero-length. 1691 /// 1692 /// \param begin - a type* denoting the first element of the array 1693 /// \param end - a type* denoting one past the end of the array 1694 /// \param elementType - the element type of the array 1695 /// \param destroyer - the function to call to destroy elements 1696 /// \param useEHCleanup - whether to push an EH cleanup to destroy 1697 /// the remaining elements in case the destruction of a single 1698 /// element throws 1699 void CodeGenFunction::emitArrayDestroy(llvm::Value *begin, 1700 llvm::Value *end, 1701 QualType elementType, 1702 CharUnits elementAlign, 1703 Destroyer *destroyer, 1704 bool checkZeroLength, 1705 bool useEHCleanup) { 1706 assert(!elementType->isArrayType()); 1707 1708 // The basic structure here is a do-while loop, because we don't 1709 // need to check for the zero-element case. 1710 llvm::BasicBlock *bodyBB = createBasicBlock("arraydestroy.body"); 1711 llvm::BasicBlock *doneBB = createBasicBlock("arraydestroy.done"); 1712 1713 if (checkZeroLength) { 1714 llvm::Value *isEmpty = Builder.CreateICmpEQ(begin, end, 1715 "arraydestroy.isempty"); 1716 Builder.CreateCondBr(isEmpty, doneBB, bodyBB); 1717 } 1718 1719 // Enter the loop body, making that address the current address. 1720 llvm::BasicBlock *entryBB = Builder.GetInsertBlock(); 1721 EmitBlock(bodyBB); 1722 llvm::PHINode *elementPast = 1723 Builder.CreatePHI(begin->getType(), 2, "arraydestroy.elementPast"); 1724 elementPast->addIncoming(end, entryBB); 1725 1726 // Shift the address back by one element. 1727 llvm::Value *negativeOne = llvm::ConstantInt::get(SizeTy, -1, true); 1728 llvm::Value *element = Builder.CreateInBoundsGEP(elementPast, negativeOne, 1729 "arraydestroy.element"); 1730 1731 if (useEHCleanup) 1732 pushRegularPartialArrayCleanup(begin, element, elementType, elementAlign, 1733 destroyer); 1734 1735 // Perform the actual destruction there. 1736 destroyer(*this, Address(element, elementAlign), elementType); 1737 1738 if (useEHCleanup) 1739 PopCleanupBlock(); 1740 1741 // Check whether we've reached the end. 1742 llvm::Value *done = Builder.CreateICmpEQ(element, begin, "arraydestroy.done"); 1743 Builder.CreateCondBr(done, doneBB, bodyBB); 1744 elementPast->addIncoming(element, Builder.GetInsertBlock()); 1745 1746 // Done. 1747 EmitBlock(doneBB); 1748 } 1749 1750 /// Perform partial array destruction as if in an EH cleanup. Unlike 1751 /// emitArrayDestroy, the element type here may still be an array type. 1752 static void emitPartialArrayDestroy(CodeGenFunction &CGF, 1753 llvm::Value *begin, llvm::Value *end, 1754 QualType type, CharUnits elementAlign, 1755 CodeGenFunction::Destroyer *destroyer) { 1756 // If the element type is itself an array, drill down. 1757 unsigned arrayDepth = 0; 1758 while (const ArrayType *arrayType = CGF.getContext().getAsArrayType(type)) { 1759 // VLAs don't require a GEP index to walk into. 1760 if (!isa<VariableArrayType>(arrayType)) 1761 arrayDepth++; 1762 type = arrayType->getElementType(); 1763 } 1764 1765 if (arrayDepth) { 1766 llvm::Value *zero = llvm::ConstantInt::get(CGF.SizeTy, 0); 1767 1768 SmallVector<llvm::Value*,4> gepIndices(arrayDepth+1, zero); 1769 begin = CGF.Builder.CreateInBoundsGEP(begin, gepIndices, "pad.arraybegin"); 1770 end = CGF.Builder.CreateInBoundsGEP(end, gepIndices, "pad.arrayend"); 1771 } 1772 1773 // Destroy the array. We don't ever need an EH cleanup because we 1774 // assume that we're in an EH cleanup ourselves, so a throwing 1775 // destructor causes an immediate terminate. 1776 CGF.emitArrayDestroy(begin, end, type, elementAlign, destroyer, 1777 /*checkZeroLength*/ true, /*useEHCleanup*/ false); 1778 } 1779 1780 namespace { 1781 /// RegularPartialArrayDestroy - a cleanup which performs a partial 1782 /// array destroy where the end pointer is regularly determined and 1783 /// does not need to be loaded from a local. 1784 class RegularPartialArrayDestroy final : public EHScopeStack::Cleanup { 1785 llvm::Value *ArrayBegin; 1786 llvm::Value *ArrayEnd; 1787 QualType ElementType; 1788 CodeGenFunction::Destroyer *Destroyer; 1789 CharUnits ElementAlign; 1790 public: 1791 RegularPartialArrayDestroy(llvm::Value *arrayBegin, llvm::Value *arrayEnd, 1792 QualType elementType, CharUnits elementAlign, 1793 CodeGenFunction::Destroyer *destroyer) 1794 : ArrayBegin(arrayBegin), ArrayEnd(arrayEnd), 1795 ElementType(elementType), Destroyer(destroyer), 1796 ElementAlign(elementAlign) {} 1797 1798 void Emit(CodeGenFunction &CGF, Flags flags) override { 1799 emitPartialArrayDestroy(CGF, ArrayBegin, ArrayEnd, 1800 ElementType, ElementAlign, Destroyer); 1801 } 1802 }; 1803 1804 /// IrregularPartialArrayDestroy - a cleanup which performs a 1805 /// partial array destroy where the end pointer is irregularly 1806 /// determined and must be loaded from a local. 1807 class IrregularPartialArrayDestroy final : public EHScopeStack::Cleanup { 1808 llvm::Value *ArrayBegin; 1809 Address ArrayEndPointer; 1810 QualType ElementType; 1811 CodeGenFunction::Destroyer *Destroyer; 1812 CharUnits ElementAlign; 1813 public: 1814 IrregularPartialArrayDestroy(llvm::Value *arrayBegin, 1815 Address arrayEndPointer, 1816 QualType elementType, 1817 CharUnits elementAlign, 1818 CodeGenFunction::Destroyer *destroyer) 1819 : ArrayBegin(arrayBegin), ArrayEndPointer(arrayEndPointer), 1820 ElementType(elementType), Destroyer(destroyer), 1821 ElementAlign(elementAlign) {} 1822 1823 void Emit(CodeGenFunction &CGF, Flags flags) override { 1824 llvm::Value *arrayEnd = CGF.Builder.CreateLoad(ArrayEndPointer); 1825 emitPartialArrayDestroy(CGF, ArrayBegin, arrayEnd, 1826 ElementType, ElementAlign, Destroyer); 1827 } 1828 }; 1829 } // end anonymous namespace 1830 1831 /// pushIrregularPartialArrayCleanup - Push an EH cleanup to destroy 1832 /// already-constructed elements of the given array. The cleanup 1833 /// may be popped with DeactivateCleanupBlock or PopCleanupBlock. 1834 /// 1835 /// \param elementType - the immediate element type of the array; 1836 /// possibly still an array type 1837 void CodeGenFunction::pushIrregularPartialArrayCleanup(llvm::Value *arrayBegin, 1838 Address arrayEndPointer, 1839 QualType elementType, 1840 CharUnits elementAlign, 1841 Destroyer *destroyer) { 1842 pushFullExprCleanup<IrregularPartialArrayDestroy>(EHCleanup, 1843 arrayBegin, arrayEndPointer, 1844 elementType, elementAlign, 1845 destroyer); 1846 } 1847 1848 /// pushRegularPartialArrayCleanup - Push an EH cleanup to destroy 1849 /// already-constructed elements of the given array. The cleanup 1850 /// may be popped with DeactivateCleanupBlock or PopCleanupBlock. 1851 /// 1852 /// \param elementType - the immediate element type of the array; 1853 /// possibly still an array type 1854 void CodeGenFunction::pushRegularPartialArrayCleanup(llvm::Value *arrayBegin, 1855 llvm::Value *arrayEnd, 1856 QualType elementType, 1857 CharUnits elementAlign, 1858 Destroyer *destroyer) { 1859 pushFullExprCleanup<RegularPartialArrayDestroy>(EHCleanup, 1860 arrayBegin, arrayEnd, 1861 elementType, elementAlign, 1862 destroyer); 1863 } 1864 1865 /// Lazily declare the @llvm.lifetime.start intrinsic. 1866 llvm::Constant *CodeGenModule::getLLVMLifetimeStartFn() { 1867 if (LifetimeStartFn) 1868 return LifetimeStartFn; 1869 LifetimeStartFn = llvm::Intrinsic::getDeclaration(&getModule(), 1870 llvm::Intrinsic::lifetime_start, AllocaInt8PtrTy); 1871 return LifetimeStartFn; 1872 } 1873 1874 /// Lazily declare the @llvm.lifetime.end intrinsic. 1875 llvm::Constant *CodeGenModule::getLLVMLifetimeEndFn() { 1876 if (LifetimeEndFn) 1877 return LifetimeEndFn; 1878 LifetimeEndFn = llvm::Intrinsic::getDeclaration(&getModule(), 1879 llvm::Intrinsic::lifetime_end, AllocaInt8PtrTy); 1880 return LifetimeEndFn; 1881 } 1882 1883 namespace { 1884 /// A cleanup to perform a release of an object at the end of a 1885 /// function. This is used to balance out the incoming +1 of a 1886 /// ns_consumed argument when we can't reasonably do that just by 1887 /// not doing the initial retain for a __block argument. 1888 struct ConsumeARCParameter final : EHScopeStack::Cleanup { 1889 ConsumeARCParameter(llvm::Value *param, 1890 ARCPreciseLifetime_t precise) 1891 : Param(param), Precise(precise) {} 1892 1893 llvm::Value *Param; 1894 ARCPreciseLifetime_t Precise; 1895 1896 void Emit(CodeGenFunction &CGF, Flags flags) override { 1897 CGF.EmitARCRelease(Param, Precise); 1898 } 1899 }; 1900 } // end anonymous namespace 1901 1902 /// Emit an alloca (or GlobalValue depending on target) 1903 /// for the specified parameter and set up LocalDeclMap. 1904 void CodeGenFunction::EmitParmDecl(const VarDecl &D, ParamValue Arg, 1905 unsigned ArgNo) { 1906 // FIXME: Why isn't ImplicitParamDecl a ParmVarDecl? 1907 assert((isa<ParmVarDecl>(D) || isa<ImplicitParamDecl>(D)) && 1908 "Invalid argument to EmitParmDecl"); 1909 1910 Arg.getAnyValue()->setName(D.getName()); 1911 1912 QualType Ty = D.getType(); 1913 1914 // Use better IR generation for certain implicit parameters. 1915 if (auto IPD = dyn_cast<ImplicitParamDecl>(&D)) { 1916 // The only implicit argument a block has is its literal. 1917 // This may be passed as an inalloca'ed value on Windows x86. 1918 if (BlockInfo) { 1919 llvm::Value *V = Arg.isIndirect() 1920 ? Builder.CreateLoad(Arg.getIndirectAddress()) 1921 : Arg.getDirectValue(); 1922 setBlockContextParameter(IPD, ArgNo, V); 1923 return; 1924 } 1925 } 1926 1927 Address DeclPtr = Address::invalid(); 1928 bool DoStore = false; 1929 bool IsScalar = hasScalarEvaluationKind(Ty); 1930 // If we already have a pointer to the argument, reuse the input pointer. 1931 if (Arg.isIndirect()) { 1932 DeclPtr = Arg.getIndirectAddress(); 1933 // If we have a prettier pointer type at this point, bitcast to that. 1934 unsigned AS = DeclPtr.getType()->getAddressSpace(); 1935 llvm::Type *IRTy = ConvertTypeForMem(Ty)->getPointerTo(AS); 1936 if (DeclPtr.getType() != IRTy) 1937 DeclPtr = Builder.CreateBitCast(DeclPtr, IRTy, D.getName()); 1938 // Indirect argument is in alloca address space, which may be different 1939 // from the default address space. 1940 auto AllocaAS = CGM.getASTAllocaAddressSpace(); 1941 auto *V = DeclPtr.getPointer(); 1942 auto SrcLangAS = getLangOpts().OpenCL ? LangAS::opencl_private : AllocaAS; 1943 auto DestLangAS = 1944 getLangOpts().OpenCL ? LangAS::opencl_private : LangAS::Default; 1945 if (SrcLangAS != DestLangAS) { 1946 assert(getContext().getTargetAddressSpace(SrcLangAS) == 1947 CGM.getDataLayout().getAllocaAddrSpace()); 1948 auto DestAS = getContext().getTargetAddressSpace(DestLangAS); 1949 auto *T = V->getType()->getPointerElementType()->getPointerTo(DestAS); 1950 DeclPtr = Address(getTargetHooks().performAddrSpaceCast( 1951 *this, V, SrcLangAS, DestLangAS, T, true), 1952 DeclPtr.getAlignment()); 1953 } 1954 1955 // Push a destructor cleanup for this parameter if the ABI requires it. 1956 // Don't push a cleanup in a thunk for a method that will also emit a 1957 // cleanup. 1958 if (!IsScalar && !CurFuncIsThunk && 1959 getContext().isParamDestroyedInCallee(Ty)) { 1960 if (QualType::DestructionKind DtorKind = Ty.isDestructedType()) { 1961 assert((DtorKind == QualType::DK_cxx_destructor || 1962 DtorKind == QualType::DK_nontrivial_c_struct) && 1963 "unexpected destructor type"); 1964 pushDestroy(DtorKind, DeclPtr, Ty); 1965 } 1966 } 1967 } else { 1968 // Check if the parameter address is controlled by OpenMP runtime. 1969 Address OpenMPLocalAddr = 1970 getLangOpts().OpenMP 1971 ? CGM.getOpenMPRuntime().getAddressOfLocalVariable(*this, &D) 1972 : Address::invalid(); 1973 if (getLangOpts().OpenMP && OpenMPLocalAddr.isValid()) { 1974 DeclPtr = OpenMPLocalAddr; 1975 } else { 1976 // Otherwise, create a temporary to hold the value. 1977 DeclPtr = CreateMemTemp(Ty, getContext().getDeclAlign(&D), 1978 D.getName() + ".addr"); 1979 } 1980 DoStore = true; 1981 } 1982 1983 llvm::Value *ArgVal = (DoStore ? Arg.getDirectValue() : nullptr); 1984 1985 LValue lv = MakeAddrLValue(DeclPtr, Ty); 1986 if (IsScalar) { 1987 Qualifiers qs = Ty.getQualifiers(); 1988 if (Qualifiers::ObjCLifetime lt = qs.getObjCLifetime()) { 1989 // We honor __attribute__((ns_consumed)) for types with lifetime. 1990 // For __strong, it's handled by just skipping the initial retain; 1991 // otherwise we have to balance out the initial +1 with an extra 1992 // cleanup to do the release at the end of the function. 1993 bool isConsumed = D.hasAttr<NSConsumedAttr>(); 1994 1995 // 'self' is always formally __strong, but if this is not an 1996 // init method then we don't want to retain it. 1997 if (D.isARCPseudoStrong()) { 1998 const ObjCMethodDecl *method = cast<ObjCMethodDecl>(CurCodeDecl); 1999 assert(&D == method->getSelfDecl()); 2000 assert(lt == Qualifiers::OCL_Strong); 2001 assert(qs.hasConst()); 2002 assert(method->getMethodFamily() != OMF_init); 2003 (void) method; 2004 lt = Qualifiers::OCL_ExplicitNone; 2005 } 2006 2007 // Load objects passed indirectly. 2008 if (Arg.isIndirect() && !ArgVal) 2009 ArgVal = Builder.CreateLoad(DeclPtr); 2010 2011 if (lt == Qualifiers::OCL_Strong) { 2012 if (!isConsumed) { 2013 if (CGM.getCodeGenOpts().OptimizationLevel == 0) { 2014 // use objc_storeStrong(&dest, value) for retaining the 2015 // object. But first, store a null into 'dest' because 2016 // objc_storeStrong attempts to release its old value. 2017 llvm::Value *Null = CGM.EmitNullConstant(D.getType()); 2018 EmitStoreOfScalar(Null, lv, /* isInitialization */ true); 2019 EmitARCStoreStrongCall(lv.getAddress(), ArgVal, true); 2020 DoStore = false; 2021 } 2022 else 2023 // Don't use objc_retainBlock for block pointers, because we 2024 // don't want to Block_copy something just because we got it 2025 // as a parameter. 2026 ArgVal = EmitARCRetainNonBlock(ArgVal); 2027 } 2028 } else { 2029 // Push the cleanup for a consumed parameter. 2030 if (isConsumed) { 2031 ARCPreciseLifetime_t precise = (D.hasAttr<ObjCPreciseLifetimeAttr>() 2032 ? ARCPreciseLifetime : ARCImpreciseLifetime); 2033 EHStack.pushCleanup<ConsumeARCParameter>(getARCCleanupKind(), ArgVal, 2034 precise); 2035 } 2036 2037 if (lt == Qualifiers::OCL_Weak) { 2038 EmitARCInitWeak(DeclPtr, ArgVal); 2039 DoStore = false; // The weak init is a store, no need to do two. 2040 } 2041 } 2042 2043 // Enter the cleanup scope. 2044 EmitAutoVarWithLifetime(*this, D, DeclPtr, lt); 2045 } 2046 } 2047 2048 // Store the initial value into the alloca. 2049 if (DoStore) 2050 EmitStoreOfScalar(ArgVal, lv, /* isInitialization */ true); 2051 2052 setAddrOfLocalVar(&D, DeclPtr); 2053 2054 // Emit debug info for param declaration. 2055 if (CGDebugInfo *DI = getDebugInfo()) { 2056 if (CGM.getCodeGenOpts().getDebugInfo() >= 2057 codegenoptions::LimitedDebugInfo) { 2058 DI->EmitDeclareOfArgVariable(&D, DeclPtr.getPointer(), ArgNo, Builder); 2059 } 2060 } 2061 2062 if (D.hasAttr<AnnotateAttr>()) 2063 EmitVarAnnotations(&D, DeclPtr.getPointer()); 2064 2065 // We can only check return value nullability if all arguments to the 2066 // function satisfy their nullability preconditions. This makes it necessary 2067 // to emit null checks for args in the function body itself. 2068 if (requiresReturnValueNullabilityCheck()) { 2069 auto Nullability = Ty->getNullability(getContext()); 2070 if (Nullability && *Nullability == NullabilityKind::NonNull) { 2071 SanitizerScope SanScope(this); 2072 RetValNullabilityPrecondition = 2073 Builder.CreateAnd(RetValNullabilityPrecondition, 2074 Builder.CreateIsNotNull(Arg.getAnyValue())); 2075 } 2076 } 2077 } 2078 2079 void CodeGenModule::EmitOMPDeclareReduction(const OMPDeclareReductionDecl *D, 2080 CodeGenFunction *CGF) { 2081 if (!LangOpts.OpenMP || (!LangOpts.EmitAllDecls && !D->isUsed())) 2082 return; 2083 getOpenMPRuntime().emitUserDefinedReduction(CGF, D); 2084 } 2085