CGDebugInfo.cpp revision 78af8fd568f05aa872194756c96d8ba73d8c4956
1//===--- CGDebugInfo.cpp - Emit Debug Information for a Module ------------===//
2//
3//                     The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// This coordinates the debug information generation while generating code.
11//
12//===----------------------------------------------------------------------===//
13
14#include "CGDebugInfo.h"
15#include "CodeGenFunction.h"
16#include "CodeGenModule.h"
17#include "CGBlocks.h"
18#include "clang/AST/ASTContext.h"
19#include "clang/AST/DeclFriend.h"
20#include "clang/AST/DeclObjC.h"
21#include "clang/AST/DeclTemplate.h"
22#include "clang/AST/Expr.h"
23#include "clang/AST/RecordLayout.h"
24#include "clang/Basic/SourceManager.h"
25#include "clang/Basic/FileManager.h"
26#include "clang/Basic/Version.h"
27#include "clang/Frontend/CodeGenOptions.h"
28#include "llvm/Constants.h"
29#include "llvm/DerivedTypes.h"
30#include "llvm/Instructions.h"
31#include "llvm/Intrinsics.h"
32#include "llvm/Module.h"
33#include "llvm/ADT/StringExtras.h"
34#include "llvm/ADT/SmallVector.h"
35#include "llvm/Support/Dwarf.h"
36#include "llvm/Support/FileSystem.h"
37#include "llvm/Target/TargetData.h"
38using namespace clang;
39using namespace clang::CodeGen;
40
41CGDebugInfo::CGDebugInfo(CodeGenModule &CGM)
42  : CGM(CGM), DBuilder(CGM.getModule()),
43    BlockLiteralGenericSet(false) {
44  CreateCompileUnit();
45}
46
47CGDebugInfo::~CGDebugInfo() {
48  assert(LexicalBlockStack.empty() &&
49         "Region stack mismatch, stack not empty!");
50}
51
52void CGDebugInfo::setLocation(SourceLocation Loc) {
53  // If the new location isn't valid return.
54  if (!Loc.isValid()) return;
55
56  CurLoc = CGM.getContext().getSourceManager().getExpansionLoc(Loc);
57
58  // If we've changed files in the middle of a lexical scope go ahead
59  // and create a new lexical scope with file node if it's different
60  // from the one in the scope.
61  if (LexicalBlockStack.empty()) return;
62
63  SourceManager &SM = CGM.getContext().getSourceManager();
64  PresumedLoc PCLoc = SM.getPresumedLoc(CurLoc);
65  PresumedLoc PPLoc = SM.getPresumedLoc(PrevLoc);
66
67  if (PCLoc.isInvalid() || PPLoc.isInvalid() ||
68      !strcmp(PPLoc.getFilename(), PCLoc.getFilename()))
69    return;
70
71  llvm::MDNode *LB = LexicalBlockStack.back();
72  llvm::DIScope Scope = llvm::DIScope(LB);
73  if (Scope.isLexicalBlockFile()) {
74    llvm::DILexicalBlockFile LBF = llvm::DILexicalBlockFile(LB);
75    llvm::DIDescriptor D
76      = DBuilder.createLexicalBlockFile(LBF.getScope(),
77                                        getOrCreateFile(CurLoc));
78    llvm::MDNode *N = D;
79    LexicalBlockStack.pop_back();
80    LexicalBlockStack.push_back(N);
81  } else if (Scope.isLexicalBlock()) {
82    llvm::DIDescriptor D
83      = DBuilder.createLexicalBlockFile(Scope, getOrCreateFile(CurLoc));
84    llvm::MDNode *N = D;
85    LexicalBlockStack.pop_back();
86    LexicalBlockStack.push_back(N);
87  }
88}
89
90/// getContextDescriptor - Get context info for the decl.
91llvm::DIDescriptor CGDebugInfo::getContextDescriptor(const Decl *Context) {
92  if (!Context)
93    return TheCU;
94
95  llvm::DenseMap<const Decl *, llvm::WeakVH>::iterator
96    I = RegionMap.find(Context);
97  if (I != RegionMap.end())
98    return llvm::DIDescriptor(dyn_cast_or_null<llvm::MDNode>(&*I->second));
99
100  // Check namespace.
101  if (const NamespaceDecl *NSDecl = dyn_cast<NamespaceDecl>(Context))
102    return llvm::DIDescriptor(getOrCreateNameSpace(NSDecl));
103
104  if (const RecordDecl *RDecl = dyn_cast<RecordDecl>(Context)) {
105    if (!RDecl->isDependentType()) {
106      llvm::DIType Ty = getOrCreateType(CGM.getContext().getTypeDeclType(RDecl),
107                                        getOrCreateMainFile());
108      return llvm::DIDescriptor(Ty);
109    }
110  }
111  return TheCU;
112}
113
114/// getFunctionName - Get function name for the given FunctionDecl. If the
115/// name is constructred on demand (e.g. C++ destructor) then the name
116/// is stored on the side.
117StringRef CGDebugInfo::getFunctionName(const FunctionDecl *FD) {
118  assert (FD && "Invalid FunctionDecl!");
119  IdentifierInfo *FII = FD->getIdentifier();
120  FunctionTemplateSpecializationInfo *Info
121    = FD->getTemplateSpecializationInfo();
122  if (!Info && FII)
123    return FII->getName();
124
125  // Otherwise construct human readable name for debug info.
126  std::string NS = FD->getNameAsString();
127
128  // Add any template specialization args.
129  if (Info) {
130    const TemplateArgumentList *TArgs = Info->TemplateArguments;
131    const TemplateArgument *Args = TArgs->data();
132    unsigned NumArgs = TArgs->size();
133    PrintingPolicy Policy(CGM.getLangOpts());
134    NS += TemplateSpecializationType::PrintTemplateArgumentList(Args,
135                                                                NumArgs,
136                                                                Policy);
137  }
138
139  // Copy this name on the side and use its reference.
140  char *StrPtr = DebugInfoNames.Allocate<char>(NS.length());
141  memcpy(StrPtr, NS.data(), NS.length());
142  return StringRef(StrPtr, NS.length());
143}
144
145StringRef CGDebugInfo::getObjCMethodName(const ObjCMethodDecl *OMD) {
146  SmallString<256> MethodName;
147  llvm::raw_svector_ostream OS(MethodName);
148  OS << (OMD->isInstanceMethod() ? '-' : '+') << '[';
149  const DeclContext *DC = OMD->getDeclContext();
150  if (const ObjCImplementationDecl *OID =
151      dyn_cast<const ObjCImplementationDecl>(DC)) {
152     OS << OID->getName();
153  } else if (const ObjCInterfaceDecl *OID =
154             dyn_cast<const ObjCInterfaceDecl>(DC)) {
155      OS << OID->getName();
156  } else if (const ObjCCategoryImplDecl *OCD =
157             dyn_cast<const ObjCCategoryImplDecl>(DC)){
158      OS << ((NamedDecl *)OCD)->getIdentifier()->getNameStart() << '(' <<
159          OCD->getIdentifier()->getNameStart() << ')';
160  }
161  OS << ' ' << OMD->getSelector().getAsString() << ']';
162
163  char *StrPtr = DebugInfoNames.Allocate<char>(OS.tell());
164  memcpy(StrPtr, MethodName.begin(), OS.tell());
165  return StringRef(StrPtr, OS.tell());
166}
167
168/// getSelectorName - Return selector name. This is used for debugging
169/// info.
170StringRef CGDebugInfo::getSelectorName(Selector S) {
171  const std::string &SName = S.getAsString();
172  char *StrPtr = DebugInfoNames.Allocate<char>(SName.size());
173  memcpy(StrPtr, SName.data(), SName.size());
174  return StringRef(StrPtr, SName.size());
175}
176
177/// getClassName - Get class name including template argument list.
178StringRef
179CGDebugInfo::getClassName(const RecordDecl *RD) {
180  const ClassTemplateSpecializationDecl *Spec
181    = dyn_cast<ClassTemplateSpecializationDecl>(RD);
182  if (!Spec)
183    return RD->getName();
184
185  const TemplateArgument *Args;
186  unsigned NumArgs;
187  std::string Buffer;
188  if (TypeSourceInfo *TAW = Spec->getTypeAsWritten()) {
189    const TemplateSpecializationType *TST =
190      cast<TemplateSpecializationType>(TAW->getType());
191    Args = TST->getArgs();
192    NumArgs = TST->getNumArgs();
193  } else {
194    const TemplateArgumentList &TemplateArgs = Spec->getTemplateArgs();
195    Args = TemplateArgs.data();
196    NumArgs = TemplateArgs.size();
197  }
198  Buffer = RD->getIdentifier()->getNameStart();
199  PrintingPolicy Policy(CGM.getLangOpts());
200  Buffer += TemplateSpecializationType::PrintTemplateArgumentList(Args,
201                                                                  NumArgs,
202                                                                  Policy);
203
204  // Copy this name on the side and use its reference.
205  char *StrPtr = DebugInfoNames.Allocate<char>(Buffer.length());
206  memcpy(StrPtr, Buffer.data(), Buffer.length());
207  return StringRef(StrPtr, Buffer.length());
208}
209
210/// getOrCreateFile - Get the file debug info descriptor for the input location.
211llvm::DIFile CGDebugInfo::getOrCreateFile(SourceLocation Loc) {
212  if (!Loc.isValid())
213    // If Location is not valid then use main input file.
214    return DBuilder.createFile(TheCU.getFilename(), TheCU.getDirectory());
215
216  SourceManager &SM = CGM.getContext().getSourceManager();
217  PresumedLoc PLoc = SM.getPresumedLoc(Loc);
218
219  if (PLoc.isInvalid() || StringRef(PLoc.getFilename()).empty())
220    // If the location is not valid then use main input file.
221    return DBuilder.createFile(TheCU.getFilename(), TheCU.getDirectory());
222
223  // Cache the results.
224  const char *fname = PLoc.getFilename();
225  llvm::DenseMap<const char *, llvm::WeakVH>::iterator it =
226    DIFileCache.find(fname);
227
228  if (it != DIFileCache.end()) {
229    // Verify that the information still exists.
230    if (&*it->second)
231      return llvm::DIFile(cast<llvm::MDNode>(it->second));
232  }
233
234  llvm::DIFile F = DBuilder.createFile(PLoc.getFilename(), getCurrentDirname());
235
236  DIFileCache[fname] = F;
237  return F;
238}
239
240/// getOrCreateMainFile - Get the file info for main compile unit.
241llvm::DIFile CGDebugInfo::getOrCreateMainFile() {
242  return DBuilder.createFile(TheCU.getFilename(), TheCU.getDirectory());
243}
244
245/// getLineNumber - Get line number for the location. If location is invalid
246/// then use current location.
247unsigned CGDebugInfo::getLineNumber(SourceLocation Loc) {
248  if (Loc.isInvalid() && CurLoc.isInvalid())
249    return 0;
250  SourceManager &SM = CGM.getContext().getSourceManager();
251  PresumedLoc PLoc = SM.getPresumedLoc(Loc.isValid() ? Loc : CurLoc);
252  return PLoc.isValid()? PLoc.getLine() : 0;
253}
254
255/// getColumnNumber - Get column number for the location. If location is
256/// invalid then use current location.
257unsigned CGDebugInfo::getColumnNumber(SourceLocation Loc) {
258  if (Loc.isInvalid() && CurLoc.isInvalid())
259    return 0;
260  SourceManager &SM = CGM.getContext().getSourceManager();
261  PresumedLoc PLoc = SM.getPresumedLoc(Loc.isValid() ? Loc : CurLoc);
262  return PLoc.isValid()? PLoc.getColumn() : 0;
263}
264
265StringRef CGDebugInfo::getCurrentDirname() {
266  if (!CGM.getCodeGenOpts().DebugCompilationDir.empty())
267    return CGM.getCodeGenOpts().DebugCompilationDir;
268
269  if (!CWDName.empty())
270    return CWDName;
271  SmallString<256> CWD;
272  llvm::sys::fs::current_path(CWD);
273  char *CompDirnamePtr = DebugInfoNames.Allocate<char>(CWD.size());
274  memcpy(CompDirnamePtr, CWD.data(), CWD.size());
275  return CWDName = StringRef(CompDirnamePtr, CWD.size());
276}
277
278/// CreateCompileUnit - Create new compile unit.
279void CGDebugInfo::CreateCompileUnit() {
280
281  // Get absolute path name.
282  SourceManager &SM = CGM.getContext().getSourceManager();
283  std::string MainFileName = CGM.getCodeGenOpts().MainFileName;
284  if (MainFileName.empty())
285    MainFileName = "<unknown>";
286
287  // The main file name provided via the "-main-file-name" option contains just
288  // the file name itself with no path information. This file name may have had
289  // a relative path, so we look into the actual file entry for the main
290  // file to determine the real absolute path for the file.
291  std::string MainFileDir;
292  if (const FileEntry *MainFile = SM.getFileEntryForID(SM.getMainFileID())) {
293    MainFileDir = MainFile->getDir()->getName();
294    if (MainFileDir != ".")
295      MainFileName = MainFileDir + "/" + MainFileName;
296  }
297
298  // Save filename string.
299  char *FilenamePtr = DebugInfoNames.Allocate<char>(MainFileName.length());
300  memcpy(FilenamePtr, MainFileName.c_str(), MainFileName.length());
301  StringRef Filename(FilenamePtr, MainFileName.length());
302
303  unsigned LangTag;
304  const LangOptions &LO = CGM.getLangOpts();
305  if (LO.CPlusPlus) {
306    if (LO.ObjC1)
307      LangTag = llvm::dwarf::DW_LANG_ObjC_plus_plus;
308    else
309      LangTag = llvm::dwarf::DW_LANG_C_plus_plus;
310  } else if (LO.ObjC1) {
311    LangTag = llvm::dwarf::DW_LANG_ObjC;
312  } else if (LO.C99) {
313    LangTag = llvm::dwarf::DW_LANG_C99;
314  } else {
315    LangTag = llvm::dwarf::DW_LANG_C89;
316  }
317
318  std::string Producer = getClangFullVersion();
319
320  // Figure out which version of the ObjC runtime we have.
321  unsigned RuntimeVers = 0;
322  if (LO.ObjC1)
323    RuntimeVers = LO.ObjCNonFragileABI ? 2 : 1;
324
325  // Create new compile unit.
326  DBuilder.createCompileUnit(
327    LangTag, Filename, getCurrentDirname(),
328    Producer,
329    LO.Optimize, CGM.getCodeGenOpts().DwarfDebugFlags, RuntimeVers);
330  // FIXME - Eliminate TheCU.
331  TheCU = llvm::DICompileUnit(DBuilder.getCU());
332}
333
334/// CreateType - Get the Basic type from the cache or create a new
335/// one if necessary.
336llvm::DIType CGDebugInfo::CreateType(const BuiltinType *BT) {
337  unsigned Encoding = 0;
338  const char *BTName = NULL;
339  switch (BT->getKind()) {
340#define BUILTIN_TYPE(Id, SingletonId)
341#define PLACEHOLDER_TYPE(Id, SingletonId) \
342  case BuiltinType::Id:
343#include "clang/AST/BuiltinTypes.def"
344  case BuiltinType::Dependent:
345    llvm_unreachable("Unexpected builtin type");
346  case BuiltinType::NullPtr:
347    return DBuilder.
348      createNullPtrType(BT->getName(CGM.getContext().getLangOpts()));
349  case BuiltinType::Void:
350    return llvm::DIType();
351  case BuiltinType::ObjCClass:
352    return DBuilder.createForwardDecl(llvm::dwarf::DW_TAG_structure_type,
353                                      "objc_class", getOrCreateMainFile(),
354                                      0);
355  case BuiltinType::ObjCId: {
356    // typedef struct objc_class *Class;
357    // typedef struct objc_object {
358    //  Class isa;
359    // } *id;
360
361    // TODO: Cache these two types to avoid duplicates.
362    llvm::DIType OCTy =
363      DBuilder.createForwardDecl(llvm::dwarf::DW_TAG_structure_type,
364                                 "objc_class", getOrCreateMainFile(),
365                                 0);
366    unsigned Size = CGM.getContext().getTypeSize(CGM.getContext().VoidPtrTy);
367
368    llvm::DIType ISATy = DBuilder.createPointerType(OCTy, Size);
369
370    SmallVector<llvm::Value *, 16> EltTys;
371    llvm::DIType FieldTy =
372      DBuilder.createMemberType(getOrCreateMainFile(), "isa",
373                                getOrCreateMainFile(), 0, Size,
374                                0, 0, 0, ISATy);
375    EltTys.push_back(FieldTy);
376    llvm::DIArray Elements = DBuilder.getOrCreateArray(EltTys);
377
378    return DBuilder.createStructType(TheCU, "objc_object",
379                                     getOrCreateMainFile(),
380                                     0, 0, 0, 0, Elements);
381  }
382  case BuiltinType::ObjCSel: {
383    return
384      DBuilder.createForwardDecl(llvm::dwarf::DW_TAG_structure_type,
385                                 "objc_selector", getOrCreateMainFile(),
386                                 0);
387  }
388  case BuiltinType::UChar:
389  case BuiltinType::Char_U: Encoding = llvm::dwarf::DW_ATE_unsigned_char; break;
390  case BuiltinType::Char_S:
391  case BuiltinType::SChar: Encoding = llvm::dwarf::DW_ATE_signed_char; break;
392  case BuiltinType::Char16:
393  case BuiltinType::Char32: Encoding = llvm::dwarf::DW_ATE_UTF; break;
394  case BuiltinType::UShort:
395  case BuiltinType::UInt:
396  case BuiltinType::UInt128:
397  case BuiltinType::ULong:
398  case BuiltinType::WChar_U:
399  case BuiltinType::ULongLong: Encoding = llvm::dwarf::DW_ATE_unsigned; break;
400  case BuiltinType::Short:
401  case BuiltinType::Int:
402  case BuiltinType::Int128:
403  case BuiltinType::Long:
404  case BuiltinType::WChar_S:
405  case BuiltinType::LongLong:  Encoding = llvm::dwarf::DW_ATE_signed; break;
406  case BuiltinType::Bool:      Encoding = llvm::dwarf::DW_ATE_boolean; break;
407  case BuiltinType::Half:
408  case BuiltinType::Float:
409  case BuiltinType::LongDouble:
410  case BuiltinType::Double:    Encoding = llvm::dwarf::DW_ATE_float; break;
411  }
412
413  switch (BT->getKind()) {
414  case BuiltinType::Long:      BTName = "long int"; break;
415  case BuiltinType::LongLong:  BTName = "long long int"; break;
416  case BuiltinType::ULong:     BTName = "long unsigned int"; break;
417  case BuiltinType::ULongLong: BTName = "long long unsigned int"; break;
418  default:
419    BTName = BT->getName(CGM.getContext().getLangOpts());
420    break;
421  }
422  // Bit size, align and offset of the type.
423  uint64_t Size = CGM.getContext().getTypeSize(BT);
424  uint64_t Align = CGM.getContext().getTypeAlign(BT);
425  llvm::DIType DbgTy =
426    DBuilder.createBasicType(BTName, Size, Align, Encoding);
427  return DbgTy;
428}
429
430llvm::DIType CGDebugInfo::CreateType(const ComplexType *Ty) {
431  // Bit size, align and offset of the type.
432  unsigned Encoding = llvm::dwarf::DW_ATE_complex_float;
433  if (Ty->isComplexIntegerType())
434    Encoding = llvm::dwarf::DW_ATE_lo_user;
435
436  uint64_t Size = CGM.getContext().getTypeSize(Ty);
437  uint64_t Align = CGM.getContext().getTypeAlign(Ty);
438  llvm::DIType DbgTy =
439    DBuilder.createBasicType("complex", Size, Align, Encoding);
440
441  return DbgTy;
442}
443
444/// CreateCVRType - Get the qualified type from the cache or create
445/// a new one if necessary.
446llvm::DIType CGDebugInfo::CreateQualifiedType(QualType Ty, llvm::DIFile Unit) {
447  QualifierCollector Qc;
448  const Type *T = Qc.strip(Ty);
449
450  // Ignore these qualifiers for now.
451  Qc.removeObjCGCAttr();
452  Qc.removeAddressSpace();
453  Qc.removeObjCLifetime();
454
455  // We will create one Derived type for one qualifier and recurse to handle any
456  // additional ones.
457  unsigned Tag;
458  if (Qc.hasConst()) {
459    Tag = llvm::dwarf::DW_TAG_const_type;
460    Qc.removeConst();
461  } else if (Qc.hasVolatile()) {
462    Tag = llvm::dwarf::DW_TAG_volatile_type;
463    Qc.removeVolatile();
464  } else if (Qc.hasRestrict()) {
465    Tag = llvm::dwarf::DW_TAG_restrict_type;
466    Qc.removeRestrict();
467  } else {
468    assert(Qc.empty() && "Unknown type qualifier for debug info");
469    return getOrCreateType(QualType(T, 0), Unit);
470  }
471
472  llvm::DIType FromTy = getOrCreateType(Qc.apply(CGM.getContext(), T), Unit);
473
474  // No need to fill in the Name, Line, Size, Alignment, Offset in case of
475  // CVR derived types.
476  llvm::DIType DbgTy = DBuilder.createQualifiedType(Tag, FromTy);
477
478  return DbgTy;
479}
480
481llvm::DIType CGDebugInfo::CreateType(const ObjCObjectPointerType *Ty,
482                                     llvm::DIFile Unit) {
483  llvm::DIType DbgTy =
484    CreatePointerLikeType(llvm::dwarf::DW_TAG_pointer_type, Ty,
485                          Ty->getPointeeType(), Unit);
486  return DbgTy;
487}
488
489llvm::DIType CGDebugInfo::CreateType(const PointerType *Ty,
490                                     llvm::DIFile Unit) {
491  return CreatePointerLikeType(llvm::dwarf::DW_TAG_pointer_type, Ty,
492                               Ty->getPointeeType(), Unit);
493}
494
495// Creates a forward declaration for a RecordDecl in the given context.
496llvm::DIType CGDebugInfo::createRecordFwdDecl(const RecordDecl *RD,
497                                              llvm::DIDescriptor Ctx) {
498  llvm::DIFile DefUnit = getOrCreateFile(RD->getLocation());
499  unsigned Line = getLineNumber(RD->getLocation());
500  StringRef RDName = RD->getName();
501
502  // Get the tag.
503  const CXXRecordDecl *CXXDecl = dyn_cast<CXXRecordDecl>(RD);
504  unsigned Tag = 0;
505  if (CXXDecl) {
506    RDName = getClassName(RD);
507    Tag = llvm::dwarf::DW_TAG_class_type;
508  }
509  else if (RD->isStruct())
510    Tag = llvm::dwarf::DW_TAG_structure_type;
511  else if (RD->isUnion())
512    Tag = llvm::dwarf::DW_TAG_union_type;
513  else
514    llvm_unreachable("Unknown RecordDecl type!");
515
516  // Create the type.
517  return DBuilder.createForwardDecl(Tag, RDName, DefUnit, Line);
518}
519
520// Walk up the context chain and create forward decls for record decls,
521// and normal descriptors for namespaces.
522llvm::DIDescriptor CGDebugInfo::createContextChain(const Decl *Context) {
523  if (!Context)
524    return TheCU;
525
526  // See if we already have the parent.
527  llvm::DenseMap<const Decl *, llvm::WeakVH>::iterator
528    I = RegionMap.find(Context);
529  if (I != RegionMap.end())
530    return llvm::DIDescriptor(dyn_cast_or_null<llvm::MDNode>(&*I->second));
531
532  // Check namespace.
533  if (const NamespaceDecl *NSDecl = dyn_cast<NamespaceDecl>(Context))
534    return llvm::DIDescriptor(getOrCreateNameSpace(NSDecl));
535
536  if (const RecordDecl *RD = dyn_cast<RecordDecl>(Context)) {
537    if (!RD->isDependentType()) {
538      llvm::DIType Ty = getOrCreateLimitedType(CGM.getContext().getTypeDeclType(RD),
539					       getOrCreateMainFile());
540      return llvm::DIDescriptor(Ty);
541    }
542  }
543  return TheCU;
544}
545
546/// CreatePointeeType - Create Pointee type. If Pointee is a record
547/// then emit record's fwd if debug info size reduction is enabled.
548llvm::DIType CGDebugInfo::CreatePointeeType(QualType PointeeTy,
549                                            llvm::DIFile Unit) {
550  if (!CGM.getCodeGenOpts().LimitDebugInfo)
551    return getOrCreateType(PointeeTy, Unit);
552
553  // Limit debug info for the pointee type.
554
555  // If we have an existing type, use that, it's still smaller than creating
556  // a new type.
557  llvm::DIType Ty = getTypeOrNull(PointeeTy);
558  if (Ty.Verify()) return Ty;
559
560  // Handle qualifiers.
561  if (PointeeTy.hasLocalQualifiers())
562    return CreateQualifiedType(PointeeTy, Unit);
563
564  if (const RecordType *RTy = dyn_cast<RecordType>(PointeeTy)) {
565    RecordDecl *RD = RTy->getDecl();
566    llvm::DIDescriptor FDContext =
567      getContextDescriptor(cast<Decl>(RD->getDeclContext()));
568    llvm::DIType RetTy = createRecordFwdDecl(RD, FDContext);
569    TypeCache[QualType(RTy, 0).getAsOpaquePtr()] = RetTy;
570    return RetTy;
571  }
572  return getOrCreateType(PointeeTy, Unit);
573
574}
575
576llvm::DIType CGDebugInfo::CreatePointerLikeType(unsigned Tag,
577                                                const Type *Ty,
578                                                QualType PointeeTy,
579                                                llvm::DIFile Unit) {
580  if (Tag == llvm::dwarf::DW_TAG_reference_type)
581    return DBuilder.createReferenceType(CreatePointeeType(PointeeTy, Unit));
582
583  // Bit size, align and offset of the type.
584  // Size is always the size of a pointer. We can't use getTypeSize here
585  // because that does not return the correct value for references.
586  unsigned AS = CGM.getContext().getTargetAddressSpace(PointeeTy);
587  uint64_t Size = CGM.getContext().getTargetInfo().getPointerWidth(AS);
588  uint64_t Align = CGM.getContext().getTypeAlign(Ty);
589
590  return DBuilder.createPointerType(CreatePointeeType(PointeeTy, Unit),
591                                    Size, Align);
592}
593
594llvm::DIType CGDebugInfo::CreateType(const BlockPointerType *Ty,
595                                     llvm::DIFile Unit) {
596  if (BlockLiteralGenericSet)
597    return BlockLiteralGeneric;
598
599  SmallVector<llvm::Value *, 8> EltTys;
600  llvm::DIType FieldTy;
601  QualType FType;
602  uint64_t FieldSize, FieldOffset;
603  unsigned FieldAlign;
604  llvm::DIArray Elements;
605  llvm::DIType EltTy, DescTy;
606
607  FieldOffset = 0;
608  FType = CGM.getContext().UnsignedLongTy;
609  EltTys.push_back(CreateMemberType(Unit, FType, "reserved", &FieldOffset));
610  EltTys.push_back(CreateMemberType(Unit, FType, "Size", &FieldOffset));
611
612  Elements = DBuilder.getOrCreateArray(EltTys);
613  EltTys.clear();
614
615  unsigned Flags = llvm::DIDescriptor::FlagAppleBlock;
616  unsigned LineNo = getLineNumber(CurLoc);
617
618  EltTy = DBuilder.createStructType(Unit, "__block_descriptor",
619                                    Unit, LineNo, FieldOffset, 0,
620                                    Flags, Elements);
621
622  // Bit size, align and offset of the type.
623  uint64_t Size = CGM.getContext().getTypeSize(Ty);
624
625  DescTy = DBuilder.createPointerType(EltTy, Size);
626
627  FieldOffset = 0;
628  FType = CGM.getContext().getPointerType(CGM.getContext().VoidTy);
629  EltTys.push_back(CreateMemberType(Unit, FType, "__isa", &FieldOffset));
630  FType = CGM.getContext().IntTy;
631  EltTys.push_back(CreateMemberType(Unit, FType, "__flags", &FieldOffset));
632  EltTys.push_back(CreateMemberType(Unit, FType, "__reserved", &FieldOffset));
633  FType = CGM.getContext().getPointerType(CGM.getContext().VoidTy);
634  EltTys.push_back(CreateMemberType(Unit, FType, "__FuncPtr", &FieldOffset));
635
636  FType = CGM.getContext().getPointerType(CGM.getContext().VoidTy);
637  FieldTy = DescTy;
638  FieldSize = CGM.getContext().getTypeSize(Ty);
639  FieldAlign = CGM.getContext().getTypeAlign(Ty);
640  FieldTy = DBuilder.createMemberType(Unit, "__descriptor", Unit,
641                                      LineNo, FieldSize, FieldAlign,
642                                      FieldOffset, 0, FieldTy);
643  EltTys.push_back(FieldTy);
644
645  FieldOffset += FieldSize;
646  Elements = DBuilder.getOrCreateArray(EltTys);
647
648  EltTy = DBuilder.createStructType(Unit, "__block_literal_generic",
649                                    Unit, LineNo, FieldOffset, 0,
650                                    Flags, Elements);
651
652  BlockLiteralGenericSet = true;
653  BlockLiteralGeneric = DBuilder.createPointerType(EltTy, Size);
654  return BlockLiteralGeneric;
655}
656
657llvm::DIType CGDebugInfo::CreateType(const TypedefType *Ty, llvm::DIFile Unit) {
658  // Typedefs are derived from some other type.  If we have a typedef of a
659  // typedef, make sure to emit the whole chain.
660  llvm::DIType Src = getOrCreateType(Ty->getDecl()->getUnderlyingType(), Unit);
661  if (!Src.Verify())
662    return llvm::DIType();
663  // We don't set size information, but do specify where the typedef was
664  // declared.
665  unsigned Line = getLineNumber(Ty->getDecl()->getLocation());
666  const TypedefNameDecl *TyDecl = Ty->getDecl();
667
668  llvm::DIDescriptor TypedefContext =
669    getContextDescriptor(cast<Decl>(Ty->getDecl()->getDeclContext()));
670
671  return
672    DBuilder.createTypedef(Src, TyDecl->getName(), Unit, Line, TypedefContext);
673}
674
675llvm::DIType CGDebugInfo::CreateType(const FunctionType *Ty,
676                                     llvm::DIFile Unit) {
677  SmallVector<llvm::Value *, 16> EltTys;
678
679  // Add the result type at least.
680  EltTys.push_back(getOrCreateType(Ty->getResultType(), Unit));
681
682  // Set up remainder of arguments if there is a prototype.
683  // FIXME: IF NOT, HOW IS THIS REPRESENTED?  llvm-gcc doesn't represent '...'!
684  if (isa<FunctionNoProtoType>(Ty))
685    EltTys.push_back(DBuilder.createUnspecifiedParameter());
686  else if (const FunctionProtoType *FTP = dyn_cast<FunctionProtoType>(Ty)) {
687    for (unsigned i = 0, e = FTP->getNumArgs(); i != e; ++i)
688      EltTys.push_back(getOrCreateType(FTP->getArgType(i), Unit));
689  }
690
691  llvm::DIArray EltTypeArray = DBuilder.getOrCreateArray(EltTys);
692
693  llvm::DIType DbgTy = DBuilder.createSubroutineType(Unit, EltTypeArray);
694  return DbgTy;
695}
696
697
698void CGDebugInfo::
699CollectRecordStaticVars(const RecordDecl *RD, llvm::DIType FwdDecl) {
700
701  for (RecordDecl::decl_iterator I = RD->decls_begin(), E = RD->decls_end();
702       I != E; ++I)
703    if (const VarDecl *V = dyn_cast<VarDecl>(*I)) {
704      if (V->getInit()) {
705        const APValue *Value = V->evaluateValue();
706        if (Value && Value->isInt()) {
707          llvm::ConstantInt *CI
708            = llvm::ConstantInt::get(CGM.getLLVMContext(), Value->getInt());
709
710          // Create the descriptor for static variable.
711          llvm::DIFile VUnit = getOrCreateFile(V->getLocation());
712          StringRef VName = V->getName();
713          llvm::DIType VTy = getOrCreateType(V->getType(), VUnit);
714          // Do not use DIGlobalVariable for enums.
715          if (VTy.getTag() != llvm::dwarf::DW_TAG_enumeration_type) {
716            DBuilder.createStaticVariable(FwdDecl, VName, VName, VUnit,
717                                          getLineNumber(V->getLocation()),
718                                          VTy, true, CI);
719          }
720        }
721      }
722    }
723}
724
725llvm::DIType CGDebugInfo::createFieldType(StringRef name,
726                                          QualType type,
727                                          uint64_t sizeInBitsOverride,
728                                          SourceLocation loc,
729                                          AccessSpecifier AS,
730                                          uint64_t offsetInBits,
731                                          llvm::DIFile tunit,
732                                          llvm::DIDescriptor scope) {
733  llvm::DIType debugType = getOrCreateType(type, tunit);
734
735  // Get the location for the field.
736  llvm::DIFile file = getOrCreateFile(loc);
737  unsigned line = getLineNumber(loc);
738
739  uint64_t sizeInBits = 0;
740  unsigned alignInBits = 0;
741  if (!type->isIncompleteArrayType()) {
742    llvm::tie(sizeInBits, alignInBits) = CGM.getContext().getTypeInfo(type);
743
744    if (sizeInBitsOverride)
745      sizeInBits = sizeInBitsOverride;
746  }
747
748  unsigned flags = 0;
749  if (AS == clang::AS_private)
750    flags |= llvm::DIDescriptor::FlagPrivate;
751  else if (AS == clang::AS_protected)
752    flags |= llvm::DIDescriptor::FlagProtected;
753
754  return DBuilder.createMemberType(scope, name, file, line, sizeInBits,
755                                   alignInBits, offsetInBits, flags, debugType);
756}
757
758/// CollectRecordFields - A helper function to collect debug info for
759/// record fields. This is used while creating debug info entry for a Record.
760void CGDebugInfo::
761CollectRecordFields(const RecordDecl *record, llvm::DIFile tunit,
762                    SmallVectorImpl<llvm::Value *> &elements,
763                    llvm::DIType RecordTy) {
764  unsigned fieldNo = 0;
765  const ASTRecordLayout &layout = CGM.getContext().getASTRecordLayout(record);
766  const CXXRecordDecl *CXXDecl = dyn_cast<CXXRecordDecl>(record);
767
768  // For C++11 Lambdas a Fields will be the same as a Capture, but the Capture
769  // has the name and the location of the variable so we should iterate over
770  // both concurrently.
771  if (CXXDecl && CXXDecl->isLambda()) {
772    RecordDecl::field_iterator Field = CXXDecl->field_begin();
773    unsigned fieldno = 0;
774    for (CXXRecordDecl::capture_const_iterator I = CXXDecl->captures_begin(),
775           E = CXXDecl->captures_end(); I != E; ++I, ++Field, ++fieldno) {
776      const LambdaExpr::Capture C = *I;
777      // TODO: Need to handle 'this' in some way by probably renaming the
778      // this of the lambda class and having a field member of 'this'.
779      if (C.capturesVariable()) {
780        VarDecl *V = C.getCapturedVar();
781        llvm::DIFile VUnit = getOrCreateFile(C.getLocation());
782        StringRef VName = V->getName();
783        uint64_t SizeInBitsOverride = 0;
784        if (Field->isBitField()) {
785          SizeInBitsOverride = Field->getBitWidthValue(CGM.getContext());
786          assert(SizeInBitsOverride && "found named 0-width bitfield");
787        }
788        llvm::DIType fieldType
789          = createFieldType(VName, Field->getType(), SizeInBitsOverride, C.getLocation(),
790                            Field->getAccess(), layout.getFieldOffset(fieldno),
791                            VUnit, RecordTy);
792        elements.push_back(fieldType);
793      }
794    }
795  } else {
796    bool IsMsStruct = record->hasAttr<MsStructAttr>();
797    const FieldDecl *LastFD = 0;
798    for (RecordDecl::field_iterator I = record->field_begin(),
799           E = record->field_end();
800         I != E; ++I, ++fieldNo) {
801      FieldDecl *field = *I;
802
803      if (IsMsStruct) {
804        // Zero-length bitfields following non-bitfield members are ignored
805        if (CGM.getContext().ZeroBitfieldFollowsNonBitfield((field), LastFD)) {
806          --fieldNo;
807          continue;
808        }
809        LastFD = field;
810      }
811
812      StringRef name = field->getName();
813      QualType type = field->getType();
814
815      // Ignore unnamed fields unless they're anonymous structs/unions.
816      if (name.empty() && !type->isRecordType()) {
817        LastFD = field;
818        continue;
819      }
820
821      uint64_t SizeInBitsOverride = 0;
822      if (field->isBitField()) {
823        SizeInBitsOverride = field->getBitWidthValue(CGM.getContext());
824        assert(SizeInBitsOverride && "found named 0-width bitfield");
825      }
826
827      llvm::DIType fieldType
828        = createFieldType(name, type, SizeInBitsOverride,
829                          field->getLocation(), field->getAccess(),
830                          layout.getFieldOffset(fieldNo), tunit, RecordTy);
831
832      elements.push_back(fieldType);
833    }
834  }
835}
836
837/// getOrCreateMethodType - CXXMethodDecl's type is a FunctionType. This
838/// function type is not updated to include implicit "this" pointer. Use this
839/// routine to get a method type which includes "this" pointer.
840llvm::DIType
841CGDebugInfo::getOrCreateMethodType(const CXXMethodDecl *Method,
842                                   llvm::DIFile Unit) {
843  llvm::DIType FnTy
844    = getOrCreateType(QualType(Method->getType()->getAs<FunctionProtoType>(),
845                               0),
846                      Unit);
847
848  // Add "this" pointer.
849  llvm::DIArray Args = llvm::DICompositeType(FnTy).getTypeArray();
850  assert (Args.getNumElements() && "Invalid number of arguments!");
851
852  SmallVector<llvm::Value *, 16> Elts;
853
854  // First element is always return type. For 'void' functions it is NULL.
855  Elts.push_back(Args.getElement(0));
856
857  if (!Method->isStatic()) {
858    // "this" pointer is always first argument.
859    QualType ThisPtr = Method->getThisType(CGM.getContext());
860
861    const CXXRecordDecl *RD = Method->getParent();
862    if (isa<ClassTemplateSpecializationDecl>(RD)) {
863      // Create pointer type directly in this case.
864      const PointerType *ThisPtrTy = cast<PointerType>(ThisPtr);
865      QualType PointeeTy = ThisPtrTy->getPointeeType();
866      unsigned AS = CGM.getContext().getTargetAddressSpace(PointeeTy);
867      uint64_t Size = CGM.getContext().getTargetInfo().getPointerWidth(AS);
868      uint64_t Align = CGM.getContext().getTypeAlign(ThisPtrTy);
869      llvm::DIType PointeeType = getOrCreateType(PointeeTy, Unit);
870      llvm::DIType ThisPtrType = DBuilder.createPointerType(PointeeType, Size, Align);
871      TypeCache[ThisPtr.getAsOpaquePtr()] = ThisPtrType;
872      // TODO: This and the artificial type below are misleading, the
873      // types aren't artificial the argument is, but the current
874      // metadata doesn't represent that.
875      ThisPtrType = DBuilder.createArtificialType(ThisPtrType);
876      Elts.push_back(ThisPtrType);
877    } else {
878      llvm::DIType ThisPtrType = getOrCreateType(ThisPtr, Unit);
879      TypeCache[ThisPtr.getAsOpaquePtr()] = ThisPtrType;
880      ThisPtrType = DBuilder.createArtificialType(ThisPtrType);
881      Elts.push_back(ThisPtrType);
882    }
883  }
884
885  // Copy rest of the arguments.
886  for (unsigned i = 1, e = Args.getNumElements(); i != e; ++i)
887    Elts.push_back(Args.getElement(i));
888
889  llvm::DIArray EltTypeArray = DBuilder.getOrCreateArray(Elts);
890
891  return DBuilder.createSubroutineType(Unit, EltTypeArray);
892}
893
894/// isFunctionLocalClass - Return true if CXXRecordDecl is defined
895/// inside a function.
896static bool isFunctionLocalClass(const CXXRecordDecl *RD) {
897  if (const CXXRecordDecl *NRD = dyn_cast<CXXRecordDecl>(RD->getDeclContext()))
898    return isFunctionLocalClass(NRD);
899  if (isa<FunctionDecl>(RD->getDeclContext()))
900    return true;
901  return false;
902}
903
904/// CreateCXXMemberFunction - A helper function to create a DISubprogram for
905/// a single member function GlobalDecl.
906llvm::DISubprogram
907CGDebugInfo::CreateCXXMemberFunction(const CXXMethodDecl *Method,
908                                     llvm::DIFile Unit,
909                                     llvm::DIType RecordTy) {
910  bool IsCtorOrDtor =
911    isa<CXXConstructorDecl>(Method) || isa<CXXDestructorDecl>(Method);
912
913  StringRef MethodName = getFunctionName(Method);
914  llvm::DIType MethodTy = getOrCreateMethodType(Method, Unit);
915
916  // Since a single ctor/dtor corresponds to multiple functions, it doesn't
917  // make sense to give a single ctor/dtor a linkage name.
918  StringRef MethodLinkageName;
919  if (!IsCtorOrDtor && !isFunctionLocalClass(Method->getParent()))
920    MethodLinkageName = CGM.getMangledName(Method);
921
922  // Get the location for the method.
923  llvm::DIFile MethodDefUnit = getOrCreateFile(Method->getLocation());
924  unsigned MethodLine = getLineNumber(Method->getLocation());
925
926  // Collect virtual method info.
927  llvm::DIType ContainingType;
928  unsigned Virtuality = 0;
929  unsigned VIndex = 0;
930
931  if (Method->isVirtual()) {
932    if (Method->isPure())
933      Virtuality = llvm::dwarf::DW_VIRTUALITY_pure_virtual;
934    else
935      Virtuality = llvm::dwarf::DW_VIRTUALITY_virtual;
936
937    // It doesn't make sense to give a virtual destructor a vtable index,
938    // since a single destructor has two entries in the vtable.
939    if (!isa<CXXDestructorDecl>(Method))
940      VIndex = CGM.getVTableContext().getMethodVTableIndex(Method);
941    ContainingType = RecordTy;
942  }
943
944  unsigned Flags = 0;
945  if (Method->isImplicit())
946    Flags |= llvm::DIDescriptor::FlagArtificial;
947  AccessSpecifier Access = Method->getAccess();
948  if (Access == clang::AS_private)
949    Flags |= llvm::DIDescriptor::FlagPrivate;
950  else if (Access == clang::AS_protected)
951    Flags |= llvm::DIDescriptor::FlagProtected;
952  if (const CXXConstructorDecl *CXXC = dyn_cast<CXXConstructorDecl>(Method)) {
953    if (CXXC->isExplicit())
954      Flags |= llvm::DIDescriptor::FlagExplicit;
955  } else if (const CXXConversionDecl *CXXC =
956             dyn_cast<CXXConversionDecl>(Method)) {
957    if (CXXC->isExplicit())
958      Flags |= llvm::DIDescriptor::FlagExplicit;
959  }
960  if (Method->hasPrototype())
961    Flags |= llvm::DIDescriptor::FlagPrototyped;
962
963  llvm::DIArray TParamsArray = CollectFunctionTemplateParams(Method, Unit);
964  llvm::DISubprogram SP =
965    DBuilder.createMethod(RecordTy, MethodName, MethodLinkageName,
966                          MethodDefUnit, MethodLine,
967                          MethodTy, /*isLocalToUnit=*/false,
968                          /* isDefinition=*/ false,
969                          Virtuality, VIndex, ContainingType,
970                          Flags, CGM.getLangOpts().Optimize, NULL,
971                          TParamsArray);
972
973  SPCache[Method->getCanonicalDecl()] = llvm::WeakVH(SP);
974
975  return SP;
976}
977
978/// CollectCXXMemberFunctions - A helper function to collect debug info for
979/// C++ member functions. This is used while creating debug info entry for
980/// a Record.
981void CGDebugInfo::
982CollectCXXMemberFunctions(const CXXRecordDecl *RD, llvm::DIFile Unit,
983                          SmallVectorImpl<llvm::Value *> &EltTys,
984                          llvm::DIType RecordTy) {
985
986  // Since we want more than just the individual member decls if we
987  // have templated functions iterate over every declaration to gather
988  // the functions.
989  for(DeclContext::decl_iterator I = RD->decls_begin(),
990        E = RD->decls_end(); I != E; ++I) {
991    Decl *D = *I;
992    if (D->isImplicit() && !D->isUsed())
993      continue;
994
995    if (const CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(D))
996      EltTys.push_back(CreateCXXMemberFunction(Method, Unit, RecordTy));
997    else if (FunctionTemplateDecl *FTD = dyn_cast<FunctionTemplateDecl>(D))
998      for (FunctionTemplateDecl::spec_iterator SI = FTD->spec_begin(),
999            SE = FTD->spec_end(); SI != SE; ++SI) {
1000        FunctionDecl *FD = *SI;
1001        if (CXXMethodDecl *M = dyn_cast<CXXMethodDecl>(FD))
1002          EltTys.push_back(CreateCXXMemberFunction(M, Unit, RecordTy));
1003      }
1004  }
1005}
1006
1007/// CollectCXXFriends - A helper function to collect debug info for
1008/// C++ base classes. This is used while creating debug info entry for
1009/// a Record.
1010void CGDebugInfo::
1011CollectCXXFriends(const CXXRecordDecl *RD, llvm::DIFile Unit,
1012                SmallVectorImpl<llvm::Value *> &EltTys,
1013                llvm::DIType RecordTy) {
1014  for (CXXRecordDecl::friend_iterator BI = RD->friend_begin(),
1015         BE = RD->friend_end(); BI != BE; ++BI) {
1016    if ((*BI)->isUnsupportedFriend())
1017      continue;
1018    if (TypeSourceInfo *TInfo = (*BI)->getFriendType())
1019      EltTys.push_back(DBuilder.createFriend(RecordTy,
1020                                             getOrCreateType(TInfo->getType(),
1021                                                             Unit)));
1022  }
1023}
1024
1025/// CollectCXXBases - A helper function to collect debug info for
1026/// C++ base classes. This is used while creating debug info entry for
1027/// a Record.
1028void CGDebugInfo::
1029CollectCXXBases(const CXXRecordDecl *RD, llvm::DIFile Unit,
1030                SmallVectorImpl<llvm::Value *> &EltTys,
1031                llvm::DIType RecordTy) {
1032
1033  const ASTRecordLayout &RL = CGM.getContext().getASTRecordLayout(RD);
1034  for (CXXRecordDecl::base_class_const_iterator BI = RD->bases_begin(),
1035         BE = RD->bases_end(); BI != BE; ++BI) {
1036    unsigned BFlags = 0;
1037    uint64_t BaseOffset;
1038
1039    const CXXRecordDecl *Base =
1040      cast<CXXRecordDecl>(BI->getType()->getAs<RecordType>()->getDecl());
1041
1042    if (BI->isVirtual()) {
1043      // virtual base offset offset is -ve. The code generator emits dwarf
1044      // expression where it expects +ve number.
1045      BaseOffset =
1046        0 - CGM.getVTableContext()
1047               .getVirtualBaseOffsetOffset(RD, Base).getQuantity();
1048      BFlags = llvm::DIDescriptor::FlagVirtual;
1049    } else
1050      BaseOffset = RL.getBaseClassOffsetInBits(Base);
1051    // FIXME: Inconsistent units for BaseOffset. It is in bytes when
1052    // BI->isVirtual() and bits when not.
1053
1054    AccessSpecifier Access = BI->getAccessSpecifier();
1055    if (Access == clang::AS_private)
1056      BFlags |= llvm::DIDescriptor::FlagPrivate;
1057    else if (Access == clang::AS_protected)
1058      BFlags |= llvm::DIDescriptor::FlagProtected;
1059
1060    llvm::DIType DTy =
1061      DBuilder.createInheritance(RecordTy,
1062                                 getOrCreateType(BI->getType(), Unit),
1063                                 BaseOffset, BFlags);
1064    EltTys.push_back(DTy);
1065  }
1066}
1067
1068/// CollectTemplateParams - A helper function to collect template parameters.
1069llvm::DIArray CGDebugInfo::
1070CollectTemplateParams(const TemplateParameterList *TPList,
1071                      const TemplateArgumentList &TAList,
1072                      llvm::DIFile Unit) {
1073  SmallVector<llvm::Value *, 16> TemplateParams;
1074  for (unsigned i = 0, e = TAList.size(); i != e; ++i) {
1075    const TemplateArgument &TA = TAList[i];
1076    const NamedDecl *ND = TPList->getParam(i);
1077    if (TA.getKind() == TemplateArgument::Type) {
1078      llvm::DIType TTy = getOrCreateType(TA.getAsType(), Unit);
1079      llvm::DITemplateTypeParameter TTP =
1080        DBuilder.createTemplateTypeParameter(TheCU, ND->getName(), TTy);
1081      TemplateParams.push_back(TTP);
1082    } else if (TA.getKind() == TemplateArgument::Integral) {
1083      llvm::DIType TTy = getOrCreateType(TA.getIntegralType(), Unit);
1084      llvm::DITemplateValueParameter TVP =
1085        DBuilder.createTemplateValueParameter(TheCU, ND->getName(), TTy,
1086                                          TA.getAsIntegral()->getZExtValue());
1087      TemplateParams.push_back(TVP);
1088    }
1089  }
1090  return DBuilder.getOrCreateArray(TemplateParams);
1091}
1092
1093/// CollectFunctionTemplateParams - A helper function to collect debug
1094/// info for function template parameters.
1095llvm::DIArray CGDebugInfo::
1096CollectFunctionTemplateParams(const FunctionDecl *FD, llvm::DIFile Unit) {
1097  if (FD->getTemplatedKind() ==
1098      FunctionDecl::TK_FunctionTemplateSpecialization) {
1099    const TemplateParameterList *TList =
1100      FD->getTemplateSpecializationInfo()->getTemplate()
1101      ->getTemplateParameters();
1102    return
1103      CollectTemplateParams(TList, *FD->getTemplateSpecializationArgs(), Unit);
1104  }
1105  return llvm::DIArray();
1106}
1107
1108/// CollectCXXTemplateParams - A helper function to collect debug info for
1109/// template parameters.
1110llvm::DIArray CGDebugInfo::
1111CollectCXXTemplateParams(const ClassTemplateSpecializationDecl *TSpecial,
1112                         llvm::DIFile Unit) {
1113  llvm::PointerUnion<ClassTemplateDecl *,
1114                     ClassTemplatePartialSpecializationDecl *>
1115    PU = TSpecial->getSpecializedTemplateOrPartial();
1116
1117  TemplateParameterList *TPList = PU.is<ClassTemplateDecl *>() ?
1118    PU.get<ClassTemplateDecl *>()->getTemplateParameters() :
1119    PU.get<ClassTemplatePartialSpecializationDecl *>()->getTemplateParameters();
1120  const TemplateArgumentList &TAList = TSpecial->getTemplateInstantiationArgs();
1121  return CollectTemplateParams(TPList, TAList, Unit);
1122}
1123
1124/// getOrCreateVTablePtrType - Return debug info descriptor for vtable.
1125llvm::DIType CGDebugInfo::getOrCreateVTablePtrType(llvm::DIFile Unit) {
1126  if (VTablePtrType.isValid())
1127    return VTablePtrType;
1128
1129  ASTContext &Context = CGM.getContext();
1130
1131  /* Function type */
1132  llvm::Value *STy = getOrCreateType(Context.IntTy, Unit);
1133  llvm::DIArray SElements = DBuilder.getOrCreateArray(STy);
1134  llvm::DIType SubTy = DBuilder.createSubroutineType(Unit, SElements);
1135  unsigned Size = Context.getTypeSize(Context.VoidPtrTy);
1136  llvm::DIType vtbl_ptr_type = DBuilder.createPointerType(SubTy, Size, 0,
1137                                                          "__vtbl_ptr_type");
1138  VTablePtrType = DBuilder.createPointerType(vtbl_ptr_type, Size);
1139  return VTablePtrType;
1140}
1141
1142/// getVTableName - Get vtable name for the given Class.
1143StringRef CGDebugInfo::getVTableName(const CXXRecordDecl *RD) {
1144  // Construct gdb compatible name name.
1145  std::string Name = "_vptr$" + RD->getNameAsString();
1146
1147  // Copy this name on the side and use its reference.
1148  char *StrPtr = DebugInfoNames.Allocate<char>(Name.length());
1149  memcpy(StrPtr, Name.data(), Name.length());
1150  return StringRef(StrPtr, Name.length());
1151}
1152
1153
1154/// CollectVTableInfo - If the C++ class has vtable info then insert appropriate
1155/// debug info entry in EltTys vector.
1156void CGDebugInfo::
1157CollectVTableInfo(const CXXRecordDecl *RD, llvm::DIFile Unit,
1158                  SmallVectorImpl<llvm::Value *> &EltTys) {
1159  const ASTRecordLayout &RL = CGM.getContext().getASTRecordLayout(RD);
1160
1161  // If there is a primary base then it will hold vtable info.
1162  if (RL.getPrimaryBase())
1163    return;
1164
1165  // If this class is not dynamic then there is not any vtable info to collect.
1166  if (!RD->isDynamicClass())
1167    return;
1168
1169  unsigned Size = CGM.getContext().getTypeSize(CGM.getContext().VoidPtrTy);
1170  llvm::DIType VPTR
1171    = DBuilder.createMemberType(Unit, getVTableName(RD), Unit,
1172                                0, Size, 0, 0, 0,
1173                                getOrCreateVTablePtrType(Unit));
1174  EltTys.push_back(VPTR);
1175}
1176
1177/// getOrCreateRecordType - Emit record type's standalone debug info.
1178llvm::DIType CGDebugInfo::getOrCreateRecordType(QualType RTy,
1179                                                SourceLocation Loc) {
1180  llvm::DIType T = getOrCreateType(RTy, getOrCreateFile(Loc));
1181  return T;
1182}
1183
1184/// CreateType - get structure or union type.
1185llvm::DIType CGDebugInfo::CreateType(const RecordType *Ty) {
1186  RecordDecl *RD = Ty->getDecl();
1187
1188  // Get overall information about the record type for the debug info.
1189  llvm::DIFile DefUnit = getOrCreateFile(RD->getLocation());
1190
1191  // Records and classes and unions can all be recursive.  To handle them, we
1192  // first generate a debug descriptor for the struct as a forward declaration.
1193  // Then (if it is a definition) we go through and get debug info for all of
1194  // its members.  Finally, we create a descriptor for the complete type (which
1195  // may refer to the forward decl if the struct is recursive) and replace all
1196  // uses of the forward declaration with the final definition.
1197
1198  llvm::DIType FwdDecl = getOrCreateLimitedType(QualType(Ty, 0), DefUnit);
1199
1200  if (FwdDecl.isForwardDecl())
1201    return FwdDecl;
1202
1203  llvm::TrackingVH<llvm::MDNode> FwdDeclNode(FwdDecl);
1204
1205  // Push the struct on region stack.
1206  LexicalBlockStack.push_back(FwdDeclNode);
1207  RegionMap[Ty->getDecl()] = llvm::WeakVH(FwdDecl);
1208
1209  // Add this to the completed types cache since we're completing it.
1210  CompletedTypeCache[QualType(Ty, 0).getAsOpaquePtr()] = FwdDecl;
1211
1212  // Convert all the elements.
1213  SmallVector<llvm::Value *, 16> EltTys;
1214
1215  // Note: The split of CXXDecl information here is intentional, the
1216  // gdb tests will depend on a certain ordering at printout. The debug
1217  // information offsets are still correct if we merge them all together
1218  // though.
1219  const CXXRecordDecl *CXXDecl = dyn_cast<CXXRecordDecl>(RD);
1220  if (CXXDecl) {
1221    CollectCXXBases(CXXDecl, DefUnit, EltTys, FwdDecl);
1222    CollectVTableInfo(CXXDecl, DefUnit, EltTys);
1223  }
1224
1225  // Collect static variables with initializers and other fields.
1226  CollectRecordStaticVars(RD, FwdDecl);
1227  CollectRecordFields(RD, DefUnit, EltTys, FwdDecl);
1228  llvm::DIArray TParamsArray;
1229  if (CXXDecl) {
1230    CollectCXXMemberFunctions(CXXDecl, DefUnit, EltTys, FwdDecl);
1231    CollectCXXFriends(CXXDecl, DefUnit, EltTys, FwdDecl);
1232    if (const ClassTemplateSpecializationDecl *TSpecial
1233        = dyn_cast<ClassTemplateSpecializationDecl>(RD))
1234      TParamsArray = CollectCXXTemplateParams(TSpecial, DefUnit);
1235  }
1236
1237  LexicalBlockStack.pop_back();
1238  RegionMap.erase(Ty->getDecl());
1239
1240  llvm::DIArray Elements = DBuilder.getOrCreateArray(EltTys);
1241  // FIXME: Magic numbers ahoy! These should be changed when we
1242  // get some enums in llvm/Analysis/DebugInfo.h to refer to
1243  // them.
1244  if (RD->isUnion())
1245    FwdDeclNode->replaceOperandWith(10, Elements);
1246  else if (CXXDecl) {
1247    FwdDeclNode->replaceOperandWith(10, Elements);
1248    FwdDeclNode->replaceOperandWith(13, TParamsArray);
1249  } else
1250    FwdDeclNode->replaceOperandWith(10, Elements);
1251
1252  RegionMap[Ty->getDecl()] = llvm::WeakVH(FwdDeclNode);
1253  return llvm::DIType(FwdDeclNode);
1254}
1255
1256/// CreateType - get objective-c object type.
1257llvm::DIType CGDebugInfo::CreateType(const ObjCObjectType *Ty,
1258                                     llvm::DIFile Unit) {
1259  // Ignore protocols.
1260  return getOrCreateType(Ty->getBaseType(), Unit);
1261}
1262
1263/// CreateType - get objective-c interface type.
1264llvm::DIType CGDebugInfo::CreateType(const ObjCInterfaceType *Ty,
1265                                     llvm::DIFile Unit) {
1266  ObjCInterfaceDecl *ID = Ty->getDecl();
1267  if (!ID)
1268    return llvm::DIType();
1269
1270  // Get overall information about the record type for the debug info.
1271  llvm::DIFile DefUnit = getOrCreateFile(ID->getLocation());
1272  unsigned Line = getLineNumber(ID->getLocation());
1273  unsigned RuntimeLang = TheCU.getLanguage();
1274
1275  // If this is just a forward declaration return a special forward-declaration
1276  // debug type since we won't be able to lay out the entire type.
1277  ObjCInterfaceDecl *Def = ID->getDefinition();
1278  if (!Def) {
1279    llvm::DIType FwdDecl =
1280      DBuilder.createForwardDecl(llvm::dwarf::DW_TAG_structure_type,
1281				 ID->getName(), DefUnit, Line,
1282				 RuntimeLang);
1283    return FwdDecl;
1284  }
1285  ID = Def;
1286
1287  // Bit size, align and offset of the type.
1288  uint64_t Size = CGM.getContext().getTypeSize(Ty);
1289  uint64_t Align = CGM.getContext().getTypeAlign(Ty);
1290
1291  unsigned Flags = 0;
1292  if (ID->getImplementation())
1293    Flags |= llvm::DIDescriptor::FlagObjcClassComplete;
1294
1295  llvm::DIType RealDecl =
1296    DBuilder.createStructType(Unit, ID->getName(), DefUnit,
1297                              Line, Size, Align, Flags,
1298                              llvm::DIArray(), RuntimeLang);
1299
1300  // Otherwise, insert it into the CompletedTypeCache so that recursive uses
1301  // will find it and we're emitting the complete type.
1302  CompletedTypeCache[QualType(Ty, 0).getAsOpaquePtr()] = RealDecl;
1303  // Push the struct on region stack.
1304  llvm::TrackingVH<llvm::MDNode> FwdDeclNode(RealDecl);
1305
1306  LexicalBlockStack.push_back(FwdDeclNode);
1307  RegionMap[Ty->getDecl()] = llvm::WeakVH(RealDecl);
1308
1309  // Convert all the elements.
1310  SmallVector<llvm::Value *, 16> EltTys;
1311
1312  ObjCInterfaceDecl *SClass = ID->getSuperClass();
1313  if (SClass) {
1314    llvm::DIType SClassTy =
1315      getOrCreateType(CGM.getContext().getObjCInterfaceType(SClass), Unit);
1316    if (!SClassTy.isValid())
1317      return llvm::DIType();
1318
1319    llvm::DIType InhTag =
1320      DBuilder.createInheritance(RealDecl, SClassTy, 0, 0);
1321    EltTys.push_back(InhTag);
1322  }
1323
1324  for (ObjCContainerDecl::prop_iterator I = ID->prop_begin(),
1325         E = ID->prop_end(); I != E; ++I) {
1326    const ObjCPropertyDecl *PD = *I;
1327    SourceLocation Loc = PD->getLocation();
1328    llvm::DIFile PUnit = getOrCreateFile(Loc);
1329    unsigned PLine = getLineNumber(Loc);
1330    ObjCMethodDecl *Getter = PD->getGetterMethodDecl();
1331    ObjCMethodDecl *Setter = PD->getSetterMethodDecl();
1332    llvm::MDNode *PropertyNode =
1333      DBuilder.createObjCProperty(PD->getName(),
1334				  PUnit, PLine,
1335                                  (Getter && Getter->isImplicit()) ? "" :
1336                                  getSelectorName(PD->getGetterName()),
1337                                  (Setter && Setter->isImplicit()) ? "" :
1338                                  getSelectorName(PD->getSetterName()),
1339                                  PD->getPropertyAttributes(),
1340				  getOrCreateType(PD->getType(), PUnit));
1341    EltTys.push_back(PropertyNode);
1342  }
1343
1344  const ASTRecordLayout &RL = CGM.getContext().getASTObjCInterfaceLayout(ID);
1345  unsigned FieldNo = 0;
1346  for (ObjCIvarDecl *Field = ID->all_declared_ivar_begin(); Field;
1347       Field = Field->getNextIvar(), ++FieldNo) {
1348    llvm::DIType FieldTy = getOrCreateType(Field->getType(), Unit);
1349    if (!FieldTy.isValid())
1350      return llvm::DIType();
1351
1352    StringRef FieldName = Field->getName();
1353
1354    // Ignore unnamed fields.
1355    if (FieldName.empty())
1356      continue;
1357
1358    // Get the location for the field.
1359    llvm::DIFile FieldDefUnit = getOrCreateFile(Field->getLocation());
1360    unsigned FieldLine = getLineNumber(Field->getLocation());
1361    QualType FType = Field->getType();
1362    uint64_t FieldSize = 0;
1363    unsigned FieldAlign = 0;
1364
1365    if (!FType->isIncompleteArrayType()) {
1366
1367      // Bit size, align and offset of the type.
1368      FieldSize = Field->isBitField()
1369        ? Field->getBitWidthValue(CGM.getContext())
1370        : CGM.getContext().getTypeSize(FType);
1371      FieldAlign = CGM.getContext().getTypeAlign(FType);
1372    }
1373
1374    // We can't know the offset of our ivar in the structure if we're using
1375    // the non-fragile abi and the debugger should ignore the value anyways.
1376    // Call it the FieldNo+1 due to how debuggers use the information,
1377    // e.g. negating the value when it needs a lookup in the dynamic table.
1378    uint64_t FieldOffset = CGM.getLangOpts().ObjCNonFragileABI ? FieldNo+1
1379      : RL.getFieldOffset(FieldNo);
1380
1381    unsigned Flags = 0;
1382    if (Field->getAccessControl() == ObjCIvarDecl::Protected)
1383      Flags = llvm::DIDescriptor::FlagProtected;
1384    else if (Field->getAccessControl() == ObjCIvarDecl::Private)
1385      Flags = llvm::DIDescriptor::FlagPrivate;
1386
1387    llvm::MDNode *PropertyNode = NULL;
1388    if (ObjCImplementationDecl *ImpD = ID->getImplementation()) {
1389      if (ObjCPropertyImplDecl *PImpD =
1390          ImpD->FindPropertyImplIvarDecl(Field->getIdentifier())) {
1391        if (ObjCPropertyDecl *PD = PImpD->getPropertyDecl()) {
1392	  SourceLocation Loc = PD->getLocation();
1393	  llvm::DIFile PUnit = getOrCreateFile(Loc);
1394	  unsigned PLine = getLineNumber(Loc);
1395          ObjCMethodDecl *Getter = PD->getGetterMethodDecl();
1396          ObjCMethodDecl *Setter = PD->getSetterMethodDecl();
1397          PropertyNode =
1398            DBuilder.createObjCProperty(PD->getName(),
1399                                        PUnit, PLine,
1400                                        (Getter && Getter->isImplicit()) ? "" :
1401                                        getSelectorName(PD->getGetterName()),
1402                                        (Setter && Setter->isImplicit()) ? "" :
1403                                        getSelectorName(PD->getSetterName()),
1404                                        PD->getPropertyAttributes(),
1405                                        getOrCreateType(PD->getType(), PUnit));
1406        }
1407      }
1408    }
1409    FieldTy = DBuilder.createObjCIVar(FieldName, FieldDefUnit,
1410                                      FieldLine, FieldSize, FieldAlign,
1411                                      FieldOffset, Flags, FieldTy,
1412                                      PropertyNode);
1413    EltTys.push_back(FieldTy);
1414  }
1415
1416  llvm::DIArray Elements = DBuilder.getOrCreateArray(EltTys);
1417  FwdDeclNode->replaceOperandWith(10, Elements);
1418
1419  LexicalBlockStack.pop_back();
1420  return llvm::DIType(FwdDeclNode);
1421}
1422
1423llvm::DIType CGDebugInfo::CreateType(const VectorType *Ty, llvm::DIFile Unit) {
1424  llvm::DIType ElementTy = getOrCreateType(Ty->getElementType(), Unit);
1425  int64_t NumElems = Ty->getNumElements();
1426  int64_t LowerBound = 0;
1427  if (NumElems == 0)
1428    // If number of elements are not known then this is an unbounded array.
1429    // Use Low = 1, Hi = 0 to express such arrays.
1430    LowerBound = 1;
1431  else
1432    --NumElems;
1433
1434  llvm::Value *Subscript = DBuilder.getOrCreateSubrange(LowerBound, NumElems);
1435  llvm::DIArray SubscriptArray = DBuilder.getOrCreateArray(Subscript);
1436
1437  uint64_t Size = CGM.getContext().getTypeSize(Ty);
1438  uint64_t Align = CGM.getContext().getTypeAlign(Ty);
1439
1440  return
1441    DBuilder.createVectorType(Size, Align, ElementTy, SubscriptArray);
1442}
1443
1444llvm::DIType CGDebugInfo::CreateType(const ArrayType *Ty,
1445                                     llvm::DIFile Unit) {
1446  uint64_t Size;
1447  uint64_t Align;
1448
1449
1450  // FIXME: make getTypeAlign() aware of VLAs and incomplete array types
1451  if (const VariableArrayType *VAT = dyn_cast<VariableArrayType>(Ty)) {
1452    Size = 0;
1453    Align =
1454      CGM.getContext().getTypeAlign(CGM.getContext().getBaseElementType(VAT));
1455  } else if (Ty->isIncompleteArrayType()) {
1456    Size = 0;
1457    Align = CGM.getContext().getTypeAlign(Ty->getElementType());
1458  } else if (Ty->isDependentSizedArrayType() || Ty->isIncompleteType()) {
1459    Size = 0;
1460    Align = 0;
1461  } else {
1462    // Size and align of the whole array, not the element type.
1463    Size = CGM.getContext().getTypeSize(Ty);
1464    Align = CGM.getContext().getTypeAlign(Ty);
1465  }
1466
1467  // Add the dimensions of the array.  FIXME: This loses CV qualifiers from
1468  // interior arrays, do we care?  Why aren't nested arrays represented the
1469  // obvious/recursive way?
1470  SmallVector<llvm::Value *, 8> Subscripts;
1471  QualType EltTy(Ty, 0);
1472  if (Ty->isIncompleteArrayType())
1473    EltTy = Ty->getElementType();
1474  else {
1475    while ((Ty = dyn_cast<ArrayType>(EltTy))) {
1476      int64_t UpperBound = 0;
1477      int64_t LowerBound = 0;
1478      if (const ConstantArrayType *CAT = dyn_cast<ConstantArrayType>(Ty)) {
1479        if (CAT->getSize().getZExtValue())
1480          UpperBound = CAT->getSize().getZExtValue() - 1;
1481      } else
1482        // This is an unbounded array. Use Low = 1, Hi = 0 to express such
1483        // arrays.
1484        LowerBound = 1;
1485
1486      // FIXME: Verify this is right for VLAs.
1487      Subscripts.push_back(DBuilder.getOrCreateSubrange(LowerBound,
1488                                                        UpperBound));
1489      EltTy = Ty->getElementType();
1490    }
1491  }
1492
1493  llvm::DIArray SubscriptArray = DBuilder.getOrCreateArray(Subscripts);
1494
1495  llvm::DIType DbgTy =
1496    DBuilder.createArrayType(Size, Align, getOrCreateType(EltTy, Unit),
1497                             SubscriptArray);
1498  return DbgTy;
1499}
1500
1501llvm::DIType CGDebugInfo::CreateType(const LValueReferenceType *Ty,
1502                                     llvm::DIFile Unit) {
1503  return CreatePointerLikeType(llvm::dwarf::DW_TAG_reference_type,
1504                               Ty, Ty->getPointeeType(), Unit);
1505}
1506
1507llvm::DIType CGDebugInfo::CreateType(const RValueReferenceType *Ty,
1508                                     llvm::DIFile Unit) {
1509  return CreatePointerLikeType(llvm::dwarf::DW_TAG_rvalue_reference_type,
1510                               Ty, Ty->getPointeeType(), Unit);
1511}
1512
1513llvm::DIType CGDebugInfo::CreateType(const MemberPointerType *Ty,
1514                                     llvm::DIFile U) {
1515  QualType PointerDiffTy = CGM.getContext().getPointerDiffType();
1516  llvm::DIType PointerDiffDITy = getOrCreateType(PointerDiffTy, U);
1517
1518  if (!Ty->getPointeeType()->isFunctionType()) {
1519    // We have a data member pointer type.
1520    return PointerDiffDITy;
1521  }
1522
1523  // We have a member function pointer type. Treat it as a struct with two
1524  // ptrdiff_t members.
1525  std::pair<uint64_t, unsigned> Info = CGM.getContext().getTypeInfo(Ty);
1526
1527  uint64_t FieldOffset = 0;
1528  llvm::Value *ElementTypes[2];
1529
1530  // FIXME: This should probably be a function type instead.
1531  ElementTypes[0] =
1532    DBuilder.createMemberType(U, "ptr", U, 0,
1533                              Info.first, Info.second, FieldOffset, 0,
1534                              PointerDiffDITy);
1535  FieldOffset += Info.first;
1536
1537  ElementTypes[1] =
1538    DBuilder.createMemberType(U, "ptr", U, 0,
1539                              Info.first, Info.second, FieldOffset, 0,
1540                              PointerDiffDITy);
1541
1542  llvm::DIArray Elements = DBuilder.getOrCreateArray(ElementTypes);
1543
1544  return DBuilder.createStructType(U, StringRef("test"),
1545                                   U, 0, FieldOffset,
1546                                   0, 0, Elements);
1547}
1548
1549llvm::DIType CGDebugInfo::CreateType(const AtomicType *Ty,
1550                                     llvm::DIFile U) {
1551  // Ignore the atomic wrapping
1552  // FIXME: What is the correct representation?
1553  return getOrCreateType(Ty->getValueType(), U);
1554}
1555
1556/// CreateEnumType - get enumeration type.
1557llvm::DIType CGDebugInfo::CreateEnumType(const EnumDecl *ED) {
1558  llvm::DIFile Unit = getOrCreateFile(ED->getLocation());
1559  SmallVector<llvm::Value *, 16> Enumerators;
1560
1561  // Create DIEnumerator elements for each enumerator.
1562  for (EnumDecl::enumerator_iterator
1563         Enum = ED->enumerator_begin(), EnumEnd = ED->enumerator_end();
1564       Enum != EnumEnd; ++Enum) {
1565    Enumerators.push_back(
1566      DBuilder.createEnumerator(Enum->getName(),
1567                                Enum->getInitVal().getZExtValue()));
1568  }
1569
1570  // Return a CompositeType for the enum itself.
1571  llvm::DIArray EltArray = DBuilder.getOrCreateArray(Enumerators);
1572
1573  llvm::DIFile DefUnit = getOrCreateFile(ED->getLocation());
1574  unsigned Line = getLineNumber(ED->getLocation());
1575  uint64_t Size = 0;
1576  uint64_t Align = 0;
1577  if (!ED->getTypeForDecl()->isIncompleteType()) {
1578    Size = CGM.getContext().getTypeSize(ED->getTypeForDecl());
1579    Align = CGM.getContext().getTypeAlign(ED->getTypeForDecl());
1580  }
1581  llvm::DIDescriptor EnumContext =
1582    getContextDescriptor(cast<Decl>(ED->getDeclContext()));
1583  llvm::DIType DbgTy =
1584    DBuilder.createEnumerationType(EnumContext, ED->getName(), DefUnit, Line,
1585                                   Size, Align, EltArray);
1586  return DbgTy;
1587}
1588
1589static QualType UnwrapTypeForDebugInfo(QualType T) {
1590  do {
1591    QualType LastT = T;
1592    switch (T->getTypeClass()) {
1593    default:
1594      return T;
1595    case Type::TemplateSpecialization:
1596      T = cast<TemplateSpecializationType>(T)->desugar();
1597      break;
1598    case Type::TypeOfExpr:
1599      T = cast<TypeOfExprType>(T)->getUnderlyingExpr()->getType();
1600      break;
1601    case Type::TypeOf:
1602      T = cast<TypeOfType>(T)->getUnderlyingType();
1603      break;
1604    case Type::Decltype:
1605      T = cast<DecltypeType>(T)->getUnderlyingType();
1606      break;
1607    case Type::UnaryTransform:
1608      T = cast<UnaryTransformType>(T)->getUnderlyingType();
1609      break;
1610    case Type::Attributed:
1611      T = cast<AttributedType>(T)->getEquivalentType();
1612      break;
1613    case Type::Elaborated:
1614      T = cast<ElaboratedType>(T)->getNamedType();
1615      break;
1616    case Type::Paren:
1617      T = cast<ParenType>(T)->getInnerType();
1618      break;
1619    case Type::SubstTemplateTypeParm:
1620      T = cast<SubstTemplateTypeParmType>(T)->getReplacementType();
1621      break;
1622    case Type::Auto:
1623      T = cast<AutoType>(T)->getDeducedType();
1624      break;
1625    }
1626
1627    assert(T != LastT && "Type unwrapping failed to unwrap!");
1628    if (T == LastT)
1629      return T;
1630  } while (true);
1631}
1632
1633/// getType - Get the type from the cache or return null type if it doesn't exist.
1634llvm::DIType CGDebugInfo::getTypeOrNull(QualType Ty) {
1635
1636  // Unwrap the type as needed for debug information.
1637  Ty = UnwrapTypeForDebugInfo(Ty);
1638
1639  // Check for existing entry.
1640  llvm::DenseMap<void *, llvm::WeakVH>::iterator it =
1641    TypeCache.find(Ty.getAsOpaquePtr());
1642  if (it != TypeCache.end()) {
1643    // Verify that the debug info still exists.
1644    if (&*it->second)
1645      return llvm::DIType(cast<llvm::MDNode>(it->second));
1646  }
1647
1648  return llvm::DIType();
1649}
1650
1651/// getCompletedTypeOrNull - Get the type from the cache or return null if it
1652/// doesn't exist.
1653llvm::DIType CGDebugInfo::getCompletedTypeOrNull(QualType Ty) {
1654
1655  // Unwrap the type as needed for debug information.
1656  Ty = UnwrapTypeForDebugInfo(Ty);
1657
1658  // Check for existing entry.
1659  llvm::DenseMap<void *, llvm::WeakVH>::iterator it =
1660    CompletedTypeCache.find(Ty.getAsOpaquePtr());
1661  if (it != CompletedTypeCache.end()) {
1662    // Verify that the debug info still exists.
1663    if (&*it->second)
1664      return llvm::DIType(cast<llvm::MDNode>(it->second));
1665  }
1666
1667  return llvm::DIType();
1668}
1669
1670
1671/// getOrCreateType - Get the type from the cache or create a new
1672/// one if necessary.
1673llvm::DIType CGDebugInfo::getOrCreateType(QualType Ty, llvm::DIFile Unit) {
1674  if (Ty.isNull())
1675    return llvm::DIType();
1676
1677  // Unwrap the type as needed for debug information.
1678  Ty = UnwrapTypeForDebugInfo(Ty);
1679
1680  llvm::DIType T = getCompletedTypeOrNull(Ty);
1681
1682  if (T.Verify()) return T;
1683
1684  // Otherwise create the type.
1685  llvm::DIType Res = CreateTypeNode(Ty, Unit);
1686
1687  llvm::DIType TC = getTypeOrNull(Ty);
1688  if (TC.Verify() && TC.isForwardDecl())
1689    ReplaceMap.push_back(std::make_pair(Ty.getAsOpaquePtr(), TC));
1690
1691  // And update the type cache.
1692  TypeCache[Ty.getAsOpaquePtr()] = Res;
1693
1694  if (!Res.isForwardDecl())
1695    CompletedTypeCache[Ty.getAsOpaquePtr()] = Res;
1696  return Res;
1697}
1698
1699/// CreateTypeNode - Create a new debug type node.
1700llvm::DIType CGDebugInfo::CreateTypeNode(QualType Ty, llvm::DIFile Unit) {
1701  // Handle qualifiers, which recursively handles what they refer to.
1702  if (Ty.hasLocalQualifiers())
1703    return CreateQualifiedType(Ty, Unit);
1704
1705  const char *Diag = 0;
1706
1707  // Work out details of type.
1708  switch (Ty->getTypeClass()) {
1709#define TYPE(Class, Base)
1710#define ABSTRACT_TYPE(Class, Base)
1711#define NON_CANONICAL_TYPE(Class, Base)
1712#define DEPENDENT_TYPE(Class, Base) case Type::Class:
1713#include "clang/AST/TypeNodes.def"
1714    llvm_unreachable("Dependent types cannot show up in debug information");
1715
1716  case Type::ExtVector:
1717  case Type::Vector:
1718    return CreateType(cast<VectorType>(Ty), Unit);
1719  case Type::ObjCObjectPointer:
1720    return CreateType(cast<ObjCObjectPointerType>(Ty), Unit);
1721  case Type::ObjCObject:
1722    return CreateType(cast<ObjCObjectType>(Ty), Unit);
1723  case Type::ObjCInterface:
1724    return CreateType(cast<ObjCInterfaceType>(Ty), Unit);
1725  case Type::Builtin:
1726    return CreateType(cast<BuiltinType>(Ty));
1727  case Type::Complex:
1728    return CreateType(cast<ComplexType>(Ty));
1729  case Type::Pointer:
1730    return CreateType(cast<PointerType>(Ty), Unit);
1731  case Type::BlockPointer:
1732    return CreateType(cast<BlockPointerType>(Ty), Unit);
1733  case Type::Typedef:
1734    return CreateType(cast<TypedefType>(Ty), Unit);
1735  case Type::Record:
1736    return CreateType(cast<RecordType>(Ty));
1737  case Type::Enum:
1738    return CreateEnumType(cast<EnumType>(Ty)->getDecl());
1739  case Type::FunctionProto:
1740  case Type::FunctionNoProto:
1741    return CreateType(cast<FunctionType>(Ty), Unit);
1742  case Type::ConstantArray:
1743  case Type::VariableArray:
1744  case Type::IncompleteArray:
1745    return CreateType(cast<ArrayType>(Ty), Unit);
1746
1747  case Type::LValueReference:
1748    return CreateType(cast<LValueReferenceType>(Ty), Unit);
1749  case Type::RValueReference:
1750    return CreateType(cast<RValueReferenceType>(Ty), Unit);
1751
1752  case Type::MemberPointer:
1753    return CreateType(cast<MemberPointerType>(Ty), Unit);
1754
1755  case Type::Atomic:
1756    return CreateType(cast<AtomicType>(Ty), Unit);
1757
1758  case Type::Attributed:
1759  case Type::TemplateSpecialization:
1760  case Type::Elaborated:
1761  case Type::Paren:
1762  case Type::SubstTemplateTypeParm:
1763  case Type::TypeOfExpr:
1764  case Type::TypeOf:
1765  case Type::Decltype:
1766  case Type::UnaryTransform:
1767  case Type::Auto:
1768    llvm_unreachable("type should have been unwrapped!");
1769  }
1770
1771  assert(Diag && "Fall through without a diagnostic?");
1772  unsigned DiagID = CGM.getDiags().getCustomDiagID(DiagnosticsEngine::Error,
1773                               "debug information for %0 is not yet supported");
1774  CGM.getDiags().Report(DiagID)
1775    << Diag;
1776  return llvm::DIType();
1777}
1778
1779/// getOrCreateLimitedType - Get the type from the cache or create a new
1780/// limited type if necessary.
1781llvm::DIType CGDebugInfo::getOrCreateLimitedType(QualType Ty,
1782						 llvm::DIFile Unit) {
1783  if (Ty.isNull())
1784    return llvm::DIType();
1785
1786  // Unwrap the type as needed for debug information.
1787  Ty = UnwrapTypeForDebugInfo(Ty);
1788
1789  llvm::DIType T = getTypeOrNull(Ty);
1790
1791  // We may have cached a forward decl when we could have created
1792  // a non-forward decl. Go ahead and create a non-forward decl
1793  // now.
1794  if (T.Verify() && !T.isForwardDecl()) return T;
1795
1796  // Otherwise create the type.
1797  llvm::DIType Res = CreateLimitedTypeNode(Ty, Unit);
1798
1799  if (T.Verify() && T.isForwardDecl())
1800    ReplaceMap.push_back(std::make_pair(Ty.getAsOpaquePtr(), T));
1801
1802  // And update the type cache.
1803  TypeCache[Ty.getAsOpaquePtr()] = Res;
1804  return Res;
1805}
1806
1807// TODO: Currently used for context chains when limiting debug info.
1808llvm::DIType CGDebugInfo::CreateLimitedType(const RecordType *Ty) {
1809  RecordDecl *RD = Ty->getDecl();
1810
1811  // Get overall information about the record type for the debug info.
1812  llvm::DIFile DefUnit = getOrCreateFile(RD->getLocation());
1813  unsigned Line = getLineNumber(RD->getLocation());
1814  StringRef RDName = RD->getName();
1815
1816  llvm::DIDescriptor RDContext;
1817  if (CGM.getCodeGenOpts().LimitDebugInfo)
1818    RDContext = createContextChain(cast<Decl>(RD->getDeclContext()));
1819  else
1820    RDContext = getContextDescriptor(cast<Decl>(RD->getDeclContext()));
1821
1822  // If this is just a forward declaration, construct an appropriately
1823  // marked node and just return it.
1824  if (!RD->getDefinition())
1825    return createRecordFwdDecl(RD, RDContext);
1826
1827  uint64_t Size = CGM.getContext().getTypeSize(Ty);
1828  uint64_t Align = CGM.getContext().getTypeAlign(Ty);
1829  const CXXRecordDecl *CXXDecl = dyn_cast<CXXRecordDecl>(RD);
1830  llvm::TrackingVH<llvm::MDNode> RealDecl;
1831
1832  if (RD->isUnion())
1833    RealDecl = DBuilder.createUnionType(RDContext, RDName, DefUnit, Line,
1834					Size, Align, 0, llvm::DIArray());
1835  else if (CXXDecl) {
1836    RDName = getClassName(RD);
1837
1838    // FIXME: This could be a struct type giving a default visibility different
1839    // than C++ class type, but needs llvm metadata changes first.
1840    RealDecl = DBuilder.createClassType(RDContext, RDName, DefUnit, Line,
1841					Size, Align, 0, 0, llvm::DIType(),
1842					llvm::DIArray(), llvm::DIType(),
1843					llvm::DIArray());
1844  } else
1845    RealDecl = DBuilder.createStructType(RDContext, RDName, DefUnit, Line,
1846					 Size, Align, 0, llvm::DIArray());
1847
1848  RegionMap[Ty->getDecl()] = llvm::WeakVH(RealDecl);
1849  TypeCache[QualType(Ty, 0).getAsOpaquePtr()] = llvm::DIType(RealDecl);
1850
1851  if (CXXDecl) {
1852    // A class's primary base or the class itself contains the vtable.
1853    llvm::MDNode *ContainingType = NULL;
1854    const ASTRecordLayout &RL = CGM.getContext().getASTRecordLayout(RD);
1855    if (const CXXRecordDecl *PBase = RL.getPrimaryBase()) {
1856      // Seek non virtual primary base root.
1857      while (1) {
1858	const ASTRecordLayout &BRL = CGM.getContext().getASTRecordLayout(PBase);
1859	const CXXRecordDecl *PBT = BRL.getPrimaryBase();
1860	if (PBT && !BRL.isPrimaryBaseVirtual())
1861	  PBase = PBT;
1862	else
1863	  break;
1864      }
1865      ContainingType =
1866	getOrCreateType(QualType(PBase->getTypeForDecl(), 0), DefUnit);
1867    }
1868    else if (CXXDecl->isDynamicClass())
1869      ContainingType = RealDecl;
1870
1871    RealDecl->replaceOperandWith(12, ContainingType);
1872  }
1873  return llvm::DIType(RealDecl);
1874}
1875
1876/// CreateLimitedTypeNode - Create a new debug type node, but only forward
1877/// declare composite types that haven't been processed yet.
1878llvm::DIType CGDebugInfo::CreateLimitedTypeNode(QualType Ty,llvm::DIFile Unit) {
1879
1880  // Work out details of type.
1881  switch (Ty->getTypeClass()) {
1882#define TYPE(Class, Base)
1883#define ABSTRACT_TYPE(Class, Base)
1884#define NON_CANONICAL_TYPE(Class, Base)
1885#define DEPENDENT_TYPE(Class, Base) case Type::Class:
1886        #include "clang/AST/TypeNodes.def"
1887    llvm_unreachable("Dependent types cannot show up in debug information");
1888
1889  case Type::Record:
1890    return CreateLimitedType(cast<RecordType>(Ty));
1891  default:
1892    return CreateTypeNode(Ty, Unit);
1893  }
1894}
1895
1896/// CreateMemberType - Create new member and increase Offset by FType's size.
1897llvm::DIType CGDebugInfo::CreateMemberType(llvm::DIFile Unit, QualType FType,
1898                                           StringRef Name,
1899                                           uint64_t *Offset) {
1900  llvm::DIType FieldTy = CGDebugInfo::getOrCreateType(FType, Unit);
1901  uint64_t FieldSize = CGM.getContext().getTypeSize(FType);
1902  unsigned FieldAlign = CGM.getContext().getTypeAlign(FType);
1903  llvm::DIType Ty = DBuilder.createMemberType(Unit, Name, Unit, 0,
1904                                              FieldSize, FieldAlign,
1905                                              *Offset, 0, FieldTy);
1906  *Offset += FieldSize;
1907  return Ty;
1908}
1909
1910/// getFunctionDeclaration - Return debug info descriptor to describe method
1911/// declaration for the given method definition.
1912llvm::DISubprogram CGDebugInfo::getFunctionDeclaration(const Decl *D) {
1913  const FunctionDecl *FD = dyn_cast<FunctionDecl>(D);
1914  if (!FD) return llvm::DISubprogram();
1915
1916  // Setup context.
1917  getContextDescriptor(cast<Decl>(D->getDeclContext()));
1918
1919  llvm::DenseMap<const FunctionDecl *, llvm::WeakVH>::iterator
1920    MI = SPCache.find(FD->getCanonicalDecl());
1921  if (MI != SPCache.end()) {
1922    llvm::DISubprogram SP(dyn_cast_or_null<llvm::MDNode>(&*MI->second));
1923    if (SP.isSubprogram() && !llvm::DISubprogram(SP).isDefinition())
1924      return SP;
1925  }
1926
1927  for (FunctionDecl::redecl_iterator I = FD->redecls_begin(),
1928         E = FD->redecls_end(); I != E; ++I) {
1929    const FunctionDecl *NextFD = *I;
1930    llvm::DenseMap<const FunctionDecl *, llvm::WeakVH>::iterator
1931      MI = SPCache.find(NextFD->getCanonicalDecl());
1932    if (MI != SPCache.end()) {
1933      llvm::DISubprogram SP(dyn_cast_or_null<llvm::MDNode>(&*MI->second));
1934      if (SP.isSubprogram() && !llvm::DISubprogram(SP).isDefinition())
1935        return SP;
1936    }
1937  }
1938  return llvm::DISubprogram();
1939}
1940
1941// getOrCreateFunctionType - Construct DIType. If it is a c++ method, include
1942// implicit parameter "this".
1943llvm::DIType CGDebugInfo::getOrCreateFunctionType(const Decl * D,
1944                                                  QualType FnType,
1945                                                  llvm::DIFile F) {
1946  if (const CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(D))
1947    return getOrCreateMethodType(Method, F);
1948  if (const ObjCMethodDecl *OMethod = dyn_cast<ObjCMethodDecl>(D)) {
1949    // Add "self" and "_cmd"
1950    SmallVector<llvm::Value *, 16> Elts;
1951
1952    // First element is always return type. For 'void' functions it is NULL.
1953    Elts.push_back(getOrCreateType(OMethod->getResultType(), F));
1954    // "self" pointer is always first argument.
1955    Elts.push_back(getOrCreateType(OMethod->getSelfDecl()->getType(), F));
1956    // "cmd" pointer is always second argument.
1957    Elts.push_back(getOrCreateType(OMethod->getCmdDecl()->getType(), F));
1958    // Get rest of the arguments.
1959    for (ObjCMethodDecl::param_const_iterator PI = OMethod->param_begin(),
1960           PE = OMethod->param_end(); PI != PE; ++PI)
1961      Elts.push_back(getOrCreateType((*PI)->getType(), F));
1962
1963    llvm::DIArray EltTypeArray = DBuilder.getOrCreateArray(Elts);
1964    return DBuilder.createSubroutineType(F, EltTypeArray);
1965  }
1966  return getOrCreateType(FnType, F);
1967}
1968
1969/// EmitFunctionStart - Constructs the debug code for entering a function.
1970void CGDebugInfo::EmitFunctionStart(GlobalDecl GD, QualType FnType,
1971                                    llvm::Function *Fn,
1972                                    CGBuilderTy &Builder) {
1973
1974  StringRef Name;
1975  StringRef LinkageName;
1976
1977  FnBeginRegionCount.push_back(LexicalBlockStack.size());
1978
1979  const Decl *D = GD.getDecl();
1980  // Use the location of the declaration.
1981  SourceLocation Loc = D->getLocation();
1982
1983  unsigned Flags = 0;
1984  llvm::DIFile Unit = getOrCreateFile(Loc);
1985  llvm::DIDescriptor FDContext(Unit);
1986  llvm::DIArray TParamsArray;
1987  if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(D)) {
1988    // If there is a DISubprogram for this function available then use it.
1989    llvm::DenseMap<const FunctionDecl *, llvm::WeakVH>::iterator
1990      FI = SPCache.find(FD->getCanonicalDecl());
1991    if (FI != SPCache.end()) {
1992      llvm::DIDescriptor SP(dyn_cast_or_null<llvm::MDNode>(&*FI->second));
1993      if (SP.isSubprogram() && llvm::DISubprogram(SP).isDefinition()) {
1994        llvm::MDNode *SPN = SP;
1995        LexicalBlockStack.push_back(SPN);
1996        RegionMap[D] = llvm::WeakVH(SP);
1997        return;
1998      }
1999    }
2000    Name = getFunctionName(FD);
2001    // Use mangled name as linkage name for c/c++ functions.
2002    if (!Fn->hasInternalLinkage())
2003      LinkageName = CGM.getMangledName(GD);
2004    if (LinkageName == Name)
2005      LinkageName = StringRef();
2006    if (FD->hasPrototype())
2007      Flags |= llvm::DIDescriptor::FlagPrototyped;
2008    if (const NamespaceDecl *NSDecl =
2009        dyn_cast_or_null<NamespaceDecl>(FD->getDeclContext()))
2010      FDContext = getOrCreateNameSpace(NSDecl);
2011    else if (const RecordDecl *RDecl =
2012             dyn_cast_or_null<RecordDecl>(FD->getDeclContext()))
2013      FDContext = getContextDescriptor(cast<Decl>(RDecl->getDeclContext()));
2014
2015    // Collect template parameters.
2016    TParamsArray = CollectFunctionTemplateParams(FD, Unit);
2017  } else if (const ObjCMethodDecl *OMD = dyn_cast<ObjCMethodDecl>(D)) {
2018    Name = getObjCMethodName(OMD);
2019    Flags |= llvm::DIDescriptor::FlagPrototyped;
2020  } else {
2021    // Use llvm function name.
2022    Name = Fn->getName();
2023    Flags |= llvm::DIDescriptor::FlagPrototyped;
2024  }
2025  if (!Name.empty() && Name[0] == '\01')
2026    Name = Name.substr(1);
2027
2028  unsigned LineNo = getLineNumber(Loc);
2029  if (D->isImplicit())
2030    Flags |= llvm::DIDescriptor::FlagArtificial;
2031
2032  llvm::DISubprogram SPDecl = getFunctionDeclaration(D);
2033  llvm::DISubprogram SP =
2034    DBuilder.createFunction(FDContext, Name, LinkageName, Unit,
2035                            LineNo, getOrCreateFunctionType(D, FnType, Unit),
2036                            Fn->hasInternalLinkage(), true/*definition*/,
2037                            getLineNumber(CurLoc),
2038                            Flags, CGM.getLangOpts().Optimize, Fn,
2039                            TParamsArray, SPDecl);
2040
2041  // Push function on region stack.
2042  llvm::MDNode *SPN = SP;
2043  LexicalBlockStack.push_back(SPN);
2044  RegionMap[D] = llvm::WeakVH(SP);
2045}
2046
2047/// EmitLocation - Emit metadata to indicate a change in line/column
2048/// information in the source file.
2049void CGDebugInfo::EmitLocation(CGBuilderTy &Builder, SourceLocation Loc) {
2050
2051  // Update our current location
2052  setLocation(Loc);
2053
2054  if (CurLoc.isInvalid() || CurLoc.isMacroID()) return;
2055
2056  // Don't bother if things are the same as last time.
2057  SourceManager &SM = CGM.getContext().getSourceManager();
2058  if (CurLoc == PrevLoc ||
2059      SM.getExpansionLoc(CurLoc) == SM.getExpansionLoc(PrevLoc))
2060    // New Builder may not be in sync with CGDebugInfo.
2061    if (!Builder.getCurrentDebugLocation().isUnknown())
2062      return;
2063
2064  // Update last state.
2065  PrevLoc = CurLoc;
2066
2067  llvm::MDNode *Scope = LexicalBlockStack.back();
2068  Builder.SetCurrentDebugLocation(llvm::DebugLoc::get(getLineNumber(CurLoc),
2069                                                      getColumnNumber(CurLoc),
2070                                                      Scope));
2071}
2072
2073/// CreateLexicalBlock - Creates a new lexical block node and pushes it on
2074/// the stack.
2075void CGDebugInfo::CreateLexicalBlock(SourceLocation Loc) {
2076  llvm::DIDescriptor D =
2077    DBuilder.createLexicalBlock(LexicalBlockStack.empty() ?
2078                                llvm::DIDescriptor() :
2079                                llvm::DIDescriptor(LexicalBlockStack.back()),
2080                                getOrCreateFile(CurLoc),
2081                                getLineNumber(CurLoc),
2082                                getColumnNumber(CurLoc));
2083  llvm::MDNode *DN = D;
2084  LexicalBlockStack.push_back(DN);
2085}
2086
2087/// EmitLexicalBlockStart - Constructs the debug code for entering a declarative
2088/// region - beginning of a DW_TAG_lexical_block.
2089void CGDebugInfo::EmitLexicalBlockStart(CGBuilderTy &Builder, SourceLocation Loc) {
2090  // Set our current location.
2091  setLocation(Loc);
2092
2093  // Create a new lexical block and push it on the stack.
2094  CreateLexicalBlock(Loc);
2095
2096  // Emit a line table change for the current location inside the new scope.
2097  Builder.SetCurrentDebugLocation(llvm::DebugLoc::get(getLineNumber(Loc),
2098                                  getColumnNumber(Loc),
2099                                  LexicalBlockStack.back()));
2100}
2101
2102/// EmitLexicalBlockEnd - Constructs the debug code for exiting a declarative
2103/// region - end of a DW_TAG_lexical_block.
2104void CGDebugInfo::EmitLexicalBlockEnd(CGBuilderTy &Builder, SourceLocation Loc) {
2105  assert(!LexicalBlockStack.empty() && "Region stack mismatch, stack empty!");
2106
2107  // Provide an entry in the line table for the end of the block.
2108  EmitLocation(Builder, Loc);
2109
2110  LexicalBlockStack.pop_back();
2111}
2112
2113/// EmitFunctionEnd - Constructs the debug code for exiting a function.
2114void CGDebugInfo::EmitFunctionEnd(CGBuilderTy &Builder) {
2115  assert(!LexicalBlockStack.empty() && "Region stack mismatch, stack empty!");
2116  unsigned RCount = FnBeginRegionCount.back();
2117  assert(RCount <= LexicalBlockStack.size() && "Region stack mismatch");
2118
2119  // Pop all regions for this function.
2120  while (LexicalBlockStack.size() != RCount)
2121    EmitLexicalBlockEnd(Builder, CurLoc);
2122  FnBeginRegionCount.pop_back();
2123}
2124
2125// EmitTypeForVarWithBlocksAttr - Build up structure info for the byref.
2126// See BuildByRefType.
2127llvm::DIType CGDebugInfo::EmitTypeForVarWithBlocksAttr(const ValueDecl *VD,
2128                                                       uint64_t *XOffset) {
2129
2130  SmallVector<llvm::Value *, 5> EltTys;
2131  QualType FType;
2132  uint64_t FieldSize, FieldOffset;
2133  unsigned FieldAlign;
2134
2135  llvm::DIFile Unit = getOrCreateFile(VD->getLocation());
2136  QualType Type = VD->getType();
2137
2138  FieldOffset = 0;
2139  FType = CGM.getContext().getPointerType(CGM.getContext().VoidTy);
2140  EltTys.push_back(CreateMemberType(Unit, FType, "__isa", &FieldOffset));
2141  EltTys.push_back(CreateMemberType(Unit, FType, "__forwarding", &FieldOffset));
2142  FType = CGM.getContext().IntTy;
2143  EltTys.push_back(CreateMemberType(Unit, FType, "__flags", &FieldOffset));
2144  EltTys.push_back(CreateMemberType(Unit, FType, "__size", &FieldOffset));
2145
2146  bool HasCopyAndDispose = CGM.getContext().BlockRequiresCopying(Type);
2147  if (HasCopyAndDispose) {
2148    FType = CGM.getContext().getPointerType(CGM.getContext().VoidTy);
2149    EltTys.push_back(CreateMemberType(Unit, FType, "__copy_helper",
2150                                      &FieldOffset));
2151    EltTys.push_back(CreateMemberType(Unit, FType, "__destroy_helper",
2152                                      &FieldOffset));
2153  }
2154
2155  CharUnits Align = CGM.getContext().getDeclAlign(VD);
2156  if (Align > CGM.getContext().toCharUnitsFromBits(
2157        CGM.getContext().getTargetInfo().getPointerAlign(0))) {
2158    CharUnits FieldOffsetInBytes
2159      = CGM.getContext().toCharUnitsFromBits(FieldOffset);
2160    CharUnits AlignedOffsetInBytes
2161      = FieldOffsetInBytes.RoundUpToAlignment(Align);
2162    CharUnits NumPaddingBytes
2163      = AlignedOffsetInBytes - FieldOffsetInBytes;
2164
2165    if (NumPaddingBytes.isPositive()) {
2166      llvm::APInt pad(32, NumPaddingBytes.getQuantity());
2167      FType = CGM.getContext().getConstantArrayType(CGM.getContext().CharTy,
2168                                                    pad, ArrayType::Normal, 0);
2169      EltTys.push_back(CreateMemberType(Unit, FType, "", &FieldOffset));
2170    }
2171  }
2172
2173  FType = Type;
2174  llvm::DIType FieldTy = CGDebugInfo::getOrCreateType(FType, Unit);
2175  FieldSize = CGM.getContext().getTypeSize(FType);
2176  FieldAlign = CGM.getContext().toBits(Align);
2177
2178  *XOffset = FieldOffset;
2179  FieldTy = DBuilder.createMemberType(Unit, VD->getName(), Unit,
2180                                      0, FieldSize, FieldAlign,
2181                                      FieldOffset, 0, FieldTy);
2182  EltTys.push_back(FieldTy);
2183  FieldOffset += FieldSize;
2184
2185  llvm::DIArray Elements = DBuilder.getOrCreateArray(EltTys);
2186
2187  unsigned Flags = llvm::DIDescriptor::FlagBlockByrefStruct;
2188
2189  return DBuilder.createStructType(Unit, "", Unit, 0, FieldOffset, 0, Flags,
2190                                   Elements);
2191}
2192
2193/// EmitDeclare - Emit local variable declaration debug info.
2194void CGDebugInfo::EmitDeclare(const VarDecl *VD, unsigned Tag,
2195                              llvm::Value *Storage,
2196                              unsigned ArgNo, CGBuilderTy &Builder) {
2197  assert(!LexicalBlockStack.empty() && "Region stack mismatch, stack empty!");
2198
2199  llvm::DIFile Unit = getOrCreateFile(VD->getLocation());
2200  llvm::DIType Ty;
2201  uint64_t XOffset = 0;
2202  if (VD->hasAttr<BlocksAttr>())
2203    Ty = EmitTypeForVarWithBlocksAttr(VD, &XOffset);
2204  else
2205    Ty = getOrCreateType(VD->getType(), Unit);
2206
2207  // If there is not any debug info for type then do not emit debug info
2208  // for this variable.
2209  if (!Ty)
2210    return;
2211
2212  if (llvm::Argument *Arg = dyn_cast<llvm::Argument>(Storage)) {
2213    // If Storage is an aggregate returned as 'sret' then let debugger know
2214    // about this.
2215    if (Arg->hasStructRetAttr())
2216      Ty = DBuilder.createReferenceType(Ty);
2217    else if (CXXRecordDecl *Record = VD->getType()->getAsCXXRecordDecl()) {
2218      // If an aggregate variable has non trivial destructor or non trivial copy
2219      // constructor than it is pass indirectly. Let debug info know about this
2220      // by using reference of the aggregate type as a argument type.
2221      if (!Record->hasTrivialCopyConstructor() ||
2222          !Record->hasTrivialDestructor())
2223        Ty = DBuilder.createReferenceType(Ty);
2224    }
2225  }
2226
2227  // Get location information.
2228  unsigned Line = getLineNumber(VD->getLocation());
2229  unsigned Column = getColumnNumber(VD->getLocation());
2230  unsigned Flags = 0;
2231  if (VD->isImplicit())
2232    Flags |= llvm::DIDescriptor::FlagArtificial;
2233  llvm::MDNode *Scope = LexicalBlockStack.back();
2234
2235  StringRef Name = VD->getName();
2236  if (!Name.empty()) {
2237    if (VD->hasAttr<BlocksAttr>()) {
2238      CharUnits offset = CharUnits::fromQuantity(32);
2239      SmallVector<llvm::Value *, 9> addr;
2240      llvm::Type *Int64Ty = CGM.Int64Ty;
2241      addr.push_back(llvm::ConstantInt::get(Int64Ty, llvm::DIBuilder::OpPlus));
2242      // offset of __forwarding field
2243      offset = CGM.getContext().toCharUnitsFromBits(
2244        CGM.getContext().getTargetInfo().getPointerWidth(0));
2245      addr.push_back(llvm::ConstantInt::get(Int64Ty, offset.getQuantity()));
2246      addr.push_back(llvm::ConstantInt::get(Int64Ty, llvm::DIBuilder::OpDeref));
2247      addr.push_back(llvm::ConstantInt::get(Int64Ty, llvm::DIBuilder::OpPlus));
2248      // offset of x field
2249      offset = CGM.getContext().toCharUnitsFromBits(XOffset);
2250      addr.push_back(llvm::ConstantInt::get(Int64Ty, offset.getQuantity()));
2251
2252      // Create the descriptor for the variable.
2253      llvm::DIVariable D =
2254        DBuilder.createComplexVariable(Tag,
2255                                       llvm::DIDescriptor(Scope),
2256                                       VD->getName(), Unit, Line, Ty,
2257                                       addr, ArgNo);
2258
2259      // Insert an llvm.dbg.declare into the current block.
2260      llvm::Instruction *Call =
2261        DBuilder.insertDeclare(Storage, D, Builder.GetInsertBlock());
2262      Call->setDebugLoc(llvm::DebugLoc::get(Line, Column, Scope));
2263      return;
2264    }
2265      // Create the descriptor for the variable.
2266    llvm::DIVariable D =
2267      DBuilder.createLocalVariable(Tag, llvm::DIDescriptor(Scope),
2268                                   Name, Unit, Line, Ty,
2269                                   CGM.getLangOpts().Optimize, Flags, ArgNo);
2270
2271    // Insert an llvm.dbg.declare into the current block.
2272    llvm::Instruction *Call =
2273      DBuilder.insertDeclare(Storage, D, Builder.GetInsertBlock());
2274    Call->setDebugLoc(llvm::DebugLoc::get(Line, Column, Scope));
2275    return;
2276  }
2277
2278  // If VD is an anonymous union then Storage represents value for
2279  // all union fields.
2280  if (const RecordType *RT = dyn_cast<RecordType>(VD->getType())) {
2281    const RecordDecl *RD = cast<RecordDecl>(RT->getDecl());
2282    if (RD->isUnion()) {
2283      for (RecordDecl::field_iterator I = RD->field_begin(),
2284             E = RD->field_end();
2285           I != E; ++I) {
2286        FieldDecl *Field = *I;
2287        llvm::DIType FieldTy = getOrCreateType(Field->getType(), Unit);
2288        StringRef FieldName = Field->getName();
2289
2290        // Ignore unnamed fields. Do not ignore unnamed records.
2291        if (FieldName.empty() && !isa<RecordType>(Field->getType()))
2292          continue;
2293
2294        // Use VarDecl's Tag, Scope and Line number.
2295        llvm::DIVariable D =
2296          DBuilder.createLocalVariable(Tag, llvm::DIDescriptor(Scope),
2297                                       FieldName, Unit, Line, FieldTy,
2298                                       CGM.getLangOpts().Optimize, Flags,
2299                                       ArgNo);
2300
2301        // Insert an llvm.dbg.declare into the current block.
2302        llvm::Instruction *Call =
2303          DBuilder.insertDeclare(Storage, D, Builder.GetInsertBlock());
2304        Call->setDebugLoc(llvm::DebugLoc::get(Line, Column, Scope));
2305      }
2306    }
2307  }
2308}
2309
2310void CGDebugInfo::EmitDeclareOfAutoVariable(const VarDecl *VD,
2311                                            llvm::Value *Storage,
2312                                            CGBuilderTy &Builder) {
2313  EmitDeclare(VD, llvm::dwarf::DW_TAG_auto_variable, Storage, 0, Builder);
2314}
2315
2316void CGDebugInfo::EmitDeclareOfBlockDeclRefVariable(
2317  const VarDecl *VD, llvm::Value *Storage, CGBuilderTy &Builder,
2318  const CGBlockInfo &blockInfo) {
2319  assert(!LexicalBlockStack.empty() && "Region stack mismatch, stack empty!");
2320
2321  if (Builder.GetInsertBlock() == 0)
2322    return;
2323
2324  bool isByRef = VD->hasAttr<BlocksAttr>();
2325
2326  uint64_t XOffset = 0;
2327  llvm::DIFile Unit = getOrCreateFile(VD->getLocation());
2328  llvm::DIType Ty;
2329  if (isByRef)
2330    Ty = EmitTypeForVarWithBlocksAttr(VD, &XOffset);
2331  else
2332    Ty = getOrCreateType(VD->getType(), Unit);
2333
2334  // Get location information.
2335  unsigned Line = getLineNumber(VD->getLocation());
2336  unsigned Column = getColumnNumber(VD->getLocation());
2337
2338  const llvm::TargetData &target = CGM.getTargetData();
2339
2340  CharUnits offset = CharUnits::fromQuantity(
2341    target.getStructLayout(blockInfo.StructureType)
2342          ->getElementOffset(blockInfo.getCapture(VD).getIndex()));
2343
2344  SmallVector<llvm::Value *, 9> addr;
2345  llvm::Type *Int64Ty = CGM.Int64Ty;
2346  addr.push_back(llvm::ConstantInt::get(Int64Ty, llvm::DIBuilder::OpPlus));
2347  addr.push_back(llvm::ConstantInt::get(Int64Ty, offset.getQuantity()));
2348  if (isByRef) {
2349    addr.push_back(llvm::ConstantInt::get(Int64Ty, llvm::DIBuilder::OpDeref));
2350    addr.push_back(llvm::ConstantInt::get(Int64Ty, llvm::DIBuilder::OpPlus));
2351    // offset of __forwarding field
2352    offset = CGM.getContext()
2353                .toCharUnitsFromBits(target.getPointerSizeInBits());
2354    addr.push_back(llvm::ConstantInt::get(Int64Ty, offset.getQuantity()));
2355    addr.push_back(llvm::ConstantInt::get(Int64Ty, llvm::DIBuilder::OpDeref));
2356    addr.push_back(llvm::ConstantInt::get(Int64Ty, llvm::DIBuilder::OpPlus));
2357    // offset of x field
2358    offset = CGM.getContext().toCharUnitsFromBits(XOffset);
2359    addr.push_back(llvm::ConstantInt::get(Int64Ty, offset.getQuantity()));
2360  }
2361
2362  // Create the descriptor for the variable.
2363  llvm::DIVariable D =
2364    DBuilder.createComplexVariable(llvm::dwarf::DW_TAG_auto_variable,
2365                                   llvm::DIDescriptor(LexicalBlockStack.back()),
2366                                   VD->getName(), Unit, Line, Ty, addr);
2367  // Insert an llvm.dbg.declare into the current block.
2368  llvm::Instruction *Call =
2369    DBuilder.insertDeclare(Storage, D, Builder.GetInsertPoint());
2370  Call->setDebugLoc(llvm::DebugLoc::get(Line, Column,
2371                                        LexicalBlockStack.back()));
2372}
2373
2374/// EmitDeclareOfArgVariable - Emit call to llvm.dbg.declare for an argument
2375/// variable declaration.
2376void CGDebugInfo::EmitDeclareOfArgVariable(const VarDecl *VD, llvm::Value *AI,
2377                                           unsigned ArgNo,
2378                                           CGBuilderTy &Builder) {
2379  EmitDeclare(VD, llvm::dwarf::DW_TAG_arg_variable, AI, ArgNo, Builder);
2380}
2381
2382namespace {
2383  struct BlockLayoutChunk {
2384    uint64_t OffsetInBits;
2385    const BlockDecl::Capture *Capture;
2386  };
2387  bool operator<(const BlockLayoutChunk &l, const BlockLayoutChunk &r) {
2388    return l.OffsetInBits < r.OffsetInBits;
2389  }
2390}
2391
2392void CGDebugInfo::EmitDeclareOfBlockLiteralArgVariable(const CGBlockInfo &block,
2393                                                       llvm::Value *addr,
2394                                                       CGBuilderTy &Builder) {
2395  ASTContext &C = CGM.getContext();
2396  const BlockDecl *blockDecl = block.getBlockDecl();
2397
2398  // Collect some general information about the block's location.
2399  SourceLocation loc = blockDecl->getCaretLocation();
2400  llvm::DIFile tunit = getOrCreateFile(loc);
2401  unsigned line = getLineNumber(loc);
2402  unsigned column = getColumnNumber(loc);
2403
2404  // Build the debug-info type for the block literal.
2405  getContextDescriptor(cast<Decl>(blockDecl->getDeclContext()));
2406
2407  const llvm::StructLayout *blockLayout =
2408    CGM.getTargetData().getStructLayout(block.StructureType);
2409
2410  SmallVector<llvm::Value*, 16> fields;
2411  fields.push_back(createFieldType("__isa", C.VoidPtrTy, 0, loc, AS_public,
2412                                   blockLayout->getElementOffsetInBits(0),
2413                                   tunit, tunit));
2414  fields.push_back(createFieldType("__flags", C.IntTy, 0, loc, AS_public,
2415                                   blockLayout->getElementOffsetInBits(1),
2416                                   tunit, tunit));
2417  fields.push_back(createFieldType("__reserved", C.IntTy, 0, loc, AS_public,
2418                                   blockLayout->getElementOffsetInBits(2),
2419                                   tunit, tunit));
2420  fields.push_back(createFieldType("__FuncPtr", C.VoidPtrTy, 0, loc, AS_public,
2421                                   blockLayout->getElementOffsetInBits(3),
2422                                   tunit, tunit));
2423  fields.push_back(createFieldType("__descriptor",
2424                                   C.getPointerType(block.NeedsCopyDispose ?
2425                                        C.getBlockDescriptorExtendedType() :
2426                                        C.getBlockDescriptorType()),
2427                                   0, loc, AS_public,
2428                                   blockLayout->getElementOffsetInBits(4),
2429                                   tunit, tunit));
2430
2431  // We want to sort the captures by offset, not because DWARF
2432  // requires this, but because we're paranoid about debuggers.
2433  SmallVector<BlockLayoutChunk, 8> chunks;
2434
2435  // 'this' capture.
2436  if (blockDecl->capturesCXXThis()) {
2437    BlockLayoutChunk chunk;
2438    chunk.OffsetInBits =
2439      blockLayout->getElementOffsetInBits(block.CXXThisIndex);
2440    chunk.Capture = 0;
2441    chunks.push_back(chunk);
2442  }
2443
2444  // Variable captures.
2445  for (BlockDecl::capture_const_iterator
2446         i = blockDecl->capture_begin(), e = blockDecl->capture_end();
2447       i != e; ++i) {
2448    const BlockDecl::Capture &capture = *i;
2449    const VarDecl *variable = capture.getVariable();
2450    const CGBlockInfo::Capture &captureInfo = block.getCapture(variable);
2451
2452    // Ignore constant captures.
2453    if (captureInfo.isConstant())
2454      continue;
2455
2456    BlockLayoutChunk chunk;
2457    chunk.OffsetInBits =
2458      blockLayout->getElementOffsetInBits(captureInfo.getIndex());
2459    chunk.Capture = &capture;
2460    chunks.push_back(chunk);
2461  }
2462
2463  // Sort by offset.
2464  llvm::array_pod_sort(chunks.begin(), chunks.end());
2465
2466  for (SmallVectorImpl<BlockLayoutChunk>::iterator
2467         i = chunks.begin(), e = chunks.end(); i != e; ++i) {
2468    uint64_t offsetInBits = i->OffsetInBits;
2469    const BlockDecl::Capture *capture = i->Capture;
2470
2471    // If we have a null capture, this must be the C++ 'this' capture.
2472    if (!capture) {
2473      const CXXMethodDecl *method =
2474        cast<CXXMethodDecl>(blockDecl->getNonClosureContext());
2475      QualType type = method->getThisType(C);
2476
2477      fields.push_back(createFieldType("this", type, 0, loc, AS_public,
2478                                       offsetInBits, tunit, tunit));
2479      continue;
2480    }
2481
2482    const VarDecl *variable = capture->getVariable();
2483    StringRef name = variable->getName();
2484
2485    llvm::DIType fieldType;
2486    if (capture->isByRef()) {
2487      std::pair<uint64_t,unsigned> ptrInfo = C.getTypeInfo(C.VoidPtrTy);
2488
2489      // FIXME: this creates a second copy of this type!
2490      uint64_t xoffset;
2491      fieldType = EmitTypeForVarWithBlocksAttr(variable, &xoffset);
2492      fieldType = DBuilder.createPointerType(fieldType, ptrInfo.first);
2493      fieldType = DBuilder.createMemberType(tunit, name, tunit, line,
2494                                            ptrInfo.first, ptrInfo.second,
2495                                            offsetInBits, 0, fieldType);
2496    } else {
2497      fieldType = createFieldType(name, variable->getType(), 0,
2498                                  loc, AS_public, offsetInBits, tunit, tunit);
2499    }
2500    fields.push_back(fieldType);
2501  }
2502
2503  SmallString<36> typeName;
2504  llvm::raw_svector_ostream(typeName)
2505    << "__block_literal_" << CGM.getUniqueBlockCount();
2506
2507  llvm::DIArray fieldsArray = DBuilder.getOrCreateArray(fields);
2508
2509  llvm::DIType type =
2510    DBuilder.createStructType(tunit, typeName.str(), tunit, line,
2511                              CGM.getContext().toBits(block.BlockSize),
2512                              CGM.getContext().toBits(block.BlockAlign),
2513                              0, fieldsArray);
2514  type = DBuilder.createPointerType(type, CGM.PointerWidthInBits);
2515
2516  // Get overall information about the block.
2517  unsigned flags = llvm::DIDescriptor::FlagArtificial;
2518  llvm::MDNode *scope = LexicalBlockStack.back();
2519  StringRef name = ".block_descriptor";
2520
2521  // Create the descriptor for the parameter.
2522  llvm::DIVariable debugVar =
2523    DBuilder.createLocalVariable(llvm::dwarf::DW_TAG_arg_variable,
2524                                 llvm::DIDescriptor(scope),
2525                                 name, tunit, line, type,
2526                                 CGM.getLangOpts().Optimize, flags,
2527                                 cast<llvm::Argument>(addr)->getArgNo() + 1);
2528
2529  // Insert an llvm.dbg.value into the current block.
2530  llvm::Instruction *declare =
2531    DBuilder.insertDbgValueIntrinsic(addr, 0, debugVar,
2532                                     Builder.GetInsertBlock());
2533  declare->setDebugLoc(llvm::DebugLoc::get(line, column, scope));
2534}
2535
2536/// EmitGlobalVariable - Emit information about a global variable.
2537void CGDebugInfo::EmitGlobalVariable(llvm::GlobalVariable *Var,
2538                                     const VarDecl *D) {
2539  // Create global variable debug descriptor.
2540  llvm::DIFile Unit = getOrCreateFile(D->getLocation());
2541  unsigned LineNo = getLineNumber(D->getLocation());
2542
2543  setLocation(D->getLocation());
2544
2545  QualType T = D->getType();
2546  if (T->isIncompleteArrayType()) {
2547
2548    // CodeGen turns int[] into int[1] so we'll do the same here.
2549    llvm::APSInt ConstVal(32);
2550
2551    ConstVal = 1;
2552    QualType ET = CGM.getContext().getAsArrayType(T)->getElementType();
2553
2554    T = CGM.getContext().getConstantArrayType(ET, ConstVal,
2555                                              ArrayType::Normal, 0);
2556  }
2557  StringRef DeclName = D->getName();
2558  StringRef LinkageName;
2559  if (D->getDeclContext() && !isa<FunctionDecl>(D->getDeclContext())
2560      && !isa<ObjCMethodDecl>(D->getDeclContext()))
2561    LinkageName = Var->getName();
2562  if (LinkageName == DeclName)
2563    LinkageName = StringRef();
2564  llvm::DIDescriptor DContext =
2565    getContextDescriptor(dyn_cast<Decl>(D->getDeclContext()));
2566  DBuilder.createStaticVariable(DContext, DeclName, LinkageName,
2567                                Unit, LineNo, getOrCreateType(T, Unit),
2568                                Var->hasInternalLinkage(), Var);
2569}
2570
2571/// EmitGlobalVariable - Emit information about an objective-c interface.
2572void CGDebugInfo::EmitGlobalVariable(llvm::GlobalVariable *Var,
2573                                     ObjCInterfaceDecl *ID) {
2574  // Create global variable debug descriptor.
2575  llvm::DIFile Unit = getOrCreateFile(ID->getLocation());
2576  unsigned LineNo = getLineNumber(ID->getLocation());
2577
2578  StringRef Name = ID->getName();
2579
2580  QualType T = CGM.getContext().getObjCInterfaceType(ID);
2581  if (T->isIncompleteArrayType()) {
2582
2583    // CodeGen turns int[] into int[1] so we'll do the same here.
2584    llvm::APSInt ConstVal(32);
2585
2586    ConstVal = 1;
2587    QualType ET = CGM.getContext().getAsArrayType(T)->getElementType();
2588
2589    T = CGM.getContext().getConstantArrayType(ET, ConstVal,
2590                                           ArrayType::Normal, 0);
2591  }
2592
2593  DBuilder.createGlobalVariable(Name, Unit, LineNo,
2594                                getOrCreateType(T, Unit),
2595                                Var->hasInternalLinkage(), Var);
2596}
2597
2598/// EmitGlobalVariable - Emit global variable's debug info.
2599void CGDebugInfo::EmitGlobalVariable(const ValueDecl *VD,
2600                                     llvm::Constant *Init) {
2601  // Create the descriptor for the variable.
2602  llvm::DIFile Unit = getOrCreateFile(VD->getLocation());
2603  StringRef Name = VD->getName();
2604  llvm::DIType Ty = getOrCreateType(VD->getType(), Unit);
2605  if (const EnumConstantDecl *ECD = dyn_cast<EnumConstantDecl>(VD)) {
2606    if (const EnumDecl *ED = dyn_cast<EnumDecl>(ECD->getDeclContext()))
2607      Ty = CreateEnumType(ED);
2608  }
2609  // Do not use DIGlobalVariable for enums.
2610  if (Ty.getTag() == llvm::dwarf::DW_TAG_enumeration_type)
2611    return;
2612  DBuilder.createStaticVariable(Unit, Name, Name, Unit,
2613                                getLineNumber(VD->getLocation()),
2614                                Ty, true, Init);
2615}
2616
2617/// getOrCreateNamesSpace - Return namespace descriptor for the given
2618/// namespace decl.
2619llvm::DINameSpace
2620CGDebugInfo::getOrCreateNameSpace(const NamespaceDecl *NSDecl) {
2621  llvm::DenseMap<const NamespaceDecl *, llvm::WeakVH>::iterator I =
2622    NameSpaceCache.find(NSDecl);
2623  if (I != NameSpaceCache.end())
2624    return llvm::DINameSpace(cast<llvm::MDNode>(I->second));
2625
2626  unsigned LineNo = getLineNumber(NSDecl->getLocation());
2627  llvm::DIFile FileD = getOrCreateFile(NSDecl->getLocation());
2628  llvm::DIDescriptor Context =
2629    getContextDescriptor(dyn_cast<Decl>(NSDecl->getDeclContext()));
2630  llvm::DINameSpace NS =
2631    DBuilder.createNameSpace(Context, NSDecl->getName(), FileD, LineNo);
2632  NameSpaceCache[NSDecl] = llvm::WeakVH(NS);
2633  return NS;
2634}
2635
2636void CGDebugInfo::finalize(void) {
2637  for (std::vector<std::pair<void *, llvm::WeakVH> >::const_iterator VI
2638         = ReplaceMap.begin(), VE = ReplaceMap.end(); VI != VE; ++VI) {
2639    llvm::DIType Ty, RepTy;
2640    // Verify that the debug info still exists.
2641    if (&*VI->second)
2642      Ty = llvm::DIType(cast<llvm::MDNode>(VI->second));
2643
2644    llvm::DenseMap<void *, llvm::WeakVH>::iterator it =
2645      TypeCache.find(VI->first);
2646    if (it != TypeCache.end()) {
2647      // Verify that the debug info still exists.
2648      if (&*it->second)
2649        RepTy = llvm::DIType(cast<llvm::MDNode>(it->second));
2650    }
2651
2652    if (Ty.Verify() && Ty.isForwardDecl() && RepTy.Verify()) {
2653      Ty.replaceAllUsesWith(RepTy);
2654    }
2655  }
2656  DBuilder.finalize();
2657}
2658