clang API Documentation

CGBlocks.cpp
Go to the documentation of this file.
00001 //===--- CGBlocks.cpp - Emit LLVM Code for declarations -------------------===//
00002 //
00003 //                     The LLVM Compiler Infrastructure
00004 //
00005 // This file is distributed under the University of Illinois Open Source
00006 // License. See LICENSE.TXT for details.
00007 //
00008 //===----------------------------------------------------------------------===//
00009 //
00010 // This contains code to emit blocks.
00011 //
00012 //===----------------------------------------------------------------------===//
00013 
00014 #include "CGBlocks.h"
00015 #include "CGDebugInfo.h"
00016 #include "CGObjCRuntime.h"
00017 #include "CodeGenFunction.h"
00018 #include "CodeGenModule.h"
00019 #include "clang/AST/DeclObjC.h"
00020 #include "llvm/ADT/SmallSet.h"
00021 #include "llvm/IR/CallSite.h"
00022 #include "llvm/IR/DataLayout.h"
00023 #include "llvm/IR/Module.h"
00024 #include <algorithm>
00025 #include <cstdio>
00026 
00027 using namespace clang;
00028 using namespace CodeGen;
00029 
00030 CGBlockInfo::CGBlockInfo(const BlockDecl *block, StringRef name)
00031   : Name(name), CXXThisIndex(0), CanBeGlobal(false), NeedsCopyDispose(false),
00032     HasCXXObject(false), UsesStret(false), HasCapturedVariableLayout(false),
00033     StructureType(nullptr), Block(block),
00034     DominatingIP(nullptr) {
00035 
00036   // Skip asm prefix, if any.  'name' is usually taken directly from
00037   // the mangled name of the enclosing function.
00038   if (!name.empty() && name[0] == '\01')
00039     name = name.substr(1);
00040 }
00041 
00042 // Anchor the vtable to this translation unit.
00043 CodeGenModule::ByrefHelpers::~ByrefHelpers() {}
00044 
00045 /// Build the given block as a global block.
00046 static llvm::Constant *buildGlobalBlock(CodeGenModule &CGM,
00047                                         const CGBlockInfo &blockInfo,
00048                                         llvm::Constant *blockFn);
00049 
00050 /// Build the helper function to copy a block.
00051 static llvm::Constant *buildCopyHelper(CodeGenModule &CGM,
00052                                        const CGBlockInfo &blockInfo) {
00053   return CodeGenFunction(CGM).GenerateCopyHelperFunction(blockInfo);
00054 }
00055 
00056 /// Build the helper function to dispose of a block.
00057 static llvm::Constant *buildDisposeHelper(CodeGenModule &CGM,
00058                                           const CGBlockInfo &blockInfo) {
00059   return CodeGenFunction(CGM).GenerateDestroyHelperFunction(blockInfo);
00060 }
00061 
00062 /// buildBlockDescriptor - Build the block descriptor meta-data for a block.
00063 /// buildBlockDescriptor is accessed from 5th field of the Block_literal
00064 /// meta-data and contains stationary information about the block literal.
00065 /// Its definition will have 4 (or optinally 6) words.
00066 /// \code
00067 /// struct Block_descriptor {
00068 ///   unsigned long reserved;
00069 ///   unsigned long size;  // size of Block_literal metadata in bytes.
00070 ///   void *copy_func_helper_decl;  // optional copy helper.
00071 ///   void *destroy_func_decl; // optioanl destructor helper.
00072 ///   void *block_method_encoding_address; // @encode for block literal signature.
00073 ///   void *block_layout_info; // encoding of captured block variables.
00074 /// };
00075 /// \endcode
00076 static llvm::Constant *buildBlockDescriptor(CodeGenModule &CGM,
00077                                             const CGBlockInfo &blockInfo) {
00078   ASTContext &C = CGM.getContext();
00079 
00080   llvm::Type *ulong = CGM.getTypes().ConvertType(C.UnsignedLongTy);
00081   llvm::Type *i8p = NULL;
00082   if (CGM.getLangOpts().OpenCL)
00083     i8p = 
00084       llvm::Type::getInt8PtrTy(
00085            CGM.getLLVMContext(), C.getTargetAddressSpace(LangAS::opencl_constant));
00086   else
00087     i8p = CGM.getTypes().ConvertType(C.VoidPtrTy);
00088 
00089   SmallVector<llvm::Constant*, 6> elements;
00090 
00091   // reserved
00092   elements.push_back(llvm::ConstantInt::get(ulong, 0));
00093 
00094   // Size
00095   // FIXME: What is the right way to say this doesn't fit?  We should give
00096   // a user diagnostic in that case.  Better fix would be to change the
00097   // API to size_t.
00098   elements.push_back(llvm::ConstantInt::get(ulong,
00099                                             blockInfo.BlockSize.getQuantity()));
00100 
00101   // Optional copy/dispose helpers.
00102   if (blockInfo.NeedsCopyDispose) {
00103     // copy_func_helper_decl
00104     elements.push_back(buildCopyHelper(CGM, blockInfo));
00105 
00106     // destroy_func_decl
00107     elements.push_back(buildDisposeHelper(CGM, blockInfo));
00108   }
00109 
00110   // Signature.  Mandatory ObjC-style method descriptor @encode sequence.
00111   std::string typeAtEncoding =
00112     CGM.getContext().getObjCEncodingForBlock(blockInfo.getBlockExpr());
00113   elements.push_back(llvm::ConstantExpr::getBitCast(
00114                           CGM.GetAddrOfConstantCString(typeAtEncoding), i8p));
00115   
00116   // GC layout.
00117   if (C.getLangOpts().ObjC1) {
00118     if (CGM.getLangOpts().getGC() != LangOptions::NonGC)
00119       elements.push_back(CGM.getObjCRuntime().BuildGCBlockLayout(CGM, blockInfo));
00120     else
00121       elements.push_back(CGM.getObjCRuntime().BuildRCBlockLayout(CGM, blockInfo));
00122   }
00123   else
00124     elements.push_back(llvm::Constant::getNullValue(i8p));
00125 
00126   llvm::Constant *init = llvm::ConstantStruct::getAnon(elements);
00127 
00128   llvm::GlobalVariable *global =
00129     new llvm::GlobalVariable(CGM.getModule(), init->getType(), true,
00130                              llvm::GlobalValue::InternalLinkage,
00131                              init, "__block_descriptor_tmp");
00132 
00133   return llvm::ConstantExpr::getBitCast(global, CGM.getBlockDescriptorType());
00134 }
00135 
00136 /*
00137   Purely notional variadic template describing the layout of a block.
00138 
00139   template <class _ResultType, class... _ParamTypes, class... _CaptureTypes>
00140   struct Block_literal {
00141     /// Initialized to one of:
00142     ///   extern void *_NSConcreteStackBlock[];
00143     ///   extern void *_NSConcreteGlobalBlock[];
00144     ///
00145     /// In theory, we could start one off malloc'ed by setting
00146     /// BLOCK_NEEDS_FREE, giving it a refcount of 1, and using
00147     /// this isa:
00148     ///   extern void *_NSConcreteMallocBlock[];
00149     struct objc_class *isa;
00150 
00151     /// These are the flags (with corresponding bit number) that the
00152     /// compiler is actually supposed to know about.
00153     ///  25. BLOCK_HAS_COPY_DISPOSE - indicates that the block
00154     ///   descriptor provides copy and dispose helper functions
00155     ///  26. BLOCK_HAS_CXX_OBJ - indicates that there's a captured
00156     ///   object with a nontrivial destructor or copy constructor
00157     ///  28. BLOCK_IS_GLOBAL - indicates that the block is allocated
00158     ///   as global memory
00159     ///  29. BLOCK_USE_STRET - indicates that the block function
00160     ///   uses stret, which objc_msgSend needs to know about
00161     ///  30. BLOCK_HAS_SIGNATURE - indicates that the block has an
00162     ///   @encoded signature string
00163     /// And we're not supposed to manipulate these:
00164     ///  24. BLOCK_NEEDS_FREE - indicates that the block has been moved
00165     ///   to malloc'ed memory
00166     ///  27. BLOCK_IS_GC - indicates that the block has been moved to
00167     ///   to GC-allocated memory
00168     /// Additionally, the bottom 16 bits are a reference count which
00169     /// should be zero on the stack.
00170     int flags;
00171 
00172     /// Reserved;  should be zero-initialized.
00173     int reserved;
00174 
00175     /// Function pointer generated from block literal.
00176     _ResultType (*invoke)(Block_literal *, _ParamTypes...);
00177 
00178     /// Block description metadata generated from block literal.
00179     struct Block_descriptor *block_descriptor;
00180 
00181     /// Captured values follow.
00182     _CapturesTypes captures...;
00183   };
00184  */
00185 
00186 /// The number of fields in a block header.
00187 const unsigned BlockHeaderSize = 5;
00188 
00189 namespace {
00190   /// A chunk of data that we actually have to capture in the block.
00191   struct BlockLayoutChunk {
00192     CharUnits Alignment;
00193     CharUnits Size;
00194     Qualifiers::ObjCLifetime Lifetime;
00195     const BlockDecl::Capture *Capture; // null for 'this'
00196     llvm::Type *Type;
00197 
00198     BlockLayoutChunk(CharUnits align, CharUnits size,
00199                      Qualifiers::ObjCLifetime lifetime,
00200                      const BlockDecl::Capture *capture,
00201                      llvm::Type *type)
00202       : Alignment(align), Size(size), Lifetime(lifetime),
00203         Capture(capture), Type(type) {}
00204 
00205     /// Tell the block info that this chunk has the given field index.
00206     void setIndex(CGBlockInfo &info, unsigned index) {
00207       if (!Capture)
00208         info.CXXThisIndex = index;
00209       else
00210         info.Captures[Capture->getVariable()]
00211           = CGBlockInfo::Capture::makeIndex(index);
00212     }
00213   };
00214 
00215   /// Order by 1) all __strong together 2) next, all byfref together 3) next,
00216   /// all __weak together. Preserve descending alignment in all situations.
00217   bool operator<(const BlockLayoutChunk &left, const BlockLayoutChunk &right) {
00218     CharUnits LeftValue, RightValue;
00219     bool LeftByref = left.Capture ? left.Capture->isByRef() : false;
00220     bool RightByref = right.Capture ? right.Capture->isByRef() : false;
00221     
00222     if (left.Lifetime == Qualifiers::OCL_Strong &&
00223         left.Alignment >= right.Alignment)
00224       LeftValue = CharUnits::fromQuantity(64);
00225     else if (LeftByref && left.Alignment >= right.Alignment)
00226       LeftValue = CharUnits::fromQuantity(32);
00227     else if (left.Lifetime == Qualifiers::OCL_Weak &&
00228              left.Alignment >= right.Alignment)
00229       LeftValue = CharUnits::fromQuantity(16);
00230     else
00231       LeftValue = left.Alignment;
00232     if (right.Lifetime == Qualifiers::OCL_Strong &&
00233         right.Alignment >= left.Alignment)
00234       RightValue = CharUnits::fromQuantity(64);
00235     else if (RightByref && right.Alignment >= left.Alignment)
00236       RightValue = CharUnits::fromQuantity(32);
00237     else if (right.Lifetime == Qualifiers::OCL_Weak &&
00238              right.Alignment >= left.Alignment)
00239       RightValue = CharUnits::fromQuantity(16);
00240     else
00241       RightValue = right.Alignment;
00242     
00243       return LeftValue > RightValue;
00244   }
00245 }
00246 
00247 /// Determines if the given type is safe for constant capture in C++.
00248 static bool isSafeForCXXConstantCapture(QualType type) {
00249   const RecordType *recordType =
00250     type->getBaseElementTypeUnsafe()->getAs<RecordType>();
00251 
00252   // Only records can be unsafe.
00253   if (!recordType) return true;
00254 
00255   const auto *record = cast<CXXRecordDecl>(recordType->getDecl());
00256 
00257   // Maintain semantics for classes with non-trivial dtors or copy ctors.
00258   if (!record->hasTrivialDestructor()) return false;
00259   if (record->hasNonTrivialCopyConstructor()) return false;
00260 
00261   // Otherwise, we just have to make sure there aren't any mutable
00262   // fields that might have changed since initialization.
00263   return !record->hasMutableFields();
00264 }
00265 
00266 /// It is illegal to modify a const object after initialization.
00267 /// Therefore, if a const object has a constant initializer, we don't
00268 /// actually need to keep storage for it in the block; we'll just
00269 /// rematerialize it at the start of the block function.  This is
00270 /// acceptable because we make no promises about address stability of
00271 /// captured variables.
00272 static llvm::Constant *tryCaptureAsConstant(CodeGenModule &CGM,
00273                                             CodeGenFunction *CGF,
00274                                             const VarDecl *var) {
00275   QualType type = var->getType();
00276 
00277   // We can only do this if the variable is const.
00278   if (!type.isConstQualified()) return nullptr;
00279 
00280   // Furthermore, in C++ we have to worry about mutable fields:
00281   // C++ [dcl.type.cv]p4:
00282   //   Except that any class member declared mutable can be
00283   //   modified, any attempt to modify a const object during its
00284   //   lifetime results in undefined behavior.
00285   if (CGM.getLangOpts().CPlusPlus && !isSafeForCXXConstantCapture(type))
00286     return nullptr;
00287 
00288   // If the variable doesn't have any initializer (shouldn't this be
00289   // invalid?), it's not clear what we should do.  Maybe capture as
00290   // zero?
00291   const Expr *init = var->getInit();
00292   if (!init) return nullptr;
00293 
00294   return CGM.EmitConstantInit(*var, CGF);
00295 }
00296 
00297 /// Get the low bit of a nonzero character count.  This is the
00298 /// alignment of the nth byte if the 0th byte is universally aligned.
00299 static CharUnits getLowBit(CharUnits v) {
00300   return CharUnits::fromQuantity(v.getQuantity() & (~v.getQuantity() + 1));
00301 }
00302 
00303 static void initializeForBlockHeader(CodeGenModule &CGM, CGBlockInfo &info,
00304                              SmallVectorImpl<llvm::Type*> &elementTypes) {
00305   ASTContext &C = CGM.getContext();
00306 
00307   // The header is basically a 'struct { void *; int; int; void *; void *; }'.
00308   CharUnits ptrSize, ptrAlign, intSize, intAlign;
00309   std::tie(ptrSize, ptrAlign) = C.getTypeInfoInChars(C.VoidPtrTy);
00310   std::tie(intSize, intAlign) = C.getTypeInfoInChars(C.IntTy);
00311 
00312   // Are there crazy embedded platforms where this isn't true?
00313   assert(intSize <= ptrSize && "layout assumptions horribly violated");
00314 
00315   CharUnits headerSize = ptrSize;
00316   if (2 * intSize < ptrAlign) headerSize += ptrSize;
00317   else headerSize += 2 * intSize;
00318   headerSize += 2 * ptrSize;
00319 
00320   info.BlockAlign = ptrAlign;
00321   info.BlockSize = headerSize;
00322 
00323   assert(elementTypes.empty());
00324   llvm::Type *i8p = CGM.getTypes().ConvertType(C.VoidPtrTy);
00325   llvm::Type *intTy = CGM.getTypes().ConvertType(C.IntTy);
00326   elementTypes.push_back(i8p);
00327   elementTypes.push_back(intTy);
00328   elementTypes.push_back(intTy);
00329   elementTypes.push_back(i8p);
00330   elementTypes.push_back(CGM.getBlockDescriptorType());
00331 
00332   assert(elementTypes.size() == BlockHeaderSize);
00333 }
00334 
00335 /// Compute the layout of the given block.  Attempts to lay the block
00336 /// out with minimal space requirements.
00337 static void computeBlockInfo(CodeGenModule &CGM, CodeGenFunction *CGF,
00338                              CGBlockInfo &info) {
00339   ASTContext &C = CGM.getContext();
00340   const BlockDecl *block = info.getBlockDecl();
00341 
00342   SmallVector<llvm::Type*, 8> elementTypes;
00343   initializeForBlockHeader(CGM, info, elementTypes);
00344 
00345   if (!block->hasCaptures()) {
00346     info.StructureType =
00347       llvm::StructType::get(CGM.getLLVMContext(), elementTypes, true);
00348     info.CanBeGlobal = true;
00349     return;
00350   }
00351   else if (C.getLangOpts().ObjC1 &&
00352            CGM.getLangOpts().getGC() == LangOptions::NonGC)
00353     info.HasCapturedVariableLayout = true;
00354   
00355   // Collect the layout chunks.
00356   SmallVector<BlockLayoutChunk, 16> layout;
00357   layout.reserve(block->capturesCXXThis() +
00358                  (block->capture_end() - block->capture_begin()));
00359 
00360   CharUnits maxFieldAlign;
00361 
00362   // First, 'this'.
00363   if (block->capturesCXXThis()) {
00364     assert(CGF && CGF->CurFuncDecl && isa<CXXMethodDecl>(CGF->CurFuncDecl) &&
00365            "Can't capture 'this' outside a method");
00366     QualType thisType = cast<CXXMethodDecl>(CGF->CurFuncDecl)->getThisType(C);
00367 
00368     llvm::Type *llvmType = CGM.getTypes().ConvertType(thisType);
00369     std::pair<CharUnits,CharUnits> tinfo
00370       = CGM.getContext().getTypeInfoInChars(thisType);
00371     maxFieldAlign = std::max(maxFieldAlign, tinfo.second);
00372 
00373     layout.push_back(BlockLayoutChunk(tinfo.second, tinfo.first,
00374                                       Qualifiers::OCL_None,
00375                                       nullptr, llvmType));
00376   }
00377 
00378   // Next, all the block captures.
00379   for (const auto &CI : block->captures()) {
00380     const VarDecl *variable = CI.getVariable();
00381 
00382     if (CI.isByRef()) {
00383       // We have to copy/dispose of the __block reference.
00384       info.NeedsCopyDispose = true;
00385 
00386       // Just use void* instead of a pointer to the byref type.
00387       QualType byRefPtrTy = C.VoidPtrTy;
00388 
00389       llvm::Type *llvmType = CGM.getTypes().ConvertType(byRefPtrTy);
00390       std::pair<CharUnits,CharUnits> tinfo
00391         = CGM.getContext().getTypeInfoInChars(byRefPtrTy);
00392       maxFieldAlign = std::max(maxFieldAlign, tinfo.second);
00393 
00394       layout.push_back(BlockLayoutChunk(tinfo.second, tinfo.first,
00395                                         Qualifiers::OCL_None, &CI, llvmType));
00396       continue;
00397     }
00398 
00399     // Otherwise, build a layout chunk with the size and alignment of
00400     // the declaration.
00401     if (llvm::Constant *constant = tryCaptureAsConstant(CGM, CGF, variable)) {
00402       info.Captures[variable] = CGBlockInfo::Capture::makeConstant(constant);
00403       continue;
00404     }
00405 
00406     // If we have a lifetime qualifier, honor it for capture purposes.
00407     // That includes *not* copying it if it's __unsafe_unretained.
00408     Qualifiers::ObjCLifetime lifetime =
00409       variable->getType().getObjCLifetime();
00410     if (lifetime) {
00411       switch (lifetime) {
00412       case Qualifiers::OCL_None: llvm_unreachable("impossible");
00413       case Qualifiers::OCL_ExplicitNone:
00414       case Qualifiers::OCL_Autoreleasing:
00415         break;
00416 
00417       case Qualifiers::OCL_Strong:
00418       case Qualifiers::OCL_Weak:
00419         info.NeedsCopyDispose = true;
00420       }
00421 
00422     // Block pointers require copy/dispose.  So do Objective-C pointers.
00423     } else if (variable->getType()->isObjCRetainableType()) {
00424       info.NeedsCopyDispose = true;
00425       // used for mrr below.
00426       lifetime = Qualifiers::OCL_Strong;
00427 
00428     // So do types that require non-trivial copy construction.
00429     } else if (CI.hasCopyExpr()) {
00430       info.NeedsCopyDispose = true;
00431       info.HasCXXObject = true;
00432 
00433     // And so do types with destructors.
00434     } else if (CGM.getLangOpts().CPlusPlus) {
00435       if (const CXXRecordDecl *record =
00436             variable->getType()->getAsCXXRecordDecl()) {
00437         if (!record->hasTrivialDestructor()) {
00438           info.HasCXXObject = true;
00439           info.NeedsCopyDispose = true;
00440         }
00441       }
00442     }
00443 
00444     QualType VT = variable->getType();
00445     CharUnits size = C.getTypeSizeInChars(VT);
00446     CharUnits align = C.getDeclAlign(variable);
00447     
00448     maxFieldAlign = std::max(maxFieldAlign, align);
00449 
00450     llvm::Type *llvmType =
00451       CGM.getTypes().ConvertTypeForMem(VT);
00452     
00453     layout.push_back(BlockLayoutChunk(align, size, lifetime, &CI, llvmType));
00454   }
00455 
00456   // If that was everything, we're done here.
00457   if (layout.empty()) {
00458     info.StructureType =
00459       llvm::StructType::get(CGM.getLLVMContext(), elementTypes, true);
00460     info.CanBeGlobal = true;
00461     return;
00462   }
00463 
00464   // Sort the layout by alignment.  We have to use a stable sort here
00465   // to get reproducible results.  There should probably be an
00466   // llvm::array_pod_stable_sort.
00467   std::stable_sort(layout.begin(), layout.end());
00468   
00469   // Needed for blocks layout info.
00470   info.BlockHeaderForcedGapOffset = info.BlockSize;
00471   info.BlockHeaderForcedGapSize = CharUnits::Zero();
00472   
00473   CharUnits &blockSize = info.BlockSize;
00474   info.BlockAlign = std::max(maxFieldAlign, info.BlockAlign);
00475 
00476   // Assuming that the first byte in the header is maximally aligned,
00477   // get the alignment of the first byte following the header.
00478   CharUnits endAlign = getLowBit(blockSize);
00479 
00480   // If the end of the header isn't satisfactorily aligned for the
00481   // maximum thing, look for things that are okay with the header-end
00482   // alignment, and keep appending them until we get something that's
00483   // aligned right.  This algorithm is only guaranteed optimal if
00484   // that condition is satisfied at some point; otherwise we can get
00485   // things like:
00486   //   header                 // next byte has alignment 4
00487   //   something_with_size_5; // next byte has alignment 1
00488   //   something_with_alignment_8;
00489   // which has 7 bytes of padding, as opposed to the naive solution
00490   // which might have less (?).
00491   if (endAlign < maxFieldAlign) {
00492     SmallVectorImpl<BlockLayoutChunk>::iterator
00493       li = layout.begin() + 1, le = layout.end();
00494 
00495     // Look for something that the header end is already
00496     // satisfactorily aligned for.
00497     for (; li != le && endAlign < li->Alignment; ++li)
00498       ;
00499 
00500     // If we found something that's naturally aligned for the end of
00501     // the header, keep adding things...
00502     if (li != le) {
00503       SmallVectorImpl<BlockLayoutChunk>::iterator first = li;
00504       for (; li != le; ++li) {
00505         assert(endAlign >= li->Alignment);
00506 
00507         li->setIndex(info, elementTypes.size());
00508         elementTypes.push_back(li->Type);
00509         blockSize += li->Size;
00510         endAlign = getLowBit(blockSize);
00511 
00512         // ...until we get to the alignment of the maximum field.
00513         if (endAlign >= maxFieldAlign) {
00514           if (li == first) {
00515             // No user field was appended. So, a gap was added.
00516             // Save total gap size for use in block layout bit map.
00517             info.BlockHeaderForcedGapSize = li->Size;
00518           }
00519           break;
00520         }
00521       }
00522       // Don't re-append everything we just appended.
00523       layout.erase(first, li);
00524     }
00525   }
00526 
00527   assert(endAlign == getLowBit(blockSize));
00528   
00529   // At this point, we just have to add padding if the end align still
00530   // isn't aligned right.
00531   if (endAlign < maxFieldAlign) {
00532     CharUnits newBlockSize = blockSize.RoundUpToAlignment(maxFieldAlign);
00533     CharUnits padding = newBlockSize - blockSize;
00534 
00535     elementTypes.push_back(llvm::ArrayType::get(CGM.Int8Ty,
00536                                                 padding.getQuantity()));
00537     blockSize = newBlockSize;
00538     endAlign = getLowBit(blockSize); // might be > maxFieldAlign
00539   }
00540 
00541   assert(endAlign >= maxFieldAlign);
00542   assert(endAlign == getLowBit(blockSize));
00543   // Slam everything else on now.  This works because they have
00544   // strictly decreasing alignment and we expect that size is always a
00545   // multiple of alignment.
00546   for (SmallVectorImpl<BlockLayoutChunk>::iterator
00547          li = layout.begin(), le = layout.end(); li != le; ++li) {
00548     if (endAlign < li->Alignment) {
00549       // size may not be multiple of alignment. This can only happen with
00550       // an over-aligned variable. We will be adding a padding field to
00551       // make the size be multiple of alignment.
00552       CharUnits padding = li->Alignment - endAlign;
00553       elementTypes.push_back(llvm::ArrayType::get(CGM.Int8Ty,
00554                                                   padding.getQuantity()));
00555       blockSize += padding;
00556       endAlign = getLowBit(blockSize);
00557     }
00558     assert(endAlign >= li->Alignment);
00559     li->setIndex(info, elementTypes.size());
00560     elementTypes.push_back(li->Type);
00561     blockSize += li->Size;
00562     endAlign = getLowBit(blockSize);
00563   }
00564 
00565   info.StructureType =
00566     llvm::StructType::get(CGM.getLLVMContext(), elementTypes, true);
00567 }
00568 
00569 /// Enter the scope of a block.  This should be run at the entrance to
00570 /// a full-expression so that the block's cleanups are pushed at the
00571 /// right place in the stack.
00572 static void enterBlockScope(CodeGenFunction &CGF, BlockDecl *block) {
00573   assert(CGF.HaveInsertPoint());
00574 
00575   // Allocate the block info and place it at the head of the list.
00576   CGBlockInfo &blockInfo =
00577     *new CGBlockInfo(block, CGF.CurFn->getName());
00578   blockInfo.NextBlockInfo = CGF.FirstBlockInfo;
00579   CGF.FirstBlockInfo = &blockInfo;
00580 
00581   // Compute information about the layout, etc., of this block,
00582   // pushing cleanups as necessary.
00583   computeBlockInfo(CGF.CGM, &CGF, blockInfo);
00584 
00585   // Nothing else to do if it can be global.
00586   if (blockInfo.CanBeGlobal) return;
00587 
00588   // Make the allocation for the block.
00589   blockInfo.Address =
00590     CGF.CreateTempAlloca(blockInfo.StructureType, "block");
00591   blockInfo.Address->setAlignment(blockInfo.BlockAlign.getQuantity());
00592 
00593   // If there are cleanups to emit, enter them (but inactive).
00594   if (!blockInfo.NeedsCopyDispose) return;
00595 
00596   // Walk through the captures (in order) and find the ones not
00597   // captured by constant.
00598   for (const auto &CI : block->captures()) {
00599     // Ignore __block captures; there's nothing special in the
00600     // on-stack block that we need to do for them.
00601     if (CI.isByRef()) continue;
00602 
00603     // Ignore variables that are constant-captured.
00604     const VarDecl *variable = CI.getVariable();
00605     CGBlockInfo::Capture &capture = blockInfo.getCapture(variable);
00606     if (capture.isConstant()) continue;
00607 
00608     // Ignore objects that aren't destructed.
00609     QualType::DestructionKind dtorKind =
00610       variable->getType().isDestructedType();
00611     if (dtorKind == QualType::DK_none) continue;
00612 
00613     CodeGenFunction::Destroyer *destroyer;
00614 
00615     // Block captures count as local values and have imprecise semantics.
00616     // They also can't be arrays, so need to worry about that.
00617     if (dtorKind == QualType::DK_objc_strong_lifetime) {
00618       destroyer = CodeGenFunction::destroyARCStrongImprecise;
00619     } else {
00620       destroyer = CGF.getDestroyer(dtorKind);
00621     }
00622 
00623     // GEP down to the address.
00624     llvm::Value *addr = CGF.Builder.CreateStructGEP(blockInfo.Address,
00625                                                     capture.getIndex());
00626 
00627     // We can use that GEP as the dominating IP.
00628     if (!blockInfo.DominatingIP)
00629       blockInfo.DominatingIP = cast<llvm::Instruction>(addr);
00630 
00631     CleanupKind cleanupKind = InactiveNormalCleanup;
00632     bool useArrayEHCleanup = CGF.needsEHCleanup(dtorKind);
00633     if (useArrayEHCleanup) 
00634       cleanupKind = InactiveNormalAndEHCleanup;
00635 
00636     CGF.pushDestroy(cleanupKind, addr, variable->getType(),
00637                     destroyer, useArrayEHCleanup);
00638 
00639     // Remember where that cleanup was.
00640     capture.setCleanup(CGF.EHStack.stable_begin());
00641   }
00642 }
00643 
00644 /// Enter a full-expression with a non-trivial number of objects to
00645 /// clean up.  This is in this file because, at the moment, the only
00646 /// kind of cleanup object is a BlockDecl*.
00647 void CodeGenFunction::enterNonTrivialFullExpression(const ExprWithCleanups *E) {
00648   assert(E->getNumObjects() != 0);
00649   ArrayRef<ExprWithCleanups::CleanupObject> cleanups = E->getObjects();
00650   for (ArrayRef<ExprWithCleanups::CleanupObject>::iterator
00651          i = cleanups.begin(), e = cleanups.end(); i != e; ++i) {
00652     enterBlockScope(*this, *i);
00653   }
00654 }
00655 
00656 /// Find the layout for the given block in a linked list and remove it.
00657 static CGBlockInfo *findAndRemoveBlockInfo(CGBlockInfo **head,
00658                                            const BlockDecl *block) {
00659   while (true) {
00660     assert(head && *head);
00661     CGBlockInfo *cur = *head;
00662 
00663     // If this is the block we're looking for, splice it out of the list.
00664     if (cur->getBlockDecl() == block) {
00665       *head = cur->NextBlockInfo;
00666       return cur;
00667     }
00668 
00669     head = &cur->NextBlockInfo;
00670   }
00671 }
00672 
00673 /// Destroy a chain of block layouts.
00674 void CodeGenFunction::destroyBlockInfos(CGBlockInfo *head) {
00675   assert(head && "destroying an empty chain");
00676   do {
00677     CGBlockInfo *cur = head;
00678     head = cur->NextBlockInfo;
00679     delete cur;
00680   } while (head != nullptr);
00681 }
00682 
00683 /// Emit a block literal expression in the current function.
00684 llvm::Value *CodeGenFunction::EmitBlockLiteral(const BlockExpr *blockExpr) {
00685   // If the block has no captures, we won't have a pre-computed
00686   // layout for it.
00687   if (!blockExpr->getBlockDecl()->hasCaptures()) {
00688     CGBlockInfo blockInfo(blockExpr->getBlockDecl(), CurFn->getName());
00689     computeBlockInfo(CGM, this, blockInfo);
00690     blockInfo.BlockExpression = blockExpr;
00691     return EmitBlockLiteral(blockInfo);
00692   }
00693 
00694   // Find the block info for this block and take ownership of it.
00695   std::unique_ptr<CGBlockInfo> blockInfo;
00696   blockInfo.reset(findAndRemoveBlockInfo(&FirstBlockInfo,
00697                                          blockExpr->getBlockDecl()));
00698 
00699   blockInfo->BlockExpression = blockExpr;
00700   return EmitBlockLiteral(*blockInfo);
00701 }
00702 
00703 llvm::Value *CodeGenFunction::EmitBlockLiteral(const CGBlockInfo &blockInfo) {
00704   // Using the computed layout, generate the actual block function.
00705   bool isLambdaConv = blockInfo.getBlockDecl()->isConversionFromLambda();
00706   llvm::Constant *blockFn
00707     = CodeGenFunction(CGM, true).GenerateBlockFunction(CurGD, blockInfo,
00708                                                        LocalDeclMap,
00709                                                        isLambdaConv);
00710   blockFn = llvm::ConstantExpr::getBitCast(blockFn, VoidPtrTy);
00711 
00712   // If there is nothing to capture, we can emit this as a global block.
00713   if (blockInfo.CanBeGlobal)
00714     return buildGlobalBlock(CGM, blockInfo, blockFn);
00715 
00716   // Otherwise, we have to emit this as a local block.
00717 
00718   llvm::Constant *isa = CGM.getNSConcreteStackBlock();
00719   isa = llvm::ConstantExpr::getBitCast(isa, VoidPtrTy);
00720 
00721   // Build the block descriptor.
00722   llvm::Constant *descriptor = buildBlockDescriptor(CGM, blockInfo);
00723 
00724   llvm::AllocaInst *blockAddr = blockInfo.Address;
00725   assert(blockAddr && "block has no address!");
00726 
00727   // Compute the initial on-stack block flags.
00728   BlockFlags flags = BLOCK_HAS_SIGNATURE;
00729   if (blockInfo.HasCapturedVariableLayout) flags |= BLOCK_HAS_EXTENDED_LAYOUT;
00730   if (blockInfo.NeedsCopyDispose) flags |= BLOCK_HAS_COPY_DISPOSE;
00731   if (blockInfo.HasCXXObject) flags |= BLOCK_HAS_CXX_OBJ;
00732   if (blockInfo.UsesStret) flags |= BLOCK_USE_STRET;
00733 
00734   // Initialize the block literal.
00735   Builder.CreateStore(isa, Builder.CreateStructGEP(blockAddr, 0, "block.isa"));
00736   Builder.CreateStore(llvm::ConstantInt::get(IntTy, flags.getBitMask()),
00737                       Builder.CreateStructGEP(blockAddr, 1, "block.flags"));
00738   Builder.CreateStore(llvm::ConstantInt::get(IntTy, 0),
00739                       Builder.CreateStructGEP(blockAddr, 2, "block.reserved"));
00740   Builder.CreateStore(blockFn, Builder.CreateStructGEP(blockAddr, 3,
00741                                                        "block.invoke"));
00742   Builder.CreateStore(descriptor, Builder.CreateStructGEP(blockAddr, 4,
00743                                                           "block.descriptor"));
00744 
00745   // Finally, capture all the values into the block.
00746   const BlockDecl *blockDecl = blockInfo.getBlockDecl();
00747 
00748   // First, 'this'.
00749   if (blockDecl->capturesCXXThis()) {
00750     llvm::Value *addr = Builder.CreateStructGEP(blockAddr,
00751                                                 blockInfo.CXXThisIndex,
00752                                                 "block.captured-this.addr");
00753     Builder.CreateStore(LoadCXXThis(), addr);
00754   }
00755 
00756   // Next, captured variables.
00757   for (const auto &CI : blockDecl->captures()) {
00758     const VarDecl *variable = CI.getVariable();
00759     const CGBlockInfo::Capture &capture = blockInfo.getCapture(variable);
00760 
00761     // Ignore constant captures.
00762     if (capture.isConstant()) continue;
00763 
00764     QualType type = variable->getType();
00765     CharUnits align = getContext().getDeclAlign(variable);
00766 
00767     // This will be a [[type]]*, except that a byref entry will just be
00768     // an i8**.
00769     llvm::Value *blockField =
00770       Builder.CreateStructGEP(blockAddr, capture.getIndex(),
00771                               "block.captured");
00772 
00773     // Compute the address of the thing we're going to move into the
00774     // block literal.
00775     llvm::Value *src;
00776     if (BlockInfo && CI.isNested()) {
00777       // We need to use the capture from the enclosing block.
00778       const CGBlockInfo::Capture &enclosingCapture =
00779         BlockInfo->getCapture(variable);
00780 
00781       // This is a [[type]]*, except that a byref entry wil just be an i8**.
00782       src = Builder.CreateStructGEP(LoadBlockStruct(),
00783                                     enclosingCapture.getIndex(),
00784                                     "block.capture.addr");
00785     } else if (blockDecl->isConversionFromLambda()) {
00786       // The lambda capture in a lambda's conversion-to-block-pointer is
00787       // special; we'll simply emit it directly.
00788       src = nullptr;
00789     } else {
00790       // Just look it up in the locals map, which will give us back a
00791       // [[type]]*.  If that doesn't work, do the more elaborate DRE
00792       // emission.
00793       src = LocalDeclMap.lookup(variable);
00794       if (!src) {
00795         DeclRefExpr declRef(const_cast<VarDecl *>(variable),
00796                             /*refersToEnclosing*/ CI.isNested(), type,
00797                             VK_LValue, SourceLocation());
00798         src = EmitDeclRefLValue(&declRef).getAddress();
00799       }
00800     }
00801 
00802     // For byrefs, we just write the pointer to the byref struct into
00803     // the block field.  There's no need to chase the forwarding
00804     // pointer at this point, since we're building something that will
00805     // live a shorter life than the stack byref anyway.
00806     if (CI.isByRef()) {
00807       // Get a void* that points to the byref struct.
00808       if (CI.isNested())
00809         src = Builder.CreateAlignedLoad(src, align.getQuantity(),
00810                                         "byref.capture");
00811       else
00812         src = Builder.CreateBitCast(src, VoidPtrTy);
00813 
00814       // Write that void* into the capture field.
00815       Builder.CreateAlignedStore(src, blockField, align.getQuantity());
00816 
00817     // If we have a copy constructor, evaluate that into the block field.
00818     } else if (const Expr *copyExpr = CI.getCopyExpr()) {
00819       if (blockDecl->isConversionFromLambda()) {
00820         // If we have a lambda conversion, emit the expression
00821         // directly into the block instead.
00822         AggValueSlot Slot =
00823             AggValueSlot::forAddr(blockField, align, Qualifiers(),
00824                                   AggValueSlot::IsDestructed,
00825                                   AggValueSlot::DoesNotNeedGCBarriers,
00826                                   AggValueSlot::IsNotAliased);
00827         EmitAggExpr(copyExpr, Slot);
00828       } else {
00829         EmitSynthesizedCXXCopyCtor(blockField, src, copyExpr);
00830       }
00831 
00832     // If it's a reference variable, copy the reference into the block field.
00833     } else if (type->isReferenceType()) {
00834       llvm::Value *ref =
00835         Builder.CreateAlignedLoad(src, align.getQuantity(), "ref.val");
00836       Builder.CreateAlignedStore(ref, blockField, align.getQuantity());
00837 
00838     // If this is an ARC __strong block-pointer variable, don't do a
00839     // block copy.
00840     //
00841     // TODO: this can be generalized into the normal initialization logic:
00842     // we should never need to do a block-copy when initializing a local
00843     // variable, because the local variable's lifetime should be strictly
00844     // contained within the stack block's.
00845     } else if (type.getObjCLifetime() == Qualifiers::OCL_Strong &&
00846                type->isBlockPointerType()) {
00847       // Load the block and do a simple retain.
00848       LValue srcLV = MakeAddrLValue(src, type, align);
00849       llvm::Value *value = EmitLoadOfScalar(srcLV, SourceLocation());
00850       value = EmitARCRetainNonBlock(value);
00851 
00852       // Do a primitive store to the block field.
00853       LValue destLV = MakeAddrLValue(blockField, type, align);
00854       EmitStoreOfScalar(value, destLV, /*init*/ true);
00855 
00856     // Otherwise, fake up a POD copy into the block field.
00857     } else {
00858       // Fake up a new variable so that EmitScalarInit doesn't think
00859       // we're referring to the variable in its own initializer.
00860       ImplicitParamDecl blockFieldPseudoVar(getContext(), /*DC*/ nullptr,
00861                                             SourceLocation(), /*name*/ nullptr,
00862                                             type);
00863 
00864       // We use one of these or the other depending on whether the
00865       // reference is nested.
00866       DeclRefExpr declRef(const_cast<VarDecl*>(variable),
00867                           /*refersToEnclosing*/ CI.isNested(), type,
00868                           VK_LValue, SourceLocation());
00869 
00870       ImplicitCastExpr l2r(ImplicitCastExpr::OnStack, type, CK_LValueToRValue,
00871                            &declRef, VK_RValue);
00872       EmitExprAsInit(&l2r, &blockFieldPseudoVar,
00873                      MakeAddrLValue(blockField, type, align),
00874                      /*captured by init*/ false);
00875     }
00876 
00877     // Activate the cleanup if layout pushed one.
00878     if (!CI.isByRef()) {
00879       EHScopeStack::stable_iterator cleanup = capture.getCleanup();
00880       if (cleanup.isValid())
00881         ActivateCleanupBlock(cleanup, blockInfo.DominatingIP);
00882     }
00883   }
00884 
00885   // Cast to the converted block-pointer type, which happens (somewhat
00886   // unfortunately) to be a pointer to function type.
00887   llvm::Value *result =
00888     Builder.CreateBitCast(blockAddr,
00889                           ConvertType(blockInfo.getBlockExpr()->getType()));
00890 
00891   return result;
00892 }
00893 
00894 
00895 llvm::Type *CodeGenModule::getBlockDescriptorType() {
00896   if (BlockDescriptorType)
00897     return BlockDescriptorType;
00898 
00899   llvm::Type *UnsignedLongTy =
00900     getTypes().ConvertType(getContext().UnsignedLongTy);
00901 
00902   // struct __block_descriptor {
00903   //   unsigned long reserved;
00904   //   unsigned long block_size;
00905   //
00906   //   // later, the following will be added
00907   //
00908   //   struct {
00909   //     void (*copyHelper)();
00910   //     void (*copyHelper)();
00911   //   } helpers;                // !!! optional
00912   //
00913   //   const char *signature;   // the block signature
00914   //   const char *layout;      // reserved
00915   // };
00916   BlockDescriptorType =
00917     llvm::StructType::create("struct.__block_descriptor",
00918                              UnsignedLongTy, UnsignedLongTy, NULL);
00919 
00920   // Now form a pointer to that.
00921   BlockDescriptorType = llvm::PointerType::getUnqual(BlockDescriptorType);
00922   return BlockDescriptorType;
00923 }
00924 
00925 llvm::Type *CodeGenModule::getGenericBlockLiteralType() {
00926   if (GenericBlockLiteralType)
00927     return GenericBlockLiteralType;
00928 
00929   llvm::Type *BlockDescPtrTy = getBlockDescriptorType();
00930 
00931   // struct __block_literal_generic {
00932   //   void *__isa;
00933   //   int __flags;
00934   //   int __reserved;
00935   //   void (*__invoke)(void *);
00936   //   struct __block_descriptor *__descriptor;
00937   // };
00938   GenericBlockLiteralType =
00939     llvm::StructType::create("struct.__block_literal_generic",
00940                              VoidPtrTy, IntTy, IntTy, VoidPtrTy,
00941                              BlockDescPtrTy, NULL);
00942 
00943   return GenericBlockLiteralType;
00944 }
00945 
00946 
00947 RValue CodeGenFunction::EmitBlockCallExpr(const CallExpr *E, 
00948                                           ReturnValueSlot ReturnValue) {
00949   const BlockPointerType *BPT =
00950     E->getCallee()->getType()->getAs<BlockPointerType>();
00951 
00952   llvm::Value *Callee = EmitScalarExpr(E->getCallee());
00953 
00954   // Get a pointer to the generic block literal.
00955   llvm::Type *BlockLiteralTy =
00956     llvm::PointerType::getUnqual(CGM.getGenericBlockLiteralType());
00957 
00958   // Bitcast the callee to a block literal.
00959   llvm::Value *BlockLiteral =
00960     Builder.CreateBitCast(Callee, BlockLiteralTy, "block.literal");
00961 
00962   // Get the function pointer from the literal.
00963   llvm::Value *FuncPtr = Builder.CreateStructGEP(BlockLiteral, 3);
00964 
00965   BlockLiteral = Builder.CreateBitCast(BlockLiteral, VoidPtrTy);
00966 
00967   // Add the block literal.
00968   CallArgList Args;
00969   Args.add(RValue::get(BlockLiteral), getContext().VoidPtrTy);
00970 
00971   QualType FnType = BPT->getPointeeType();
00972 
00973   // And the rest of the arguments.
00974   EmitCallArgs(Args, FnType->getAs<FunctionProtoType>(),
00975                E->arg_begin(), E->arg_end());
00976 
00977   // Load the function.
00978   llvm::Value *Func = Builder.CreateLoad(FuncPtr);
00979 
00980   const FunctionType *FuncTy = FnType->castAs<FunctionType>();
00981   const CGFunctionInfo &FnInfo =
00982     CGM.getTypes().arrangeBlockFunctionCall(Args, FuncTy);
00983 
00984   // Cast the function pointer to the right type.
00985   llvm::Type *BlockFTy = CGM.getTypes().GetFunctionType(FnInfo);
00986 
00987   llvm::Type *BlockFTyPtr = llvm::PointerType::getUnqual(BlockFTy);
00988   Func = Builder.CreateBitCast(Func, BlockFTyPtr);
00989 
00990   // And call the block.
00991   return EmitCall(FnInfo, Func, ReturnValue, Args);
00992 }
00993 
00994 llvm::Value *CodeGenFunction::GetAddrOfBlockDecl(const VarDecl *variable,
00995                                                  bool isByRef) {
00996   assert(BlockInfo && "evaluating block ref without block information?");
00997   const CGBlockInfo::Capture &capture = BlockInfo->getCapture(variable);
00998 
00999   // Handle constant captures.
01000   if (capture.isConstant()) return LocalDeclMap[variable];
01001 
01002   llvm::Value *addr =
01003     Builder.CreateStructGEP(LoadBlockStruct(), capture.getIndex(),
01004                             "block.capture.addr");
01005 
01006   if (isByRef) {
01007     // addr should be a void** right now.  Load, then cast the result
01008     // to byref*.
01009 
01010     addr = Builder.CreateLoad(addr);
01011     llvm::PointerType *byrefPointerType
01012       = llvm::PointerType::get(BuildByRefType(variable), 0);
01013     addr = Builder.CreateBitCast(addr, byrefPointerType,
01014                                  "byref.addr");
01015 
01016     // Follow the forwarding pointer.
01017     addr = Builder.CreateStructGEP(addr, 1, "byref.forwarding");
01018     addr = Builder.CreateLoad(addr, "byref.addr.forwarded");
01019 
01020     // Cast back to byref* and GEP over to the actual object.
01021     addr = Builder.CreateBitCast(addr, byrefPointerType);
01022     addr = Builder.CreateStructGEP(addr, getByRefValueLLVMField(variable), 
01023                                    variable->getNameAsString());
01024   }
01025 
01026   if (variable->getType()->isReferenceType())
01027     addr = Builder.CreateLoad(addr, "ref.tmp");
01028 
01029   return addr;
01030 }
01031 
01032 llvm::Constant *
01033 CodeGenModule::GetAddrOfGlobalBlock(const BlockExpr *blockExpr,
01034                                     const char *name) {
01035   CGBlockInfo blockInfo(blockExpr->getBlockDecl(), name);
01036   blockInfo.BlockExpression = blockExpr;
01037 
01038   // Compute information about the layout, etc., of this block.
01039   computeBlockInfo(*this, nullptr, blockInfo);
01040 
01041   // Using that metadata, generate the actual block function.
01042   llvm::Constant *blockFn;
01043   {
01044     llvm::DenseMap<const Decl*, llvm::Value*> LocalDeclMap;
01045     blockFn = CodeGenFunction(*this).GenerateBlockFunction(GlobalDecl(),
01046                                                            blockInfo,
01047                                                            LocalDeclMap,
01048                                                            false);
01049   }
01050   blockFn = llvm::ConstantExpr::getBitCast(blockFn, VoidPtrTy);
01051 
01052   return buildGlobalBlock(*this, blockInfo, blockFn);
01053 }
01054 
01055 static llvm::Constant *buildGlobalBlock(CodeGenModule &CGM,
01056                                         const CGBlockInfo &blockInfo,
01057                                         llvm::Constant *blockFn) {
01058   assert(blockInfo.CanBeGlobal);
01059 
01060   // Generate the constants for the block literal initializer.
01061   llvm::Constant *fields[BlockHeaderSize];
01062 
01063   // isa
01064   fields[0] = CGM.getNSConcreteGlobalBlock();
01065 
01066   // __flags
01067   BlockFlags flags = BLOCK_IS_GLOBAL | BLOCK_HAS_SIGNATURE;
01068   if (blockInfo.UsesStret) flags |= BLOCK_USE_STRET;
01069                                       
01070   fields[1] = llvm::ConstantInt::get(CGM.IntTy, flags.getBitMask());
01071 
01072   // Reserved
01073   fields[2] = llvm::Constant::getNullValue(CGM.IntTy);
01074 
01075   // Function
01076   fields[3] = blockFn;
01077 
01078   // Descriptor
01079   fields[4] = buildBlockDescriptor(CGM, blockInfo);
01080 
01081   llvm::Constant *init = llvm::ConstantStruct::getAnon(fields);
01082 
01083   llvm::GlobalVariable *literal =
01084     new llvm::GlobalVariable(CGM.getModule(),
01085                              init->getType(),
01086                              /*constant*/ true,
01087                              llvm::GlobalVariable::InternalLinkage,
01088                              init,
01089                              "__block_literal_global");
01090   literal->setAlignment(blockInfo.BlockAlign.getQuantity());
01091 
01092   // Return a constant of the appropriately-casted type.
01093   llvm::Type *requiredType =
01094     CGM.getTypes().ConvertType(blockInfo.getBlockExpr()->getType());
01095   return llvm::ConstantExpr::getBitCast(literal, requiredType);
01096 }
01097 
01098 llvm::Function *
01099 CodeGenFunction::GenerateBlockFunction(GlobalDecl GD,
01100                                        const CGBlockInfo &blockInfo,
01101                                        const DeclMapTy &ldm,
01102                                        bool IsLambdaConversionToBlock) {
01103   const BlockDecl *blockDecl = blockInfo.getBlockDecl();
01104 
01105   CurGD = GD;
01106   
01107   BlockInfo = &blockInfo;
01108 
01109   // Arrange for local static and local extern declarations to appear
01110   // to be local to this function as well, in case they're directly
01111   // referenced in a block.
01112   for (DeclMapTy::const_iterator i = ldm.begin(), e = ldm.end(); i != e; ++i) {
01113     const auto *var = dyn_cast<VarDecl>(i->first);
01114     if (var && !var->hasLocalStorage())
01115       LocalDeclMap[var] = i->second;
01116   }
01117 
01118   // Begin building the function declaration.
01119 
01120   // Build the argument list.
01121   FunctionArgList args;
01122 
01123   // The first argument is the block pointer.  Just take it as a void*
01124   // and cast it later.
01125   QualType selfTy = getContext().VoidPtrTy;
01126   IdentifierInfo *II = &CGM.getContext().Idents.get(".block_descriptor");
01127 
01128   ImplicitParamDecl selfDecl(getContext(), const_cast<BlockDecl*>(blockDecl),
01129                              SourceLocation(), II, selfTy);
01130   args.push_back(&selfDecl);
01131 
01132   // Now add the rest of the parameters.
01133   for (auto i : blockDecl->params())
01134     args.push_back(i);
01135 
01136   // Create the function declaration.
01137   const FunctionProtoType *fnType = blockInfo.getBlockExpr()->getFunctionType();
01138   const CGFunctionInfo &fnInfo = CGM.getTypes().arrangeFreeFunctionDeclaration(
01139       fnType->getReturnType(), args, fnType->getExtInfo(),
01140       fnType->isVariadic());
01141   if (CGM.ReturnSlotInterferesWithArgs(fnInfo))
01142     blockInfo.UsesStret = true;
01143 
01144   llvm::FunctionType *fnLLVMType = CGM.getTypes().GetFunctionType(fnInfo);
01145 
01146   StringRef name = CGM.getBlockMangledName(GD, blockDecl);
01147   llvm::Function *fn = llvm::Function::Create(
01148       fnLLVMType, llvm::GlobalValue::InternalLinkage, name, &CGM.getModule());
01149   CGM.SetInternalFunctionAttributes(blockDecl, fn, fnInfo);
01150 
01151   // Begin generating the function.
01152   StartFunction(blockDecl, fnType->getReturnType(), fn, fnInfo, args,
01153                 blockDecl->getLocation(),
01154                 blockInfo.getBlockExpr()->getBody()->getLocStart());
01155 
01156   // Okay.  Undo some of what StartFunction did.
01157   
01158   // Pull the 'self' reference out of the local decl map.
01159   llvm::Value *blockAddr = LocalDeclMap[&selfDecl];
01160   LocalDeclMap.erase(&selfDecl);
01161   BlockPointer = Builder.CreateBitCast(blockAddr,
01162                                        blockInfo.StructureType->getPointerTo(),
01163                                        "block");
01164   // At -O0 we generate an explicit alloca for the BlockPointer, so the RA
01165   // won't delete the dbg.declare intrinsics for captured variables.
01166   llvm::Value *BlockPointerDbgLoc = BlockPointer;
01167   if (CGM.getCodeGenOpts().OptimizationLevel == 0) {
01168     // Allocate a stack slot for it, so we can point the debugger to it
01169     llvm::AllocaInst *Alloca = CreateTempAlloca(BlockPointer->getType(),
01170                                                 "block.addr");
01171     unsigned Align = getContext().getDeclAlign(&selfDecl).getQuantity();
01172     Alloca->setAlignment(Align);
01173     // Set the DebugLocation to empty, so the store is recognized as a
01174     // frame setup instruction by llvm::DwarfDebug::beginFunction().
01175     NoLocation NL(*this, Builder);
01176     Builder.CreateAlignedStore(BlockPointer, Alloca, Align);
01177     BlockPointerDbgLoc = Alloca;
01178   }
01179 
01180   // If we have a C++ 'this' reference, go ahead and force it into
01181   // existence now.
01182   if (blockDecl->capturesCXXThis()) {
01183     llvm::Value *addr = Builder.CreateStructGEP(BlockPointer,
01184                                                 blockInfo.CXXThisIndex,
01185                                                 "block.captured-this");
01186     CXXThisValue = Builder.CreateLoad(addr, "this");
01187   }
01188 
01189   // Also force all the constant captures.
01190   for (const auto &CI : blockDecl->captures()) {
01191     const VarDecl *variable = CI.getVariable();
01192     const CGBlockInfo::Capture &capture = blockInfo.getCapture(variable);
01193     if (!capture.isConstant()) continue;
01194 
01195     unsigned align = getContext().getDeclAlign(variable).getQuantity();
01196 
01197     llvm::AllocaInst *alloca =
01198       CreateMemTemp(variable->getType(), "block.captured-const");
01199     alloca->setAlignment(align);
01200 
01201     Builder.CreateAlignedStore(capture.getConstant(), alloca, align);
01202 
01203     LocalDeclMap[variable] = alloca;
01204   }
01205 
01206   // Save a spot to insert the debug information for all the DeclRefExprs.
01207   llvm::BasicBlock *entry = Builder.GetInsertBlock();
01208   llvm::BasicBlock::iterator entry_ptr = Builder.GetInsertPoint();
01209   --entry_ptr;
01210 
01211   if (IsLambdaConversionToBlock)
01212     EmitLambdaBlockInvokeBody();
01213   else {
01214     PGO.assignRegionCounters(blockDecl, fn);
01215     RegionCounter Cnt = getPGORegionCounter(blockDecl->getBody());
01216     Cnt.beginRegion(Builder);
01217     EmitStmt(blockDecl->getBody());
01218     PGO.emitInstrumentationData();
01219     PGO.destroyRegionCounters();
01220   }
01221 
01222   // Remember where we were...
01223   llvm::BasicBlock *resume = Builder.GetInsertBlock();
01224 
01225   // Go back to the entry.
01226   ++entry_ptr;
01227   Builder.SetInsertPoint(entry, entry_ptr);
01228 
01229   // Emit debug information for all the DeclRefExprs.
01230   // FIXME: also for 'this'
01231   if (CGDebugInfo *DI = getDebugInfo()) {
01232     for (const auto &CI : blockDecl->captures()) {
01233       const VarDecl *variable = CI.getVariable();
01234       DI->EmitLocation(Builder, variable->getLocation());
01235 
01236       if (CGM.getCodeGenOpts().getDebugInfo()
01237             >= CodeGenOptions::LimitedDebugInfo) {
01238         const CGBlockInfo::Capture &capture = blockInfo.getCapture(variable);
01239         if (capture.isConstant()) {
01240           DI->EmitDeclareOfAutoVariable(variable, LocalDeclMap[variable],
01241                                         Builder);
01242           continue;
01243         }
01244 
01245         DI->EmitDeclareOfBlockDeclRefVariable(variable, BlockPointerDbgLoc,
01246                                               Builder, blockInfo);
01247       }
01248     }
01249     // Recover location if it was changed in the above loop.
01250     DI->EmitLocation(Builder,
01251                      cast<CompoundStmt>(blockDecl->getBody())->getRBracLoc());
01252   }
01253 
01254   // And resume where we left off.
01255   if (resume == nullptr)
01256     Builder.ClearInsertionPoint();
01257   else
01258     Builder.SetInsertPoint(resume);
01259 
01260   FinishFunction(cast<CompoundStmt>(blockDecl->getBody())->getRBracLoc());
01261 
01262   return fn;
01263 }
01264 
01265 /*
01266     notes.push_back(HelperInfo());
01267     HelperInfo &note = notes.back();
01268     note.index = capture.getIndex();
01269     note.RequiresCopying = (ci->hasCopyExpr() || BlockRequiresCopying(type));
01270     note.cxxbar_import = ci->getCopyExpr();
01271 
01272     if (ci->isByRef()) {
01273       note.flag = BLOCK_FIELD_IS_BYREF;
01274       if (type.isObjCGCWeak())
01275         note.flag |= BLOCK_FIELD_IS_WEAK;
01276     } else if (type->isBlockPointerType()) {
01277       note.flag = BLOCK_FIELD_IS_BLOCK;
01278     } else {
01279       note.flag = BLOCK_FIELD_IS_OBJECT;
01280     }
01281  */
01282 
01283 
01284 /// Generate the copy-helper function for a block closure object:
01285 ///   static void block_copy_helper(block_t *dst, block_t *src);
01286 /// The runtime will have previously initialized 'dst' by doing a
01287 /// bit-copy of 'src'.
01288 ///
01289 /// Note that this copies an entire block closure object to the heap;
01290 /// it should not be confused with a 'byref copy helper', which moves
01291 /// the contents of an individual __block variable to the heap.
01292 llvm::Constant *
01293 CodeGenFunction::GenerateCopyHelperFunction(const CGBlockInfo &blockInfo) {
01294   ASTContext &C = getContext();
01295 
01296   FunctionArgList args;
01297   ImplicitParamDecl dstDecl(getContext(), nullptr, SourceLocation(), nullptr,
01298                             C.VoidPtrTy);
01299   args.push_back(&dstDecl);
01300   ImplicitParamDecl srcDecl(getContext(), nullptr, SourceLocation(), nullptr,
01301                             C.VoidPtrTy);
01302   args.push_back(&srcDecl);
01303 
01304   const CGFunctionInfo &FI = CGM.getTypes().arrangeFreeFunctionDeclaration(
01305       C.VoidTy, args, FunctionType::ExtInfo(), /*variadic=*/false);
01306 
01307   // FIXME: it would be nice if these were mergeable with things with
01308   // identical semantics.
01309   llvm::FunctionType *LTy = CGM.getTypes().GetFunctionType(FI);
01310 
01311   llvm::Function *Fn =
01312     llvm::Function::Create(LTy, llvm::GlobalValue::InternalLinkage,
01313                            "__copy_helper_block_", &CGM.getModule());
01314 
01315   IdentifierInfo *II
01316     = &CGM.getContext().Idents.get("__copy_helper_block_");
01317 
01318   FunctionDecl *FD = FunctionDecl::Create(C,
01319                                           C.getTranslationUnitDecl(),
01320                                           SourceLocation(),
01321                                           SourceLocation(), II, C.VoidTy,
01322                                           nullptr, SC_Static,
01323                                           false,
01324                                           false);
01325   // Create a scope with an artificial location for the body of this function.
01326   ArtificialLocation AL(*this, Builder);
01327   StartFunction(FD, C.VoidTy, Fn, FI, args);
01328   AL.Emit();
01329 
01330   llvm::Type *structPtrTy = blockInfo.StructureType->getPointerTo();
01331 
01332   llvm::Value *src = GetAddrOfLocalVar(&srcDecl);
01333   src = Builder.CreateLoad(src);
01334   src = Builder.CreateBitCast(src, structPtrTy, "block.source");
01335 
01336   llvm::Value *dst = GetAddrOfLocalVar(&dstDecl);
01337   dst = Builder.CreateLoad(dst);
01338   dst = Builder.CreateBitCast(dst, structPtrTy, "block.dest");
01339 
01340   const BlockDecl *blockDecl = blockInfo.getBlockDecl();
01341 
01342   for (const auto &CI : blockDecl->captures()) {
01343     const VarDecl *variable = CI.getVariable();
01344     QualType type = variable->getType();
01345 
01346     const CGBlockInfo::Capture &capture = blockInfo.getCapture(variable);
01347     if (capture.isConstant()) continue;
01348 
01349     const Expr *copyExpr = CI.getCopyExpr();
01350     BlockFieldFlags flags;
01351 
01352     bool useARCWeakCopy = false;
01353     bool useARCStrongCopy = false;
01354 
01355     if (copyExpr) {
01356       assert(!CI.isByRef());
01357       // don't bother computing flags
01358 
01359     } else if (CI.isByRef()) {
01360       flags = BLOCK_FIELD_IS_BYREF;
01361       if (type.isObjCGCWeak())
01362         flags |= BLOCK_FIELD_IS_WEAK;
01363 
01364     } else if (type->isObjCRetainableType()) {
01365       flags = BLOCK_FIELD_IS_OBJECT;
01366       bool isBlockPointer = type->isBlockPointerType();
01367       if (isBlockPointer)
01368         flags = BLOCK_FIELD_IS_BLOCK;
01369 
01370       // Special rules for ARC captures:
01371       if (getLangOpts().ObjCAutoRefCount) {
01372         Qualifiers qs = type.getQualifiers();
01373 
01374         // We need to register __weak direct captures with the runtime.
01375         if (qs.getObjCLifetime() == Qualifiers::OCL_Weak) {
01376           useARCWeakCopy = true;
01377 
01378         // We need to retain the copied value for __strong direct captures.
01379         } else if (qs.getObjCLifetime() == Qualifiers::OCL_Strong) {
01380           // If it's a block pointer, we have to copy the block and
01381           // assign that to the destination pointer, so we might as
01382           // well use _Block_object_assign.  Otherwise we can avoid that.
01383           if (!isBlockPointer)
01384             useARCStrongCopy = true;
01385 
01386         // Otherwise the memcpy is fine.
01387         } else {
01388           continue;
01389         }
01390 
01391       // Non-ARC captures of retainable pointers are strong and
01392       // therefore require a call to _Block_object_assign.
01393       } else {
01394         // fall through
01395       }
01396     } else {
01397       continue;
01398     }
01399 
01400     unsigned index = capture.getIndex();
01401     llvm::Value *srcField = Builder.CreateStructGEP(src, index);
01402     llvm::Value *dstField = Builder.CreateStructGEP(dst, index);
01403 
01404     // If there's an explicit copy expression, we do that.
01405     if (copyExpr) {
01406       EmitSynthesizedCXXCopyCtor(dstField, srcField, copyExpr);
01407     } else if (useARCWeakCopy) {
01408       EmitARCCopyWeak(dstField, srcField);
01409     } else {
01410       llvm::Value *srcValue = Builder.CreateLoad(srcField, "blockcopy.src");
01411       if (useARCStrongCopy) {
01412         // At -O0, store null into the destination field (so that the
01413         // storeStrong doesn't over-release) and then call storeStrong.
01414         // This is a workaround to not having an initStrong call.
01415         if (CGM.getCodeGenOpts().OptimizationLevel == 0) {
01416           auto *ty = cast<llvm::PointerType>(srcValue->getType());
01417           llvm::Value *null = llvm::ConstantPointerNull::get(ty);
01418           Builder.CreateStore(null, dstField);
01419           EmitARCStoreStrongCall(dstField, srcValue, true);
01420 
01421         // With optimization enabled, take advantage of the fact that
01422         // the blocks runtime guarantees a memcpy of the block data, and
01423         // just emit a retain of the src field.
01424         } else {
01425           EmitARCRetainNonBlock(srcValue);
01426 
01427           // We don't need this anymore, so kill it.  It's not quite
01428           // worth the annoyance to avoid creating it in the first place.
01429           cast<llvm::Instruction>(dstField)->eraseFromParent();
01430         }
01431       } else {
01432         srcValue = Builder.CreateBitCast(srcValue, VoidPtrTy);
01433         llvm::Value *dstAddr = Builder.CreateBitCast(dstField, VoidPtrTy);
01434         llvm::Value *args[] = {
01435           dstAddr, srcValue, llvm::ConstantInt::get(Int32Ty, flags.getBitMask())
01436         };
01437 
01438         bool copyCanThrow = false;
01439         if (CI.isByRef() && variable->getType()->getAsCXXRecordDecl()) {
01440           const Expr *copyExpr =
01441             CGM.getContext().getBlockVarCopyInits(variable);
01442           if (copyExpr) {
01443             copyCanThrow = true; // FIXME: reuse the noexcept logic
01444           }
01445         }
01446 
01447         if (copyCanThrow) {
01448           EmitRuntimeCallOrInvoke(CGM.getBlockObjectAssign(), args);
01449         } else {
01450           EmitNounwindRuntimeCall(CGM.getBlockObjectAssign(), args);
01451         }
01452       }
01453     }
01454   }
01455 
01456   FinishFunction();
01457 
01458   return llvm::ConstantExpr::getBitCast(Fn, VoidPtrTy);
01459 }
01460 
01461 /// Generate the destroy-helper function for a block closure object:
01462 ///   static void block_destroy_helper(block_t *theBlock);
01463 ///
01464 /// Note that this destroys a heap-allocated block closure object;
01465 /// it should not be confused with a 'byref destroy helper', which
01466 /// destroys the heap-allocated contents of an individual __block
01467 /// variable.
01468 llvm::Constant *
01469 CodeGenFunction::GenerateDestroyHelperFunction(const CGBlockInfo &blockInfo) {
01470   ASTContext &C = getContext();
01471 
01472   FunctionArgList args;
01473   ImplicitParamDecl srcDecl(getContext(), nullptr, SourceLocation(), nullptr,
01474                             C.VoidPtrTy);
01475   args.push_back(&srcDecl);
01476 
01477   const CGFunctionInfo &FI = CGM.getTypes().arrangeFreeFunctionDeclaration(
01478       C.VoidTy, args, FunctionType::ExtInfo(), /*variadic=*/false);
01479 
01480   // FIXME: We'd like to put these into a mergable by content, with
01481   // internal linkage.
01482   llvm::FunctionType *LTy = CGM.getTypes().GetFunctionType(FI);
01483 
01484   llvm::Function *Fn =
01485     llvm::Function::Create(LTy, llvm::GlobalValue::InternalLinkage,
01486                            "__destroy_helper_block_", &CGM.getModule());
01487 
01488   IdentifierInfo *II
01489     = &CGM.getContext().Idents.get("__destroy_helper_block_");
01490 
01491   FunctionDecl *FD = FunctionDecl::Create(C, C.getTranslationUnitDecl(),
01492                                           SourceLocation(),
01493                                           SourceLocation(), II, C.VoidTy,
01494                                           nullptr, SC_Static,
01495                                           false, false);
01496   // Create a scope with an artificial location for the body of this function.
01497   ArtificialLocation AL(*this, Builder);
01498   StartFunction(FD, C.VoidTy, Fn, FI, args);
01499   AL.Emit();
01500 
01501   llvm::Type *structPtrTy = blockInfo.StructureType->getPointerTo();
01502 
01503   llvm::Value *src = GetAddrOfLocalVar(&srcDecl);
01504   src = Builder.CreateLoad(src);
01505   src = Builder.CreateBitCast(src, structPtrTy, "block");
01506 
01507   const BlockDecl *blockDecl = blockInfo.getBlockDecl();
01508 
01509   CodeGenFunction::RunCleanupsScope cleanups(*this);
01510 
01511   for (const auto &CI : blockDecl->captures()) {
01512     const VarDecl *variable = CI.getVariable();
01513     QualType type = variable->getType();
01514 
01515     const CGBlockInfo::Capture &capture = blockInfo.getCapture(variable);
01516     if (capture.isConstant()) continue;
01517 
01518     BlockFieldFlags flags;
01519     const CXXDestructorDecl *dtor = nullptr;
01520 
01521     bool useARCWeakDestroy = false;
01522     bool useARCStrongDestroy = false;
01523 
01524     if (CI.isByRef()) {
01525       flags = BLOCK_FIELD_IS_BYREF;
01526       if (type.isObjCGCWeak())
01527         flags |= BLOCK_FIELD_IS_WEAK;
01528     } else if (const CXXRecordDecl *record = type->getAsCXXRecordDecl()) {
01529       if (record->hasTrivialDestructor())
01530         continue;
01531       dtor = record->getDestructor();
01532     } else if (type->isObjCRetainableType()) {
01533       flags = BLOCK_FIELD_IS_OBJECT;
01534       if (type->isBlockPointerType())
01535         flags = BLOCK_FIELD_IS_BLOCK;
01536 
01537       // Special rules for ARC captures.
01538       if (getLangOpts().ObjCAutoRefCount) {
01539         Qualifiers qs = type.getQualifiers();
01540 
01541         // Don't generate special dispose logic for a captured object
01542         // unless it's __strong or __weak.
01543         if (!qs.hasStrongOrWeakObjCLifetime())
01544           continue;
01545 
01546         // Support __weak direct captures.
01547         if (qs.getObjCLifetime() == Qualifiers::OCL_Weak)
01548           useARCWeakDestroy = true;
01549 
01550         // Tools really want us to use objc_storeStrong here.
01551         else
01552           useARCStrongDestroy = true;
01553       }
01554     } else {
01555       continue;
01556     }
01557 
01558     unsigned index = capture.getIndex();
01559     llvm::Value *srcField = Builder.CreateStructGEP(src, index);
01560 
01561     // If there's an explicit copy expression, we do that.
01562     if (dtor) {
01563       PushDestructorCleanup(dtor, srcField);
01564 
01565     // If this is a __weak capture, emit the release directly.
01566     } else if (useARCWeakDestroy) {
01567       EmitARCDestroyWeak(srcField);
01568 
01569     // Destroy strong objects with a call if requested.
01570     } else if (useARCStrongDestroy) {
01571       EmitARCDestroyStrong(srcField, ARCImpreciseLifetime);
01572 
01573     // Otherwise we call _Block_object_dispose.  It wouldn't be too
01574     // hard to just emit this as a cleanup if we wanted to make sure
01575     // that things were done in reverse.
01576     } else {
01577       llvm::Value *value = Builder.CreateLoad(srcField);
01578       value = Builder.CreateBitCast(value, VoidPtrTy);
01579       BuildBlockRelease(value, flags);
01580     }
01581   }
01582 
01583   cleanups.ForceCleanup();
01584 
01585   FinishFunction();
01586 
01587   return llvm::ConstantExpr::getBitCast(Fn, VoidPtrTy);
01588 }
01589 
01590 namespace {
01591 
01592 /// Emits the copy/dispose helper functions for a __block object of id type.
01593 class ObjectByrefHelpers : public CodeGenModule::ByrefHelpers {
01594   BlockFieldFlags Flags;
01595 
01596 public:
01597   ObjectByrefHelpers(CharUnits alignment, BlockFieldFlags flags)
01598     : ByrefHelpers(alignment), Flags(flags) {}
01599 
01600   void emitCopy(CodeGenFunction &CGF, llvm::Value *destField,
01601                 llvm::Value *srcField) override {
01602     destField = CGF.Builder.CreateBitCast(destField, CGF.VoidPtrTy);
01603 
01604     srcField = CGF.Builder.CreateBitCast(srcField, CGF.VoidPtrPtrTy);
01605     llvm::Value *srcValue = CGF.Builder.CreateLoad(srcField);
01606 
01607     unsigned flags = (Flags | BLOCK_BYREF_CALLER).getBitMask();
01608 
01609     llvm::Value *flagsVal = llvm::ConstantInt::get(CGF.Int32Ty, flags);
01610     llvm::Value *fn = CGF.CGM.getBlockObjectAssign();
01611 
01612     llvm::Value *args[] = { destField, srcValue, flagsVal };
01613     CGF.EmitNounwindRuntimeCall(fn, args);
01614   }
01615 
01616   void emitDispose(CodeGenFunction &CGF, llvm::Value *field) override {
01617     field = CGF.Builder.CreateBitCast(field, CGF.Int8PtrTy->getPointerTo(0));
01618     llvm::Value *value = CGF.Builder.CreateLoad(field);
01619 
01620     CGF.BuildBlockRelease(value, Flags | BLOCK_BYREF_CALLER);
01621   }
01622 
01623   void profileImpl(llvm::FoldingSetNodeID &id) const override {
01624     id.AddInteger(Flags.getBitMask());
01625   }
01626 };
01627 
01628 /// Emits the copy/dispose helpers for an ARC __block __weak variable.
01629 class ARCWeakByrefHelpers : public CodeGenModule::ByrefHelpers {
01630 public:
01631   ARCWeakByrefHelpers(CharUnits alignment) : ByrefHelpers(alignment) {}
01632 
01633   void emitCopy(CodeGenFunction &CGF, llvm::Value *destField,
01634                 llvm::Value *srcField) override {
01635     CGF.EmitARCMoveWeak(destField, srcField);
01636   }
01637 
01638   void emitDispose(CodeGenFunction &CGF, llvm::Value *field) override {
01639     CGF.EmitARCDestroyWeak(field);
01640   }
01641 
01642   void profileImpl(llvm::FoldingSetNodeID &id) const override {
01643     // 0 is distinguishable from all pointers and byref flags
01644     id.AddInteger(0);
01645   }
01646 };
01647 
01648 /// Emits the copy/dispose helpers for an ARC __block __strong variable
01649 /// that's not of block-pointer type.
01650 class ARCStrongByrefHelpers : public CodeGenModule::ByrefHelpers {
01651 public:
01652   ARCStrongByrefHelpers(CharUnits alignment) : ByrefHelpers(alignment) {}
01653 
01654   void emitCopy(CodeGenFunction &CGF, llvm::Value *destField,
01655                 llvm::Value *srcField) override {
01656     // Do a "move" by copying the value and then zeroing out the old
01657     // variable.
01658 
01659     llvm::LoadInst *value = CGF.Builder.CreateLoad(srcField);
01660     value->setAlignment(Alignment.getQuantity());
01661     
01662     llvm::Value *null =
01663       llvm::ConstantPointerNull::get(cast<llvm::PointerType>(value->getType()));
01664 
01665     if (CGF.CGM.getCodeGenOpts().OptimizationLevel == 0) {
01666       llvm::StoreInst *store = CGF.Builder.CreateStore(null, destField);
01667       store->setAlignment(Alignment.getQuantity());
01668       CGF.EmitARCStoreStrongCall(destField, value, /*ignored*/ true);
01669       CGF.EmitARCStoreStrongCall(srcField, null, /*ignored*/ true);
01670       return;
01671     }
01672     llvm::StoreInst *store = CGF.Builder.CreateStore(value, destField);
01673     store->setAlignment(Alignment.getQuantity());
01674 
01675     store = CGF.Builder.CreateStore(null, srcField);
01676     store->setAlignment(Alignment.getQuantity());
01677   }
01678 
01679   void emitDispose(CodeGenFunction &CGF, llvm::Value *field) override {
01680     CGF.EmitARCDestroyStrong(field, ARCImpreciseLifetime);
01681   }
01682 
01683   void profileImpl(llvm::FoldingSetNodeID &id) const override {
01684     // 1 is distinguishable from all pointers and byref flags
01685     id.AddInteger(1);
01686   }
01687 };
01688 
01689 /// Emits the copy/dispose helpers for an ARC __block __strong
01690 /// variable that's of block-pointer type.
01691 class ARCStrongBlockByrefHelpers : public CodeGenModule::ByrefHelpers {
01692 public:
01693   ARCStrongBlockByrefHelpers(CharUnits alignment) : ByrefHelpers(alignment) {}
01694 
01695   void emitCopy(CodeGenFunction &CGF, llvm::Value *destField,
01696                 llvm::Value *srcField) override {
01697     // Do the copy with objc_retainBlock; that's all that
01698     // _Block_object_assign would do anyway, and we'd have to pass the
01699     // right arguments to make sure it doesn't get no-op'ed.
01700     llvm::LoadInst *oldValue = CGF.Builder.CreateLoad(srcField);
01701     oldValue->setAlignment(Alignment.getQuantity());
01702 
01703     llvm::Value *copy = CGF.EmitARCRetainBlock(oldValue, /*mandatory*/ true);
01704 
01705     llvm::StoreInst *store = CGF.Builder.CreateStore(copy, destField);
01706     store->setAlignment(Alignment.getQuantity());
01707   }
01708 
01709   void emitDispose(CodeGenFunction &CGF, llvm::Value *field) override {
01710     CGF.EmitARCDestroyStrong(field, ARCImpreciseLifetime);
01711   }
01712 
01713   void profileImpl(llvm::FoldingSetNodeID &id) const override {
01714     // 2 is distinguishable from all pointers and byref flags
01715     id.AddInteger(2);
01716   }
01717 };
01718 
01719 /// Emits the copy/dispose helpers for a __block variable with a
01720 /// nontrivial copy constructor or destructor.
01721 class CXXByrefHelpers : public CodeGenModule::ByrefHelpers {
01722   QualType VarType;
01723   const Expr *CopyExpr;
01724 
01725 public:
01726   CXXByrefHelpers(CharUnits alignment, QualType type,
01727                   const Expr *copyExpr)
01728     : ByrefHelpers(alignment), VarType(type), CopyExpr(copyExpr) {}
01729 
01730   bool needsCopy() const override { return CopyExpr != nullptr; }
01731   void emitCopy(CodeGenFunction &CGF, llvm::Value *destField,
01732                 llvm::Value *srcField) override {
01733     if (!CopyExpr) return;
01734     CGF.EmitSynthesizedCXXCopyCtor(destField, srcField, CopyExpr);
01735   }
01736 
01737   void emitDispose(CodeGenFunction &CGF, llvm::Value *field) override {
01738     EHScopeStack::stable_iterator cleanupDepth = CGF.EHStack.stable_begin();
01739     CGF.PushDestructorCleanup(VarType, field);
01740     CGF.PopCleanupBlocks(cleanupDepth);
01741   }
01742 
01743   void profileImpl(llvm::FoldingSetNodeID &id) const override {
01744     id.AddPointer(VarType.getCanonicalType().getAsOpaquePtr());
01745   }
01746 };
01747 } // end anonymous namespace
01748 
01749 static llvm::Constant *
01750 generateByrefCopyHelper(CodeGenFunction &CGF,
01751                         llvm::StructType &byrefType,
01752                         unsigned valueFieldIndex,
01753                         CodeGenModule::ByrefHelpers &byrefInfo) {
01754   ASTContext &Context = CGF.getContext();
01755 
01756   QualType R = Context.VoidTy;
01757 
01758   FunctionArgList args;
01759   ImplicitParamDecl dst(CGF.getContext(), nullptr, SourceLocation(), nullptr,
01760                         Context.VoidPtrTy);
01761   args.push_back(&dst);
01762 
01763   ImplicitParamDecl src(CGF.getContext(), nullptr, SourceLocation(), nullptr,
01764                         Context.VoidPtrTy);
01765   args.push_back(&src);
01766 
01767   const CGFunctionInfo &FI = CGF.CGM.getTypes().arrangeFreeFunctionDeclaration(
01768       R, args, FunctionType::ExtInfo(), /*variadic=*/false);
01769 
01770   CodeGenTypes &Types = CGF.CGM.getTypes();
01771   llvm::FunctionType *LTy = Types.GetFunctionType(FI);
01772 
01773   // FIXME: We'd like to put these into a mergable by content, with
01774   // internal linkage.
01775   llvm::Function *Fn =
01776     llvm::Function::Create(LTy, llvm::GlobalValue::InternalLinkage,
01777                            "__Block_byref_object_copy_", &CGF.CGM.getModule());
01778 
01779   IdentifierInfo *II
01780     = &Context.Idents.get("__Block_byref_object_copy_");
01781 
01782   FunctionDecl *FD = FunctionDecl::Create(Context,
01783                                           Context.getTranslationUnitDecl(),
01784                                           SourceLocation(),
01785                                           SourceLocation(), II, R, nullptr,
01786                                           SC_Static,
01787                                           false, false);
01788 
01789   CGF.StartFunction(FD, R, Fn, FI, args);
01790 
01791   if (byrefInfo.needsCopy()) {
01792     llvm::Type *byrefPtrType = byrefType.getPointerTo(0);
01793 
01794     // dst->x
01795     llvm::Value *destField = CGF.GetAddrOfLocalVar(&dst);
01796     destField = CGF.Builder.CreateLoad(destField);
01797     destField = CGF.Builder.CreateBitCast(destField, byrefPtrType);
01798     destField = CGF.Builder.CreateStructGEP(destField, valueFieldIndex, "x");
01799 
01800     // src->x
01801     llvm::Value *srcField = CGF.GetAddrOfLocalVar(&src);
01802     srcField = CGF.Builder.CreateLoad(srcField);
01803     srcField = CGF.Builder.CreateBitCast(srcField, byrefPtrType);
01804     srcField = CGF.Builder.CreateStructGEP(srcField, valueFieldIndex, "x");
01805 
01806     byrefInfo.emitCopy(CGF, destField, srcField);
01807   }  
01808 
01809   CGF.FinishFunction();
01810 
01811   return llvm::ConstantExpr::getBitCast(Fn, CGF.Int8PtrTy);
01812 }
01813 
01814 /// Build the copy helper for a __block variable.
01815 static llvm::Constant *buildByrefCopyHelper(CodeGenModule &CGM,
01816                                             llvm::StructType &byrefType,
01817                                             unsigned byrefValueIndex,
01818                                             CodeGenModule::ByrefHelpers &info) {
01819   CodeGenFunction CGF(CGM);
01820   return generateByrefCopyHelper(CGF, byrefType, byrefValueIndex, info);
01821 }
01822 
01823 /// Generate code for a __block variable's dispose helper.
01824 static llvm::Constant *
01825 generateByrefDisposeHelper(CodeGenFunction &CGF,
01826                            llvm::StructType &byrefType,
01827                            unsigned byrefValueIndex,
01828                            CodeGenModule::ByrefHelpers &byrefInfo) {
01829   ASTContext &Context = CGF.getContext();
01830   QualType R = Context.VoidTy;
01831 
01832   FunctionArgList args;
01833   ImplicitParamDecl src(CGF.getContext(), nullptr, SourceLocation(), nullptr,
01834                         Context.VoidPtrTy);
01835   args.push_back(&src);
01836 
01837   const CGFunctionInfo &FI = CGF.CGM.getTypes().arrangeFreeFunctionDeclaration(
01838       R, args, FunctionType::ExtInfo(), /*variadic=*/false);
01839 
01840   CodeGenTypes &Types = CGF.CGM.getTypes();
01841   llvm::FunctionType *LTy = Types.GetFunctionType(FI);
01842 
01843   // FIXME: We'd like to put these into a mergable by content, with
01844   // internal linkage.
01845   llvm::Function *Fn =
01846     llvm::Function::Create(LTy, llvm::GlobalValue::InternalLinkage,
01847                            "__Block_byref_object_dispose_",
01848                            &CGF.CGM.getModule());
01849 
01850   IdentifierInfo *II
01851     = &Context.Idents.get("__Block_byref_object_dispose_");
01852 
01853   FunctionDecl *FD = FunctionDecl::Create(Context,
01854                                           Context.getTranslationUnitDecl(),
01855                                           SourceLocation(),
01856                                           SourceLocation(), II, R, nullptr,
01857                                           SC_Static,
01858                                           false, false);
01859   CGF.StartFunction(FD, R, Fn, FI, args);
01860 
01861   if (byrefInfo.needsDispose()) {
01862     llvm::Value *V = CGF.GetAddrOfLocalVar(&src);
01863     V = CGF.Builder.CreateLoad(V);
01864     V = CGF.Builder.CreateBitCast(V, byrefType.getPointerTo(0));
01865     V = CGF.Builder.CreateStructGEP(V, byrefValueIndex, "x");
01866 
01867     byrefInfo.emitDispose(CGF, V);
01868   }
01869 
01870   CGF.FinishFunction();
01871 
01872   return llvm::ConstantExpr::getBitCast(Fn, CGF.Int8PtrTy);
01873 }
01874 
01875 /// Build the dispose helper for a __block variable.
01876 static llvm::Constant *buildByrefDisposeHelper(CodeGenModule &CGM,
01877                                               llvm::StructType &byrefType,
01878                                                unsigned byrefValueIndex,
01879                                             CodeGenModule::ByrefHelpers &info) {
01880   CodeGenFunction CGF(CGM);
01881   return generateByrefDisposeHelper(CGF, byrefType, byrefValueIndex, info);
01882 }
01883 
01884 /// Lazily build the copy and dispose helpers for a __block variable
01885 /// with the given information.
01886 template <class T> static T *buildByrefHelpers(CodeGenModule &CGM,
01887                                                llvm::StructType &byrefTy,
01888                                                unsigned byrefValueIndex,
01889                                                T &byrefInfo) {
01890   // Increase the field's alignment to be at least pointer alignment,
01891   // since the layout of the byref struct will guarantee at least that.
01892   byrefInfo.Alignment = std::max(byrefInfo.Alignment,
01893                               CharUnits::fromQuantity(CGM.PointerAlignInBytes));
01894 
01895   llvm::FoldingSetNodeID id;
01896   byrefInfo.Profile(id);
01897 
01898   void *insertPos;
01899   CodeGenModule::ByrefHelpers *node
01900     = CGM.ByrefHelpersCache.FindNodeOrInsertPos(id, insertPos);
01901   if (node) return static_cast<T*>(node);
01902 
01903   byrefInfo.CopyHelper =
01904     buildByrefCopyHelper(CGM, byrefTy, byrefValueIndex, byrefInfo);
01905   byrefInfo.DisposeHelper =
01906     buildByrefDisposeHelper(CGM, byrefTy, byrefValueIndex,byrefInfo);
01907 
01908   T *copy = new (CGM.getContext()) T(byrefInfo);
01909   CGM.ByrefHelpersCache.InsertNode(copy, insertPos);
01910   return copy;
01911 }
01912 
01913 /// Build the copy and dispose helpers for the given __block variable
01914 /// emission.  Places the helpers in the global cache.  Returns null
01915 /// if no helpers are required.
01916 CodeGenModule::ByrefHelpers *
01917 CodeGenFunction::buildByrefHelpers(llvm::StructType &byrefType,
01918                                    const AutoVarEmission &emission) {
01919   const VarDecl &var = *emission.Variable;
01920   QualType type = var.getType();
01921 
01922   unsigned byrefValueIndex = getByRefValueLLVMField(&var);
01923 
01924   if (const CXXRecordDecl *record = type->getAsCXXRecordDecl()) {
01925     const Expr *copyExpr = CGM.getContext().getBlockVarCopyInits(&var);
01926     if (!copyExpr && record->hasTrivialDestructor()) return nullptr;
01927 
01928     CXXByrefHelpers byrefInfo(emission.Alignment, type, copyExpr);
01929     return ::buildByrefHelpers(CGM, byrefType, byrefValueIndex, byrefInfo);
01930   }
01931 
01932   // Otherwise, if we don't have a retainable type, there's nothing to do.
01933   // that the runtime does extra copies.
01934   if (!type->isObjCRetainableType()) return nullptr;
01935 
01936   Qualifiers qs = type.getQualifiers();
01937 
01938   // If we have lifetime, that dominates.
01939   if (Qualifiers::ObjCLifetime lifetime = qs.getObjCLifetime()) {
01940     assert(getLangOpts().ObjCAutoRefCount);
01941 
01942     switch (lifetime) {
01943     case Qualifiers::OCL_None: llvm_unreachable("impossible");
01944 
01945     // These are just bits as far as the runtime is concerned.
01946     case Qualifiers::OCL_ExplicitNone:
01947     case Qualifiers::OCL_Autoreleasing:
01948       return nullptr;
01949 
01950     // Tell the runtime that this is ARC __weak, called by the
01951     // byref routines.
01952     case Qualifiers::OCL_Weak: {
01953       ARCWeakByrefHelpers byrefInfo(emission.Alignment);
01954       return ::buildByrefHelpers(CGM, byrefType, byrefValueIndex, byrefInfo);
01955     }
01956 
01957     // ARC __strong __block variables need to be retained.
01958     case Qualifiers::OCL_Strong:
01959       // Block pointers need to be copied, and there's no direct
01960       // transfer possible.
01961       if (type->isBlockPointerType()) {
01962         ARCStrongBlockByrefHelpers byrefInfo(emission.Alignment);
01963         return ::buildByrefHelpers(CGM, byrefType, byrefValueIndex, byrefInfo);
01964 
01965       // Otherwise, we transfer ownership of the retain from the stack
01966       // to the heap.
01967       } else {
01968         ARCStrongByrefHelpers byrefInfo(emission.Alignment);
01969         return ::buildByrefHelpers(CGM, byrefType, byrefValueIndex, byrefInfo);
01970       }
01971     }
01972     llvm_unreachable("fell out of lifetime switch!");
01973   }
01974 
01975   BlockFieldFlags flags;
01976   if (type->isBlockPointerType()) {
01977     flags |= BLOCK_FIELD_IS_BLOCK;
01978   } else if (CGM.getContext().isObjCNSObjectType(type) || 
01979              type->isObjCObjectPointerType()) {
01980     flags |= BLOCK_FIELD_IS_OBJECT;
01981   } else {
01982     return nullptr;
01983   }
01984 
01985   if (type.isObjCGCWeak())
01986     flags |= BLOCK_FIELD_IS_WEAK;
01987 
01988   ObjectByrefHelpers byrefInfo(emission.Alignment, flags);
01989   return ::buildByrefHelpers(CGM, byrefType, byrefValueIndex, byrefInfo);
01990 }
01991 
01992 unsigned CodeGenFunction::getByRefValueLLVMField(const ValueDecl *VD) const {
01993   assert(ByRefValueInfo.count(VD) && "Did not find value!");
01994   
01995   return ByRefValueInfo.find(VD)->second.second;
01996 }
01997 
01998 llvm::Value *CodeGenFunction::BuildBlockByrefAddress(llvm::Value *BaseAddr,
01999                                                      const VarDecl *V) {
02000   llvm::Value *Loc = Builder.CreateStructGEP(BaseAddr, 1, "forwarding");
02001   Loc = Builder.CreateLoad(Loc);
02002   Loc = Builder.CreateStructGEP(Loc, getByRefValueLLVMField(V),
02003                                 V->getNameAsString());
02004   return Loc;
02005 }
02006 
02007 /// BuildByRefType - This routine changes a __block variable declared as T x
02008 ///   into:
02009 ///
02010 ///      struct {
02011 ///        void *__isa;
02012 ///        void *__forwarding;
02013 ///        int32_t __flags;
02014 ///        int32_t __size;
02015 ///        void *__copy_helper;       // only if needed
02016 ///        void *__destroy_helper;    // only if needed
02017 ///        void *__byref_variable_layout;// only if needed
02018 ///        char padding[X];           // only if needed
02019 ///        T x;
02020 ///      } x
02021 ///
02022 llvm::Type *CodeGenFunction::BuildByRefType(const VarDecl *D) {
02023   std::pair<llvm::Type *, unsigned> &Info = ByRefValueInfo[D];
02024   if (Info.first)
02025     return Info.first;
02026   
02027   QualType Ty = D->getType();
02028 
02029   SmallVector<llvm::Type *, 8> types;
02030   
02031   llvm::StructType *ByRefType =
02032     llvm::StructType::create(getLLVMContext(),
02033                              "struct.__block_byref_" + D->getNameAsString());
02034   
02035   // void *__isa;
02036   types.push_back(Int8PtrTy);
02037   
02038   // void *__forwarding;
02039   types.push_back(llvm::PointerType::getUnqual(ByRefType));
02040   
02041   // int32_t __flags;
02042   types.push_back(Int32Ty);
02043     
02044   // int32_t __size;
02045   types.push_back(Int32Ty);
02046   // Note that this must match *exactly* the logic in buildByrefHelpers.
02047   bool HasCopyAndDispose = getContext().BlockRequiresCopying(Ty, D);
02048   if (HasCopyAndDispose) {
02049     /// void *__copy_helper;
02050     types.push_back(Int8PtrTy);
02051     
02052     /// void *__destroy_helper;
02053     types.push_back(Int8PtrTy);
02054   }
02055   bool HasByrefExtendedLayout = false;
02056   Qualifiers::ObjCLifetime Lifetime;
02057   if (getContext().getByrefLifetime(Ty, Lifetime, HasByrefExtendedLayout) &&
02058       HasByrefExtendedLayout)
02059     /// void *__byref_variable_layout;
02060     types.push_back(Int8PtrTy);
02061 
02062   bool Packed = false;
02063   CharUnits Align = getContext().getDeclAlign(D);
02064   if (Align >
02065       getContext().toCharUnitsFromBits(getTarget().getPointerAlign(0))) {
02066     // We have to insert padding.
02067     
02068     // The struct above has 2 32-bit integers.
02069     unsigned CurrentOffsetInBytes = 4 * 2;
02070     
02071     // And either 2, 3, 4 or 5 pointers.
02072     unsigned noPointers = 2;
02073     if (HasCopyAndDispose)
02074       noPointers += 2;
02075     if (HasByrefExtendedLayout)
02076       noPointers += 1;
02077     
02078     CurrentOffsetInBytes += noPointers * CGM.getDataLayout().getTypeAllocSize(Int8PtrTy);
02079     
02080     // Align the offset.
02081     unsigned AlignedOffsetInBytes = 
02082       llvm::RoundUpToAlignment(CurrentOffsetInBytes, Align.getQuantity());
02083     
02084     unsigned NumPaddingBytes = AlignedOffsetInBytes - CurrentOffsetInBytes;
02085     if (NumPaddingBytes > 0) {
02086       llvm::Type *Ty = Int8Ty;
02087       // FIXME: We need a sema error for alignment larger than the minimum of
02088       // the maximal stack alignment and the alignment of malloc on the system.
02089       if (NumPaddingBytes > 1)
02090         Ty = llvm::ArrayType::get(Ty, NumPaddingBytes);
02091     
02092       types.push_back(Ty);
02093 
02094       // We want a packed struct.
02095       Packed = true;
02096     }
02097   }
02098 
02099   // T x;
02100   types.push_back(ConvertTypeForMem(Ty));
02101   
02102   ByRefType->setBody(types, Packed);
02103   
02104   Info.first = ByRefType;
02105   
02106   Info.second = types.size() - 1;
02107   
02108   return Info.first;
02109 }
02110 
02111 /// Initialize the structural components of a __block variable, i.e.
02112 /// everything but the actual object.
02113 void CodeGenFunction::emitByrefStructureInit(const AutoVarEmission &emission) {
02114   // Find the address of the local.
02115   llvm::Value *addr = emission.Address;
02116 
02117   // That's an alloca of the byref structure type.
02118   llvm::StructType *byrefType = cast<llvm::StructType>(
02119                  cast<llvm::PointerType>(addr->getType())->getElementType());
02120 
02121   // Build the byref helpers if necessary.  This is null if we don't need any.
02122   CodeGenModule::ByrefHelpers *helpers =
02123     buildByrefHelpers(*byrefType, emission);
02124 
02125   const VarDecl &D = *emission.Variable;
02126   QualType type = D.getType();
02127 
02128   bool HasByrefExtendedLayout;
02129   Qualifiers::ObjCLifetime ByrefLifetime;
02130   bool ByRefHasLifetime =
02131     getContext().getByrefLifetime(type, ByrefLifetime, HasByrefExtendedLayout);
02132   
02133   llvm::Value *V;
02134 
02135   // Initialize the 'isa', which is just 0 or 1.
02136   int isa = 0;
02137   if (type.isObjCGCWeak())
02138     isa = 1;
02139   V = Builder.CreateIntToPtr(Builder.getInt32(isa), Int8PtrTy, "isa");
02140   Builder.CreateStore(V, Builder.CreateStructGEP(addr, 0, "byref.isa"));
02141 
02142   // Store the address of the variable into its own forwarding pointer.
02143   Builder.CreateStore(addr,
02144                       Builder.CreateStructGEP(addr, 1, "byref.forwarding"));
02145 
02146   // Blocks ABI:
02147   //   c) the flags field is set to either 0 if no helper functions are
02148   //      needed or BLOCK_BYREF_HAS_COPY_DISPOSE if they are,
02149   BlockFlags flags;
02150   if (helpers) flags |= BLOCK_BYREF_HAS_COPY_DISPOSE;
02151   if (ByRefHasLifetime) {
02152     if (HasByrefExtendedLayout) flags |= BLOCK_BYREF_LAYOUT_EXTENDED;
02153       else switch (ByrefLifetime) {
02154         case Qualifiers::OCL_Strong:
02155           flags |= BLOCK_BYREF_LAYOUT_STRONG;
02156           break;
02157         case Qualifiers::OCL_Weak:
02158           flags |= BLOCK_BYREF_LAYOUT_WEAK;
02159           break;
02160         case Qualifiers::OCL_ExplicitNone:
02161           flags |= BLOCK_BYREF_LAYOUT_UNRETAINED;
02162           break;
02163         case Qualifiers::OCL_None:
02164           if (!type->isObjCObjectPointerType() && !type->isBlockPointerType())
02165             flags |= BLOCK_BYREF_LAYOUT_NON_OBJECT;
02166           break;
02167         default:
02168           break;
02169       }
02170     if (CGM.getLangOpts().ObjCGCBitmapPrint) {
02171       printf("\n Inline flag for BYREF variable layout (%d):", flags.getBitMask());
02172       if (flags & BLOCK_BYREF_HAS_COPY_DISPOSE)
02173         printf(" BLOCK_BYREF_HAS_COPY_DISPOSE");
02174       if (flags & BLOCK_BYREF_LAYOUT_MASK) {
02175         BlockFlags ThisFlag(flags.getBitMask() & BLOCK_BYREF_LAYOUT_MASK);
02176         if (ThisFlag ==  BLOCK_BYREF_LAYOUT_EXTENDED)
02177           printf(" BLOCK_BYREF_LAYOUT_EXTENDED");
02178         if (ThisFlag ==  BLOCK_BYREF_LAYOUT_STRONG)
02179           printf(" BLOCK_BYREF_LAYOUT_STRONG");
02180         if (ThisFlag == BLOCK_BYREF_LAYOUT_WEAK)
02181           printf(" BLOCK_BYREF_LAYOUT_WEAK");
02182         if (ThisFlag == BLOCK_BYREF_LAYOUT_UNRETAINED)
02183           printf(" BLOCK_BYREF_LAYOUT_UNRETAINED");
02184         if (ThisFlag == BLOCK_BYREF_LAYOUT_NON_OBJECT)
02185           printf(" BLOCK_BYREF_LAYOUT_NON_OBJECT");
02186       }
02187       printf("\n");
02188     }
02189   }
02190   
02191   Builder.CreateStore(llvm::ConstantInt::get(IntTy, flags.getBitMask()),
02192                       Builder.CreateStructGEP(addr, 2, "byref.flags"));
02193 
02194   CharUnits byrefSize = CGM.GetTargetTypeStoreSize(byrefType);
02195   V = llvm::ConstantInt::get(IntTy, byrefSize.getQuantity());
02196   Builder.CreateStore(V, Builder.CreateStructGEP(addr, 3, "byref.size"));
02197 
02198   if (helpers) {
02199     llvm::Value *copy_helper = Builder.CreateStructGEP(addr, 4);
02200     Builder.CreateStore(helpers->CopyHelper, copy_helper);
02201 
02202     llvm::Value *destroy_helper = Builder.CreateStructGEP(addr, 5);
02203     Builder.CreateStore(helpers->DisposeHelper, destroy_helper);
02204   }
02205   if (ByRefHasLifetime && HasByrefExtendedLayout) {
02206     llvm::Constant* ByrefLayoutInfo = CGM.getObjCRuntime().BuildByrefLayout(CGM, type);
02207     llvm::Value *ByrefInfoAddr = Builder.CreateStructGEP(addr, helpers ? 6 : 4,
02208                                                          "byref.layout");
02209     // cast destination to pointer to source type.
02210     llvm::Type *DesTy = ByrefLayoutInfo->getType();
02211     DesTy = DesTy->getPointerTo();
02212     llvm::Value *BC = Builder.CreatePointerCast(ByrefInfoAddr, DesTy);
02213     Builder.CreateStore(ByrefLayoutInfo, BC);
02214   }
02215 }
02216 
02217 void CodeGenFunction::BuildBlockRelease(llvm::Value *V, BlockFieldFlags flags) {
02218   llvm::Value *F = CGM.getBlockObjectDispose();
02219   llvm::Value *args[] = {
02220     Builder.CreateBitCast(V, Int8PtrTy),
02221     llvm::ConstantInt::get(Int32Ty, flags.getBitMask())
02222   };
02223   EmitNounwindRuntimeCall(F, args); // FIXME: throwing destructors?
02224 }
02225 
02226 namespace {
02227   struct CallBlockRelease : EHScopeStack::Cleanup {
02228     llvm::Value *Addr;
02229     CallBlockRelease(llvm::Value *Addr) : Addr(Addr) {}
02230 
02231     void Emit(CodeGenFunction &CGF, Flags flags) override {
02232       // Should we be passing FIELD_IS_WEAK here?
02233       CGF.BuildBlockRelease(Addr, BLOCK_FIELD_IS_BYREF);
02234     }
02235   };
02236 }
02237 
02238 /// Enter a cleanup to destroy a __block variable.  Note that this
02239 /// cleanup should be a no-op if the variable hasn't left the stack
02240 /// yet; if a cleanup is required for the variable itself, that needs
02241 /// to be done externally.
02242 void CodeGenFunction::enterByrefCleanup(const AutoVarEmission &emission) {
02243   // We don't enter this cleanup if we're in pure-GC mode.
02244   if (CGM.getLangOpts().getGC() == LangOptions::GCOnly)
02245     return;
02246 
02247   EHStack.pushCleanup<CallBlockRelease>(NormalAndEHCleanup, emission.Address);
02248 }
02249 
02250 /// Adjust the declaration of something from the blocks API.
02251 static void configureBlocksRuntimeObject(CodeGenModule &CGM,
02252                                          llvm::Constant *C) {
02253   if (!CGM.getLangOpts().BlocksRuntimeOptional) return;
02254 
02255   auto *GV = cast<llvm::GlobalValue>(C->stripPointerCasts());
02256   if (GV->isDeclaration() && GV->hasExternalLinkage())
02257     GV->setLinkage(llvm::GlobalValue::ExternalWeakLinkage);
02258 }
02259 
02260 llvm::Constant *CodeGenModule::getBlockObjectDispose() {
02261   if (BlockObjectDispose)
02262     return BlockObjectDispose;
02263 
02264   llvm::Type *args[] = { Int8PtrTy, Int32Ty };
02265   llvm::FunctionType *fty
02266     = llvm::FunctionType::get(VoidTy, args, false);
02267   BlockObjectDispose = CreateRuntimeFunction(fty, "_Block_object_dispose");
02268   configureBlocksRuntimeObject(*this, BlockObjectDispose);
02269   return BlockObjectDispose;
02270 }
02271 
02272 llvm::Constant *CodeGenModule::getBlockObjectAssign() {
02273   if (BlockObjectAssign)
02274     return BlockObjectAssign;
02275 
02276   llvm::Type *args[] = { Int8PtrTy, Int8PtrTy, Int32Ty };
02277   llvm::FunctionType *fty
02278     = llvm::FunctionType::get(VoidTy, args, false);
02279   BlockObjectAssign = CreateRuntimeFunction(fty, "_Block_object_assign");
02280   configureBlocksRuntimeObject(*this, BlockObjectAssign);
02281   return BlockObjectAssign;
02282 }
02283 
02284 llvm::Constant *CodeGenModule::getNSConcreteGlobalBlock() {
02285   if (NSConcreteGlobalBlock)
02286     return NSConcreteGlobalBlock;
02287 
02288   NSConcreteGlobalBlock = GetOrCreateLLVMGlobal("_NSConcreteGlobalBlock",
02289                                                 Int8PtrTy->getPointerTo(),
02290                                                 nullptr);
02291   configureBlocksRuntimeObject(*this, NSConcreteGlobalBlock);
02292   return NSConcreteGlobalBlock;
02293 }
02294 
02295 llvm::Constant *CodeGenModule::getNSConcreteStackBlock() {
02296   if (NSConcreteStackBlock)
02297     return NSConcreteStackBlock;
02298 
02299   NSConcreteStackBlock = GetOrCreateLLVMGlobal("_NSConcreteStackBlock",
02300                                                Int8PtrTy->getPointerTo(),
02301                                                nullptr);
02302   configureBlocksRuntimeObject(*this, NSConcreteStackBlock);
02303   return NSConcreteStackBlock;  
02304 }