LLVM  8.0.1
DebugInfoMetadata.cpp
Go to the documentation of this file.
1 //===- DebugInfoMetadata.cpp - Implement debug info metadata --------------===//
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 file implements the debug info Metadata classes.
11 //
12 //===----------------------------------------------------------------------===//
13 
15 #include "LLVMContextImpl.h"
16 #include "MetadataImpl.h"
17 #include "llvm/ADT/SmallSet.h"
18 #include "llvm/ADT/StringSwitch.h"
19 #include "llvm/IR/DIBuilder.h"
20 #include "llvm/IR/Function.h"
21 #include "llvm/IR/Instructions.h"
22 
23 #include <numeric>
24 
25 using namespace llvm;
26 
27 DILocation::DILocation(LLVMContext &C, StorageType Storage, unsigned Line,
28  unsigned Column, ArrayRef<Metadata *> MDs,
29  bool ImplicitCode)
30  : MDNode(C, DILocationKind, Storage, MDs) {
31  assert((MDs.size() == 1 || MDs.size() == 2) &&
32  "Expected a scope and optional inlined-at");
33 
34  // Set line and column.
35  assert(Column < (1u << 16) && "Expected 16-bit column");
36 
37  SubclassData32 = Line;
38  SubclassData16 = Column;
39 
40  setImplicitCode(ImplicitCode);
41 }
42 
43 static void adjustColumn(unsigned &Column) {
44  // Set to unknown on overflow. We only have 16 bits to play with here.
45  if (Column >= (1u << 16))
46  Column = 0;
47 }
48 
50  unsigned Column, Metadata *Scope,
51  Metadata *InlinedAt, bool ImplicitCode,
52  StorageType Storage, bool ShouldCreate) {
53  // Fixup column.
54  adjustColumn(Column);
55 
56  if (Storage == Uniqued) {
57  if (auto *N = getUniqued(Context.pImpl->DILocations,
58  DILocationInfo::KeyTy(Line, Column, Scope,
59  InlinedAt, ImplicitCode)))
60  return N;
61  if (!ShouldCreate)
62  return nullptr;
63  } else {
64  assert(ShouldCreate && "Expected non-uniqued nodes to always be created");
65  }
66 
68  Ops.push_back(Scope);
69  if (InlinedAt)
70  Ops.push_back(InlinedAt);
71  return storeImpl(new (Ops.size()) DILocation(Context, Storage, Line, Column,
72  Ops, ImplicitCode),
73  Storage, Context.pImpl->DILocations);
74 }
75 
77  const DILocation *LocB) {
78  if (!LocA || !LocB)
79  return nullptr;
80 
81  if (LocA == LocB)
82  return LocA;
83 
84  SmallPtrSet<DILocation *, 5> InlinedLocationsA;
85  for (DILocation *L = LocA->getInlinedAt(); L; L = L->getInlinedAt())
86  InlinedLocationsA.insert(L);
88  DIScope *S = LocA->getScope();
89  DILocation *L = LocA->getInlinedAt();
90  while (S) {
91  Locations.insert(std::make_pair(S, L));
92  S = S->getScope().resolve();
93  if (!S && L) {
94  S = L->getScope();
95  L = L->getInlinedAt();
96  }
97  }
98  const DILocation *Result = LocB;
99  S = LocB->getScope();
100  L = LocB->getInlinedAt();
101  while (S) {
102  if (Locations.count(std::make_pair(S, L)))
103  break;
104  S = S->getScope().resolve();
105  if (!S && L) {
106  S = L->getScope();
107  L = L->getInlinedAt();
108  }
109  }
110 
111  // If the two locations are irreconsilable, just pick one. This is misleading,
112  // but on the other hand, it's a "line 0" location.
113  if (!S || !isa<DILocalScope>(S))
114  S = LocA->getScope();
115  return DILocation::get(Result->getContext(), 0, 0, S, L);
116 }
117 
118 Optional<unsigned> DILocation::encodeDiscriminator(unsigned BD, unsigned DF, unsigned CI) {
119  SmallVector<unsigned, 3> Components = {BD, DF, CI};
120  uint64_t RemainingWork = 0U;
121  // We use RemainingWork to figure out if we have no remaining components to
122  // encode. For example: if BD != 0 but DF == 0 && CI == 0, we don't need to
123  // encode anything for the latter 2.
124  // Since any of the input components is at most 32 bits, their sum will be
125  // less than 34 bits, and thus RemainingWork won't overflow.
126  RemainingWork = std::accumulate(Components.begin(), Components.end(), RemainingWork);
127 
128  int I = 0;
129  unsigned Ret = 0;
130  unsigned NextBitInsertionIndex = 0;
131  while (RemainingWork > 0) {
132  unsigned C = Components[I++];
133  RemainingWork -= C;
134  unsigned EC = encodeComponent(C);
135  Ret |= (EC << NextBitInsertionIndex);
136  NextBitInsertionIndex += encodingBits(C);
137  }
138 
139  // Encoding may be unsuccessful because of overflow. We determine success by
140  // checking equivalence of components before & after encoding. Alternatively,
141  // we could determine Success during encoding, but the current alternative is
142  // simpler.
143  unsigned TBD, TDF, TCI = 0;
144  decodeDiscriminator(Ret, TBD, TDF, TCI);
145  if (TBD == BD && TDF == DF && TCI == CI)
146  return Ret;
147  return None;
148 }
149 
150 void DILocation::decodeDiscriminator(unsigned D, unsigned &BD, unsigned &DF,
151  unsigned &CI) {
152  BD = getUnsignedFromPrefixEncoding(D);
153  DF = getUnsignedFromPrefixEncoding(getNextComponentInDiscriminator(D));
154  CI = getUnsignedFromPrefixEncoding(
155  getNextComponentInDiscriminator(getNextComponentInDiscriminator(D)));
156 }
157 
158 
161 #define HANDLE_DI_FLAG(ID, NAME) .Case("DIFlag" #NAME, Flag##NAME)
162 #include "llvm/IR/DebugInfoFlags.def"
163  .Default(DINode::FlagZero);
164 }
165 
167  switch (Flag) {
168 #define HANDLE_DI_FLAG(ID, NAME) \
169  case Flag##NAME: \
170  return "DIFlag" #NAME;
171 #include "llvm/IR/DebugInfoFlags.def"
172  }
173  return "";
174 }
175 
177  SmallVectorImpl<DIFlags> &SplitFlags) {
178  // Flags that are packed together need to be specially handled, so
179  // that, for example, we emit "DIFlagPublic" and not
180  // "DIFlagPrivate | DIFlagProtected".
181  if (DIFlags A = Flags & FlagAccessibility) {
182  if (A == FlagPrivate)
183  SplitFlags.push_back(FlagPrivate);
184  else if (A == FlagProtected)
185  SplitFlags.push_back(FlagProtected);
186  else
187  SplitFlags.push_back(FlagPublic);
188  Flags &= ~A;
189  }
190  if (DIFlags R = Flags & FlagPtrToMemberRep) {
191  if (R == FlagSingleInheritance)
192  SplitFlags.push_back(FlagSingleInheritance);
193  else if (R == FlagMultipleInheritance)
194  SplitFlags.push_back(FlagMultipleInheritance);
195  else
196  SplitFlags.push_back(FlagVirtualInheritance);
197  Flags &= ~R;
198  }
199  if ((Flags & FlagIndirectVirtualBase) == FlagIndirectVirtualBase) {
200  Flags &= ~FlagIndirectVirtualBase;
201  SplitFlags.push_back(FlagIndirectVirtualBase);
202  }
203 
204 #define HANDLE_DI_FLAG(ID, NAME) \
205  if (DIFlags Bit = Flags & Flag##NAME) { \
206  SplitFlags.push_back(Bit); \
207  Flags &= ~Bit; \
208  }
209 #include "llvm/IR/DebugInfoFlags.def"
210  return Flags;
211 }
212 
214  if (auto *T = dyn_cast<DIType>(this))
215  return T->getScope();
216 
217  if (auto *SP = dyn_cast<DISubprogram>(this))
218  return SP->getScope();
219 
220  if (auto *LB = dyn_cast<DILexicalBlockBase>(this))
221  return LB->getScope();
222 
223  if (auto *NS = dyn_cast<DINamespace>(this))
224  return NS->getScope();
225 
226  if (auto *M = dyn_cast<DIModule>(this))
227  return M->getScope();
228 
229  assert((isa<DIFile>(this) || isa<DICompileUnit>(this)) &&
230  "Unhandled type of scope.");
231  return nullptr;
232 }
233 
235  if (auto *T = dyn_cast<DIType>(this))
236  return T->getName();
237  if (auto *SP = dyn_cast<DISubprogram>(this))
238  return SP->getName();
239  if (auto *NS = dyn_cast<DINamespace>(this))
240  return NS->getName();
241  if (auto *M = dyn_cast<DIModule>(this))
242  return M->getName();
243  assert((isa<DILexicalBlockBase>(this) || isa<DIFile>(this) ||
244  isa<DICompileUnit>(this)) &&
245  "Unhandled type of scope.");
246  return "";
247 }
248 
249 #ifndef NDEBUG
250 static bool isCanonical(const MDString *S) {
251  return !S || !S->getString().empty();
252 }
253 #endif
254 
255 GenericDINode *GenericDINode::getImpl(LLVMContext &Context, unsigned Tag,
256  MDString *Header,
257  ArrayRef<Metadata *> DwarfOps,
258  StorageType Storage, bool ShouldCreate) {
259  unsigned Hash = 0;
260  if (Storage == Uniqued) {
261  GenericDINodeInfo::KeyTy Key(Tag, Header, DwarfOps);
262  if (auto *N = getUniqued(Context.pImpl->GenericDINodes, Key))
263  return N;
264  if (!ShouldCreate)
265  return nullptr;
266  Hash = Key.getHash();
267  } else {
268  assert(ShouldCreate && "Expected non-uniqued nodes to always be created");
269  }
270 
271  // Use a nullptr for empty headers.
272  assert(isCanonical(Header) && "Expected canonical MDString");
273  Metadata *PreOps[] = {Header};
274  return storeImpl(new (DwarfOps.size() + 1) GenericDINode(
275  Context, Storage, Hash, Tag, PreOps, DwarfOps),
276  Storage, Context.pImpl->GenericDINodes);
277 }
278 
279 void GenericDINode::recalculateHash() {
280  setHash(GenericDINodeInfo::KeyTy::calculateHash(this));
281 }
282 
283 #define UNWRAP_ARGS_IMPL(...) __VA_ARGS__
284 #define UNWRAP_ARGS(ARGS) UNWRAP_ARGS_IMPL ARGS
285 #define DEFINE_GETIMPL_LOOKUP(CLASS, ARGS) \
286  do { \
287  if (Storage == Uniqued) { \
288  if (auto *N = getUniqued(Context.pImpl->CLASS##s, \
289  CLASS##Info::KeyTy(UNWRAP_ARGS(ARGS)))) \
290  return N; \
291  if (!ShouldCreate) \
292  return nullptr; \
293  } else { \
294  assert(ShouldCreate && \
295  "Expected non-uniqued nodes to always be created"); \
296  } \
297  } while (false)
298 #define DEFINE_GETIMPL_STORE(CLASS, ARGS, OPS) \
299  return storeImpl(new (array_lengthof(OPS)) \
300  CLASS(Context, Storage, UNWRAP_ARGS(ARGS), OPS), \
301  Storage, Context.pImpl->CLASS##s)
302 #define DEFINE_GETIMPL_STORE_NO_OPS(CLASS, ARGS) \
303  return storeImpl(new (0u) CLASS(Context, Storage, UNWRAP_ARGS(ARGS)), \
304  Storage, Context.pImpl->CLASS##s)
305 #define DEFINE_GETIMPL_STORE_NO_CONSTRUCTOR_ARGS(CLASS, OPS) \
306  return storeImpl(new (array_lengthof(OPS)) CLASS(Context, Storage, OPS), \
307  Storage, Context.pImpl->CLASS##s)
308 #define DEFINE_GETIMPL_STORE_N(CLASS, ARGS, OPS, NUM_OPS) \
309  return storeImpl(new (NUM_OPS) \
310  CLASS(Context, Storage, UNWRAP_ARGS(ARGS), OPS), \
311  Storage, Context.pImpl->CLASS##s)
312 
313 DISubrange *DISubrange::getImpl(LLVMContext &Context, int64_t Count, int64_t Lo,
314  StorageType Storage, bool ShouldCreate) {
315  auto *CountNode = ConstantAsMetadata::get(
316  ConstantInt::getSigned(Type::getInt64Ty(Context), Count));
317  return getImpl(Context, CountNode, Lo, Storage, ShouldCreate);
318 }
319 
320 DISubrange *DISubrange::getImpl(LLVMContext &Context, Metadata *CountNode,
321  int64_t Lo, StorageType Storage,
322  bool ShouldCreate) {
323  DEFINE_GETIMPL_LOOKUP(DISubrange, (CountNode, Lo));
324  Metadata *Ops[] = { CountNode };
325  DEFINE_GETIMPL_STORE(DISubrange, (CountNode, Lo), Ops);
326 }
327 
328 DIEnumerator *DIEnumerator::getImpl(LLVMContext &Context, int64_t Value,
329  bool IsUnsigned, MDString *Name,
330  StorageType Storage, bool ShouldCreate) {
331  assert(isCanonical(Name) && "Expected canonical MDString");
332  DEFINE_GETIMPL_LOOKUP(DIEnumerator, (Value, IsUnsigned, Name));
333  Metadata *Ops[] = {Name};
334  DEFINE_GETIMPL_STORE(DIEnumerator, (Value, IsUnsigned), Ops);
335 }
336 
337 DIBasicType *DIBasicType::getImpl(LLVMContext &Context, unsigned Tag,
338  MDString *Name, uint64_t SizeInBits,
339  uint32_t AlignInBits, unsigned Encoding,
340  DIFlags Flags, StorageType Storage,
341  bool ShouldCreate) {
342  assert(isCanonical(Name) && "Expected canonical MDString");
344  (Tag, Name, SizeInBits, AlignInBits, Encoding, Flags));
345  Metadata *Ops[] = {nullptr, nullptr, Name};
346  DEFINE_GETIMPL_STORE(DIBasicType, (Tag, SizeInBits, AlignInBits, Encoding,
347  Flags), Ops);
348 }
349 
351  switch (getEncoding()) {
352  case dwarf::DW_ATE_signed:
353  case dwarf::DW_ATE_signed_char:
354  return Signedness::Signed;
355  case dwarf::DW_ATE_unsigned:
356  case dwarf::DW_ATE_unsigned_char:
357  return Signedness::Unsigned;
358  default:
359  return None;
360  }
361 }
362 
363 DIDerivedType *DIDerivedType::getImpl(
364  LLVMContext &Context, unsigned Tag, MDString *Name, Metadata *File,
365  unsigned Line, Metadata *Scope, Metadata *BaseType, uint64_t SizeInBits,
366  uint32_t AlignInBits, uint64_t OffsetInBits,
367  Optional<unsigned> DWARFAddressSpace, DIFlags Flags, Metadata *ExtraData,
368  StorageType Storage, bool ShouldCreate) {
369  assert(isCanonical(Name) && "Expected canonical MDString");
371  (Tag, Name, File, Line, Scope, BaseType, SizeInBits,
372  AlignInBits, OffsetInBits, DWARFAddressSpace, Flags,
373  ExtraData));
374  Metadata *Ops[] = {File, Scope, Name, BaseType, ExtraData};
376  DIDerivedType, (Tag, Line, SizeInBits, AlignInBits, OffsetInBits,
377  DWARFAddressSpace, Flags), Ops);
378 }
379 
380 DICompositeType *DICompositeType::getImpl(
381  LLVMContext &Context, unsigned Tag, MDString *Name, Metadata *File,
382  unsigned Line, Metadata *Scope, Metadata *BaseType, uint64_t SizeInBits,
383  uint32_t AlignInBits, uint64_t OffsetInBits, DIFlags Flags,
384  Metadata *Elements, unsigned RuntimeLang, Metadata *VTableHolder,
385  Metadata *TemplateParams, MDString *Identifier, Metadata *Discriminator,
386  StorageType Storage, bool ShouldCreate) {
387  assert(isCanonical(Name) && "Expected canonical MDString");
388 
389  // Keep this in sync with buildODRType.
391  DICompositeType, (Tag, Name, File, Line, Scope, BaseType, SizeInBits,
392  AlignInBits, OffsetInBits, Flags, Elements, RuntimeLang,
393  VTableHolder, TemplateParams, Identifier, Discriminator));
394  Metadata *Ops[] = {File, Scope, Name, BaseType,
395  Elements, VTableHolder, TemplateParams, Identifier,
396  Discriminator};
397  DEFINE_GETIMPL_STORE(DICompositeType, (Tag, Line, RuntimeLang, SizeInBits,
398  AlignInBits, OffsetInBits, Flags),
399  Ops);
400 }
401 
403  LLVMContext &Context, MDString &Identifier, unsigned Tag, MDString *Name,
404  Metadata *File, unsigned Line, Metadata *Scope, Metadata *BaseType,
405  uint64_t SizeInBits, uint32_t AlignInBits, uint64_t OffsetInBits,
406  DIFlags Flags, Metadata *Elements, unsigned RuntimeLang,
407  Metadata *VTableHolder, Metadata *TemplateParams, Metadata *Discriminator) {
408  assert(!Identifier.getString().empty() && "Expected valid identifier");
409  if (!Context.isODRUniquingDebugTypes())
410  return nullptr;
411  auto *&CT = (*Context.pImpl->DITypeMap)[&Identifier];
412  if (!CT)
413  return CT = DICompositeType::getDistinct(
414  Context, Tag, Name, File, Line, Scope, BaseType, SizeInBits,
415  AlignInBits, OffsetInBits, Flags, Elements, RuntimeLang,
416  VTableHolder, TemplateParams, &Identifier, Discriminator);
417 
418  // Only mutate CT if it's a forward declaration and the new operands aren't.
419  assert(CT->getRawIdentifier() == &Identifier && "Wrong ODR identifier?");
420  if (!CT->isForwardDecl() || (Flags & DINode::FlagFwdDecl))
421  return CT;
422 
423  // Mutate CT in place. Keep this in sync with getImpl.
424  CT->mutate(Tag, Line, RuntimeLang, SizeInBits, AlignInBits, OffsetInBits,
425  Flags);
426  Metadata *Ops[] = {File, Scope, Name, BaseType,
427  Elements, VTableHolder, TemplateParams, &Identifier,
428  Discriminator};
429  assert((std::end(Ops) - std::begin(Ops)) == (int)CT->getNumOperands() &&
430  "Mismatched number of operands");
431  for (unsigned I = 0, E = CT->getNumOperands(); I != E; ++I)
432  if (Ops[I] != CT->getOperand(I))
433  CT->setOperand(I, Ops[I]);
434  return CT;
435 }
436 
437 DICompositeType *DICompositeType::getODRType(
438  LLVMContext &Context, MDString &Identifier, unsigned Tag, MDString *Name,
439  Metadata *File, unsigned Line, Metadata *Scope, Metadata *BaseType,
440  uint64_t SizeInBits, uint32_t AlignInBits, uint64_t OffsetInBits,
441  DIFlags Flags, Metadata *Elements, unsigned RuntimeLang,
442  Metadata *VTableHolder, Metadata *TemplateParams, Metadata *Discriminator) {
443  assert(!Identifier.getString().empty() && "Expected valid identifier");
444  if (!Context.isODRUniquingDebugTypes())
445  return nullptr;
446  auto *&CT = (*Context.pImpl->DITypeMap)[&Identifier];
447  if (!CT)
449  Context, Tag, Name, File, Line, Scope, BaseType, SizeInBits,
450  AlignInBits, OffsetInBits, Flags, Elements, RuntimeLang, VTableHolder,
451  TemplateParams, &Identifier, Discriminator);
452  return CT;
453 }
454 
456  MDString &Identifier) {
457  assert(!Identifier.getString().empty() && "Expected valid identifier");
458  if (!Context.isODRUniquingDebugTypes())
459  return nullptr;
460  return Context.pImpl->DITypeMap->lookup(&Identifier);
461 }
462 
463 DISubroutineType *DISubroutineType::getImpl(LLVMContext &Context, DIFlags Flags,
464  uint8_t CC, Metadata *TypeArray,
465  StorageType Storage,
466  bool ShouldCreate) {
467  DEFINE_GETIMPL_LOOKUP(DISubroutineType, (Flags, CC, TypeArray));
468  Metadata *Ops[] = {nullptr, nullptr, nullptr, TypeArray};
469  DEFINE_GETIMPL_STORE(DISubroutineType, (Flags, CC), Ops);
470 }
471 
472 // FIXME: Implement this string-enum correspondence with a .def file and macros,
473 // so that the association is explicit rather than implied.
474 static const char *ChecksumKindName[DIFile::CSK_Last] = {
475  "CSK_MD5",
476  "CSK_SHA1"
477 };
478 
479 StringRef DIFile::getChecksumKindAsString(ChecksumKind CSKind) {
480  assert(CSKind <= DIFile::CSK_Last && "Invalid checksum kind");
481  // The first space was originally the CSK_None variant, which is now
482  // obsolete, but the space is still reserved in ChecksumKind, so we account
483  // for it here.
484  return ChecksumKindName[CSKind - 1];
485 }
486 
489  .Case("CSK_MD5", DIFile::CSK_MD5)
490  .Case("CSK_SHA1", DIFile::CSK_SHA1)
491  .Default(None);
492 }
493 
494 DIFile *DIFile::getImpl(LLVMContext &Context, MDString *Filename,
495  MDString *Directory,
498  bool ShouldCreate) {
499  assert(isCanonical(Filename) && "Expected canonical MDString");
500  assert(isCanonical(Directory) && "Expected canonical MDString");
501  assert((!CS || isCanonical(CS->Value)) && "Expected canonical MDString");
502  assert((!Source || isCanonical(*Source)) && "Expected canonical MDString");
503  DEFINE_GETIMPL_LOOKUP(DIFile, (Filename, Directory, CS, Source));
504  Metadata *Ops[] = {Filename, Directory, CS ? CS->Value : nullptr,
505  Source.getValueOr(nullptr)};
506  DEFINE_GETIMPL_STORE(DIFile, (CS, Source), Ops);
507 }
508 
509 DICompileUnit *DICompileUnit::getImpl(
510  LLVMContext &Context, unsigned SourceLanguage, Metadata *File,
511  MDString *Producer, bool IsOptimized, MDString *Flags,
512  unsigned RuntimeVersion, MDString *SplitDebugFilename,
513  unsigned EmissionKind, Metadata *EnumTypes, Metadata *RetainedTypes,
514  Metadata *GlobalVariables, Metadata *ImportedEntities, Metadata *Macros,
515  uint64_t DWOId, bool SplitDebugInlining, bool DebugInfoForProfiling,
516  unsigned NameTableKind, bool RangesBaseAddress, StorageType Storage,
517  bool ShouldCreate) {
518  assert(Storage != Uniqued && "Cannot unique DICompileUnit");
519  assert(isCanonical(Producer) && "Expected canonical MDString");
520  assert(isCanonical(Flags) && "Expected canonical MDString");
521  assert(isCanonical(SplitDebugFilename) && "Expected canonical MDString");
522 
523  Metadata *Ops[] = {
524  File, Producer, Flags, SplitDebugFilename,
525  EnumTypes, RetainedTypes, GlobalVariables, ImportedEntities,
526  Macros};
527  return storeImpl(new (array_lengthof(Ops)) DICompileUnit(
528  Context, Storage, SourceLanguage, IsOptimized,
529  RuntimeVersion, EmissionKind, DWOId, SplitDebugInlining,
530  DebugInfoForProfiling, NameTableKind, RangesBaseAddress,
531  Ops),
532  Storage);
533 }
534 
538  .Case("NoDebug", NoDebug)
539  .Case("FullDebug", FullDebug)
540  .Case("LineTablesOnly", LineTablesOnly)
541  .Case("DebugDirectivesOnly", DebugDirectivesOnly)
542  .Default(None);
543 }
544 
548  .Case("Default", DebugNameTableKind::Default)
551  .Default(None);
552 }
553 
555  switch (EK) {
556  case NoDebug: return "NoDebug";
557  case FullDebug: return "FullDebug";
558  case LineTablesOnly: return "LineTablesOnly";
559  case DebugDirectivesOnly: return "DebugDirectivesOnly";
560  }
561  return nullptr;
562 }
563 
565  switch (NTK) {
567  return nullptr;
569  return "GNU";
571  return "None";
572  }
573  return nullptr;
574 }
575 
577  if (auto *Block = dyn_cast<DILexicalBlockBase>(this))
578  return Block->getScope()->getSubprogram();
579  return const_cast<DISubprogram *>(cast<DISubprogram>(this));
580 }
581 
583  if (auto *File = dyn_cast<DILexicalBlockFile>(this))
584  return File->getScope()->getNonLexicalBlockFileScope();
585  return const_cast<DILocalScope *>(this);
586 }
587 
590 #define HANDLE_DISP_FLAG(ID, NAME) .Case("DISPFlag" #NAME, SPFlag##NAME)
591 #include "llvm/IR/DebugInfoFlags.def"
592  .Default(SPFlagZero);
593 }
594 
596  switch (Flag) {
597  // Appease a warning.
598  case SPFlagVirtuality:
599  return "";
600 #define HANDLE_DISP_FLAG(ID, NAME) \
601  case SPFlag##NAME: \
602  return "DISPFlag" #NAME;
603 #include "llvm/IR/DebugInfoFlags.def"
604  }
605  return "";
606 }
607 
610  SmallVectorImpl<DISPFlags> &SplitFlags) {
611  // Multi-bit fields can require special handling. In our case, however, the
612  // only multi-bit field is virtuality, and all its values happen to be
613  // single-bit values, so the right behavior just falls out.
614 #define HANDLE_DISP_FLAG(ID, NAME) \
615  if (DISPFlags Bit = Flags & SPFlag##NAME) { \
616  SplitFlags.push_back(Bit); \
617  Flags &= ~Bit; \
618  }
619 #include "llvm/IR/DebugInfoFlags.def"
620  return Flags;
621 }
622 
623 DISubprogram *DISubprogram::getImpl(
624  LLVMContext &Context, Metadata *Scope, MDString *Name,
625  MDString *LinkageName, Metadata *File, unsigned Line, Metadata *Type,
626  unsigned ScopeLine, Metadata *ContainingType, unsigned VirtualIndex,
627  int ThisAdjustment, DIFlags Flags, DISPFlags SPFlags, Metadata *Unit,
628  Metadata *TemplateParams, Metadata *Declaration, Metadata *RetainedNodes,
629  Metadata *ThrownTypes, StorageType Storage, bool ShouldCreate) {
630  assert(isCanonical(Name) && "Expected canonical MDString");
631  assert(isCanonical(LinkageName) && "Expected canonical MDString");
633  (Scope, Name, LinkageName, File, Line, Type, ScopeLine,
634  ContainingType, VirtualIndex, ThisAdjustment, Flags,
635  SPFlags, Unit, TemplateParams, Declaration,
636  RetainedNodes, ThrownTypes));
638  File, Scope, Name, LinkageName, Type, Unit,
639  Declaration, RetainedNodes, ContainingType, TemplateParams, ThrownTypes};
640  if (!ThrownTypes) {
641  Ops.pop_back();
642  if (!TemplateParams) {
643  Ops.pop_back();
644  if (!ContainingType)
645  Ops.pop_back();
646  }
647  }
649  DISubprogram,
650  (Line, ScopeLine, VirtualIndex, ThisAdjustment, Flags, SPFlags), Ops,
651  Ops.size());
652 }
653 
654 bool DISubprogram::describes(const Function *F) const {
655  assert(F && "Invalid function");
656  if (F->getSubprogram() == this)
657  return true;
658  StringRef Name = getLinkageName();
659  if (Name.empty())
660  Name = getName();
661  return F->getName() == Name;
662 }
663 
664 DILexicalBlock *DILexicalBlock::getImpl(LLVMContext &Context, Metadata *Scope,
665  Metadata *File, unsigned Line,
666  unsigned Column, StorageType Storage,
667  bool ShouldCreate) {
668  // Fixup column.
669  adjustColumn(Column);
670 
671  assert(Scope && "Expected scope");
672  DEFINE_GETIMPL_LOOKUP(DILexicalBlock, (Scope, File, Line, Column));
673  Metadata *Ops[] = {File, Scope};
674  DEFINE_GETIMPL_STORE(DILexicalBlock, (Line, Column), Ops);
675 }
676 
677 DILexicalBlockFile *DILexicalBlockFile::getImpl(LLVMContext &Context,
678  Metadata *Scope, Metadata *File,
679  unsigned Discriminator,
680  StorageType Storage,
681  bool ShouldCreate) {
682  assert(Scope && "Expected scope");
683  DEFINE_GETIMPL_LOOKUP(DILexicalBlockFile, (Scope, File, Discriminator));
684  Metadata *Ops[] = {File, Scope};
685  DEFINE_GETIMPL_STORE(DILexicalBlockFile, (Discriminator), Ops);
686 }
687 
688 DINamespace *DINamespace::getImpl(LLVMContext &Context, Metadata *Scope,
689  MDString *Name, bool ExportSymbols,
690  StorageType Storage, bool ShouldCreate) {
691  assert(isCanonical(Name) && "Expected canonical MDString");
692  DEFINE_GETIMPL_LOOKUP(DINamespace, (Scope, Name, ExportSymbols));
693  // The nullptr is for DIScope's File operand. This should be refactored.
694  Metadata *Ops[] = {nullptr, Scope, Name};
695  DEFINE_GETIMPL_STORE(DINamespace, (ExportSymbols), Ops);
696 }
697 
698 DIModule *DIModule::getImpl(LLVMContext &Context, Metadata *Scope,
699  MDString *Name, MDString *ConfigurationMacros,
700  MDString *IncludePath, MDString *ISysRoot,
701  StorageType Storage, bool ShouldCreate) {
702  assert(isCanonical(Name) && "Expected canonical MDString");
704  DIModule, (Scope, Name, ConfigurationMacros, IncludePath, ISysRoot));
705  Metadata *Ops[] = {Scope, Name, ConfigurationMacros, IncludePath, ISysRoot};
707 }
708 
709 DITemplateTypeParameter *DITemplateTypeParameter::getImpl(LLVMContext &Context,
710  MDString *Name,
711  Metadata *Type,
712  StorageType Storage,
713  bool ShouldCreate) {
714  assert(isCanonical(Name) && "Expected canonical MDString");
716  Metadata *Ops[] = {Name, Type};
718 }
719 
720 DITemplateValueParameter *DITemplateValueParameter::getImpl(
721  LLVMContext &Context, unsigned Tag, MDString *Name, Metadata *Type,
722  Metadata *Value, StorageType Storage, bool ShouldCreate) {
723  assert(isCanonical(Name) && "Expected canonical MDString");
724  DEFINE_GETIMPL_LOOKUP(DITemplateValueParameter, (Tag, Name, Type, Value));
725  Metadata *Ops[] = {Name, Type, Value};
727 }
728 
730 DIGlobalVariable::getImpl(LLVMContext &Context, Metadata *Scope, MDString *Name,
731  MDString *LinkageName, Metadata *File, unsigned Line,
732  Metadata *Type, bool IsLocalToUnit, bool IsDefinition,
733  Metadata *StaticDataMemberDeclaration,
734  Metadata *TemplateParams, uint32_t AlignInBits,
735  StorageType Storage, bool ShouldCreate) {
736  assert(isCanonical(Name) && "Expected canonical MDString");
737  assert(isCanonical(LinkageName) && "Expected canonical MDString");
738  DEFINE_GETIMPL_LOOKUP(DIGlobalVariable, (Scope, Name, LinkageName, File, Line,
739  Type, IsLocalToUnit, IsDefinition,
740  StaticDataMemberDeclaration,
741  TemplateParams, AlignInBits));
742  Metadata *Ops[] = {Scope,
743  Name,
744  File,
745  Type,
746  Name,
747  LinkageName,
748  StaticDataMemberDeclaration,
749  TemplateParams};
751  (Line, IsLocalToUnit, IsDefinition, AlignInBits), Ops);
752 }
753 
754 DILocalVariable *DILocalVariable::getImpl(LLVMContext &Context, Metadata *Scope,
755  MDString *Name, Metadata *File,
756  unsigned Line, Metadata *Type,
757  unsigned Arg, DIFlags Flags,
758  uint32_t AlignInBits,
759  StorageType Storage,
760  bool ShouldCreate) {
761  // 64K ought to be enough for any frontend.
762  assert(Arg <= UINT16_MAX && "Expected argument number to fit in 16-bits");
763 
764  assert(Scope && "Expected scope");
765  assert(isCanonical(Name) && "Expected canonical MDString");
767  (Scope, Name, File, Line, Type, Arg, Flags,
768  AlignInBits));
769  Metadata *Ops[] = {Scope, Name, File, Type};
770  DEFINE_GETIMPL_STORE(DILocalVariable, (Line, Arg, Flags, AlignInBits), Ops);
771 }
772 
774  // This is used by the Verifier so be mindful of broken types.
775  const Metadata *RawType = getRawType();
776  while (RawType) {
777  // Try to get the size directly.
778  if (auto *T = dyn_cast<DIType>(RawType))
779  if (uint64_t Size = T->getSizeInBits())
780  return Size;
781 
782  if (auto *DT = dyn_cast<DIDerivedType>(RawType)) {
783  // Look at the base type.
784  RawType = DT->getRawBaseType();
785  continue;
786  }
787 
788  // Missing type or size.
789  break;
790  }
791 
792  // Fail gracefully.
793  return None;
794 }
795 
796 DILabel *DILabel::getImpl(LLVMContext &Context, Metadata *Scope,
797  MDString *Name, Metadata *File, unsigned Line,
798  StorageType Storage,
799  bool ShouldCreate) {
800  assert(Scope && "Expected scope");
801  assert(isCanonical(Name) && "Expected canonical MDString");
803  (Scope, Name, File, Line));
804  Metadata *Ops[] = {Scope, Name, File};
805  DEFINE_GETIMPL_STORE(DILabel, (Line), Ops);
806 }
807 
808 DIExpression *DIExpression::getImpl(LLVMContext &Context,
809  ArrayRef<uint64_t> Elements,
810  StorageType Storage, bool ShouldCreate) {
811  DEFINE_GETIMPL_LOOKUP(DIExpression, (Elements));
813 }
814 
816  switch (getOp()) {
818  return 3;
819  case dwarf::DW_OP_constu:
820  case dwarf::DW_OP_plus_uconst:
821  return 2;
822  default:
823  return 1;
824  }
825 }
826 
827 bool DIExpression::isValid() const {
828  for (auto I = expr_op_begin(), E = expr_op_end(); I != E; ++I) {
829  // Check that there's space for the operand.
830  if (I->get() + I->getSize() > E->get())
831  return false;
832 
833  // Check that the operand is valid.
834  switch (I->getOp()) {
835  default:
836  return false;
838  // A fragment operator must appear at the end.
839  return I->get() + I->getSize() == E->get();
840  case dwarf::DW_OP_stack_value: {
841  // Must be the last one or followed by a DW_OP_LLVM_fragment.
842  if (I->get() + I->getSize() == E->get())
843  break;
844  auto J = I;
845  if ((++J)->getOp() != dwarf::DW_OP_LLVM_fragment)
846  return false;
847  break;
848  }
849  case dwarf::DW_OP_swap: {
850  // Must be more than one implicit element on the stack.
851 
852  // FIXME: A better way to implement this would be to add a local variable
853  // that keeps track of the stack depth and introduce something like a
854  // DW_LLVM_OP_implicit_location as a placeholder for the location this
855  // DIExpression is attached to, or else pass the number of implicit stack
856  // elements into isValid.
857  if (getNumElements() == 1)
858  return false;
859  break;
860  }
861  case dwarf::DW_OP_constu:
862  case dwarf::DW_OP_plus_uconst:
863  case dwarf::DW_OP_plus:
864  case dwarf::DW_OP_minus:
865  case dwarf::DW_OP_mul:
866  case dwarf::DW_OP_div:
867  case dwarf::DW_OP_mod:
868  case dwarf::DW_OP_or:
869  case dwarf::DW_OP_and:
870  case dwarf::DW_OP_xor:
871  case dwarf::DW_OP_shl:
872  case dwarf::DW_OP_shr:
873  case dwarf::DW_OP_shra:
874  case dwarf::DW_OP_deref:
875  case dwarf::DW_OP_xderef:
876  case dwarf::DW_OP_lit0:
877  case dwarf::DW_OP_not:
878  case dwarf::DW_OP_dup:
879  break;
880  }
881  }
882  return true;
883 }
884 
887  for (auto I = Start; I != End; ++I)
888  if (I->getOp() == dwarf::DW_OP_LLVM_fragment) {
889  DIExpression::FragmentInfo Info = {I->getArg(1), I->getArg(0)};
890  return Info;
891  }
892  return None;
893 }
894 
896  int64_t Offset) {
897  if (Offset > 0) {
898  Ops.push_back(dwarf::DW_OP_plus_uconst);
899  Ops.push_back(Offset);
900  } else if (Offset < 0) {
901  Ops.push_back(dwarf::DW_OP_constu);
902  Ops.push_back(-Offset);
903  Ops.push_back(dwarf::DW_OP_minus);
904  }
905 }
906 
907 bool DIExpression::extractIfOffset(int64_t &Offset) const {
908  if (getNumElements() == 0) {
909  Offset = 0;
910  return true;
911  }
912 
913  if (getNumElements() == 2 && Elements[0] == dwarf::DW_OP_plus_uconst) {
914  Offset = Elements[1];
915  return true;
916  }
917 
918  if (getNumElements() == 3 && Elements[0] == dwarf::DW_OP_constu) {
919  if (Elements[2] == dwarf::DW_OP_plus) {
920  Offset = Elements[1];
921  return true;
922  }
923  if (Elements[2] == dwarf::DW_OP_minus) {
924  Offset = -Elements[1];
925  return true;
926  }
927  }
928 
929  return false;
930 }
931 
932 DIExpression *DIExpression::prepend(const DIExpression *Expr, bool DerefBefore,
933  int64_t Offset, bool DerefAfter,
934  bool StackValue) {
936  if (DerefBefore)
937  Ops.push_back(dwarf::DW_OP_deref);
938 
939  appendOffset(Ops, Offset);
940  if (DerefAfter)
941  Ops.push_back(dwarf::DW_OP_deref);
942 
943  return prependOpcodes(Expr, Ops, StackValue);
944 }
945 
948  bool StackValue) {
949  assert(Expr && "Can't prepend ops to this expression");
950 
951  // If there are no ops to prepend, do not even add the DW_OP_stack_value.
952  if (Ops.empty())
953  StackValue = false;
954  for (auto Op : Expr->expr_ops()) {
955  // A DW_OP_stack_value comes at the end, but before a DW_OP_LLVM_fragment.
956  if (StackValue) {
957  if (Op.getOp() == dwarf::DW_OP_stack_value)
958  StackValue = false;
959  else if (Op.getOp() == dwarf::DW_OP_LLVM_fragment) {
960  Ops.push_back(dwarf::DW_OP_stack_value);
961  StackValue = false;
962  }
963  }
964  Op.appendToVector(Ops);
965  }
966  if (StackValue)
967  Ops.push_back(dwarf::DW_OP_stack_value);
968  return DIExpression::get(Expr->getContext(), Ops);
969 }
970 
972  ArrayRef<uint64_t> Ops) {
973  assert(Expr && !Ops.empty() && "Can't append ops to this expression");
974 
975  // Copy Expr's current op list.
977  for (auto Op : Expr->expr_ops()) {
978  // Append new opcodes before DW_OP_{stack_value, LLVM_fragment}.
979  if (Op.getOp() == dwarf::DW_OP_stack_value ||
980  Op.getOp() == dwarf::DW_OP_LLVM_fragment) {
981  NewOps.append(Ops.begin(), Ops.end());
982 
983  // Ensure that the new opcodes are only appended once.
984  Ops = None;
985  }
986  Op.appendToVector(NewOps);
987  }
988 
989  NewOps.append(Ops.begin(), Ops.end());
990  return DIExpression::get(Expr->getContext(), NewOps);
991 }
992 
994  ArrayRef<uint64_t> Ops) {
995  assert(Expr && !Ops.empty() && "Can't append ops to this expression");
996  assert(none_of(Ops,
997  [](uint64_t Op) {
998  return Op == dwarf::DW_OP_stack_value ||
1000  }) &&
1001  "Can't append this op");
1002 
1003  // Append a DW_OP_deref after Expr's current op list if it's non-empty and
1004  // has no DW_OP_stack_value.
1005  //
1006  // Match .* DW_OP_stack_value (DW_OP_LLVM_fragment A B)?.
1008  unsigned DropUntilStackValue = FI.hasValue() ? 3 : 0;
1009  ArrayRef<uint64_t> ExprOpsBeforeFragment =
1010  Expr->getElements().drop_back(DropUntilStackValue);
1011  bool NeedsDeref = (Expr->getNumElements() > DropUntilStackValue) &&
1012  (ExprOpsBeforeFragment.back() != dwarf::DW_OP_stack_value);
1013  bool NeedsStackValue = NeedsDeref || ExprOpsBeforeFragment.empty();
1014 
1015  // Append a DW_OP_deref after Expr's current op list if needed, then append
1016  // the new ops, and finally ensure that a single DW_OP_stack_value is present.
1018  if (NeedsDeref)
1019  NewOps.push_back(dwarf::DW_OP_deref);
1020  NewOps.append(Ops.begin(), Ops.end());
1021  if (NeedsStackValue)
1022  NewOps.push_back(dwarf::DW_OP_stack_value);
1023  return DIExpression::append(Expr, NewOps);
1024 }
1025 
1027  const DIExpression *Expr, unsigned OffsetInBits, unsigned SizeInBits) {
1029  // Copy over the expression, but leave off any trailing DW_OP_LLVM_fragment.
1030  if (Expr) {
1031  for (auto Op : Expr->expr_ops()) {
1032  switch (Op.getOp()) {
1033  default: break;
1034  case dwarf::DW_OP_plus:
1035  case dwarf::DW_OP_minus:
1036  // We can't safely split arithmetic into multiple fragments because we
1037  // can't express carry-over between fragments.
1038  //
1039  // FIXME: We *could* preserve the lowest fragment of a constant offset
1040  // operation if the offset fits into SizeInBits.
1041  return None;
1043  // Make the new offset point into the existing fragment.
1044  uint64_t FragmentOffsetInBits = Op.getArg(0);
1045  uint64_t FragmentSizeInBits = Op.getArg(1);
1046  (void)FragmentSizeInBits;
1047  assert((OffsetInBits + SizeInBits <= FragmentSizeInBits) &&
1048  "new fragment outside of original fragment");
1049  OffsetInBits += FragmentOffsetInBits;
1050  continue;
1051  }
1052  }
1053  Op.appendToVector(Ops);
1054  }
1055  }
1057  Ops.push_back(OffsetInBits);
1058  Ops.push_back(SizeInBits);
1059  return DIExpression::get(Expr->getContext(), Ops);
1060 }
1061 
1063  // Recognize DW_OP_constu C DW_OP_stack_value (DW_OP_LLVM_fragment Len Ofs)?.
1064  if (getNumElements() != 3 && getNumElements() != 6)
1065  return false;
1066  if (getElement(0) != dwarf::DW_OP_constu ||
1067  getElement(2) != dwarf::DW_OP_stack_value)
1068  return false;
1069  if (getNumElements() == 6 && getElement(3) != dwarf::DW_OP_LLVM_fragment)
1070  return false;
1071  return true;
1072 }
1073 
1075 DIGlobalVariableExpression::getImpl(LLVMContext &Context, Metadata *Variable,
1076  Metadata *Expression, StorageType Storage,
1077  bool ShouldCreate) {
1078  DEFINE_GETIMPL_LOOKUP(DIGlobalVariableExpression, (Variable, Expression));
1079  Metadata *Ops[] = {Variable, Expression};
1081 }
1082 
1083 DIObjCProperty *DIObjCProperty::getImpl(
1084  LLVMContext &Context, MDString *Name, Metadata *File, unsigned Line,
1085  MDString *GetterName, MDString *SetterName, unsigned Attributes,
1086  Metadata *Type, StorageType Storage, bool ShouldCreate) {
1087  assert(isCanonical(Name) && "Expected canonical MDString");
1088  assert(isCanonical(GetterName) && "Expected canonical MDString");
1089  assert(isCanonical(SetterName) && "Expected canonical MDString");
1090  DEFINE_GETIMPL_LOOKUP(DIObjCProperty, (Name, File, Line, GetterName,
1091  SetterName, Attributes, Type));
1092  Metadata *Ops[] = {Name, File, GetterName, SetterName, Type};
1093  DEFINE_GETIMPL_STORE(DIObjCProperty, (Line, Attributes), Ops);
1094 }
1095 
1096 DIImportedEntity *DIImportedEntity::getImpl(LLVMContext &Context, unsigned Tag,
1097  Metadata *Scope, Metadata *Entity,
1098  Metadata *File, unsigned Line,
1099  MDString *Name, StorageType Storage,
1100  bool ShouldCreate) {
1101  assert(isCanonical(Name) && "Expected canonical MDString");
1103  (Tag, Scope, Entity, File, Line, Name));
1104  Metadata *Ops[] = {Scope, Entity, Name, File};
1105  DEFINE_GETIMPL_STORE(DIImportedEntity, (Tag, Line), Ops);
1106 }
1107 
1108 DIMacro *DIMacro::getImpl(LLVMContext &Context, unsigned MIType,
1109  unsigned Line, MDString *Name, MDString *Value,
1110  StorageType Storage, bool ShouldCreate) {
1111  assert(isCanonical(Name) && "Expected canonical MDString");
1112  DEFINE_GETIMPL_LOOKUP(DIMacro, (MIType, Line, Name, Value));
1113  Metadata *Ops[] = { Name, Value };
1114  DEFINE_GETIMPL_STORE(DIMacro, (MIType, Line), Ops);
1115 }
1116 
1117 DIMacroFile *DIMacroFile::getImpl(LLVMContext &Context, unsigned MIType,
1118  unsigned Line, Metadata *File,
1119  Metadata *Elements, StorageType Storage,
1120  bool ShouldCreate) {
1122  (MIType, Line, File, Elements));
1123  Metadata *Ops[] = { File, Elements };
1124  DEFINE_GETIMPL_STORE(DIMacroFile, (MIType, Line), Ops);
1125 }
static void appendOffset(SmallVectorImpl< uint64_t > &Ops, int64_t Offset)
Append Ops with operations to apply the Offset.
uint64_t CallInst * C
const_iterator end(StringRef path)
Get end iterator over path.
Definition: Path.cpp:259
unsigned char Storage
Storage flag for non-uniqued, otherwise unowned, metadata.
Definition: Metadata.h:69
ArrayRef< uint64_t > getElements() const
bool isConstant() const
Determine whether this represents a standalone constant value.
static std::string getLinkageName(GlobalValue::LinkageTypes LT)
Definition: AsmWriter.cpp:2851
LLVMContext & Context
const T & back() const
back - Get the last element.
Definition: ArrayRef.h:158
const_iterator begin(StringRef path, Style style=Style::native)
Get begin iterator over path.
Definition: Path.cpp:250
static DICompositeType * getODRTypeIfExists(LLVMContext &Context, MDString &Identifier)
This class represents lattice values for constants.
Definition: AllocatorList.h:24
iterator begin() const
Definition: ArrayRef.h:137
static const DILocation * getMergedLocation(const DILocation *LocA, const DILocation *LocB)
When two instructions are combined into a single instruction we also need to combine the original loc...
constexpr T getValueOr(U &&value) const LLVM_LVALUE_FUNCTION
Definition: Optional.h:172
#define DEFINE_GETIMPL_STORE_N(CLASS, ARGS, OPS, NUM_OPS)
unsigned getSize() const
Return the size of the operand.
static bool isCanonical(const MDString *S)
Optional< Signedness > getSignedness() const
Return the signedness of this type, or None if this type is neither signed nor unsigned.
Metadata node.
Definition: Metadata.h:864
F(f)
static T * storeImpl(T *N, StorageType Storage, StoreT &Store)
Definition: MetadataImpl.h:43
static IntegerType * getInt64Ty(LLVMContext &C)
Definition: Type.cpp:177
static Optional< ChecksumKind > getChecksumKind(StringRef CSKindStr)
A scope for locals.
#define DEFINE_GETIMPL_LOOKUP(CLASS, ARGS)
static DIExpression * prepend(const DIExpression *Expr, bool DerefBefore, int64_t Offset=0, bool DerefAfter=false, bool StackValue=false)
Prepend DIExpr with a deref and offset operation and optionally turn it into a stack value...
static DIExpression * prependOpcodes(const DIExpression *Expr, SmallVectorImpl< uint64_t > &Ops, bool StackValue=false)
Prepend DIExpr with the given opcodes and optionally turn it into a stack value.
amdgpu Simplify well known AMD library false Value Value const Twine & Name
static DISPFlags splitFlags(DISPFlags Flags, SmallVectorImpl< DISPFlags > &SplitFlags)
Split up a flags bitfield for easier printing.
static StringRef getFlagString(DISPFlags Flag)
Array subrange.
This class consists of common code factored out of the SmallVector class to reduce code duplication b...
Definition: APFloat.h:42
bool none_of(R &&Range, UnaryPredicate P)
Provide wrappers to std::none_of which take ranges instead of having to pass begin/end explicitly...
Definition: STLExtras.h:1200
static StringRef getName(Value *V)
Only used in LLVM metadata.
Definition: Dwarf.h:133
Holds a subclass of DINode.
LLVM_NODISCARD LLVM_ATTRIBUTE_ALWAYS_INLINE R Default(T Value)
Definition: StringSwitch.h:203
Subprogram description.
Key
PAL metadata keys.
#define HANDLE_DISP_FLAG(ID, NAME)
Holds the characteristics of one fragment of a larger variable.
static DIExpression * append(const DIExpression *Expr, ArrayRef< uint64_t > Ops)
Append the opcodes Ops to DIExpr.
LLVMContext & getContext() const
Definition: Metadata.h:924
Enumeration value.
LLVM_NODISCARD LLVM_ATTRIBUTE_ALWAYS_INLINE bool empty() const
empty - Check if the string is empty.
Definition: StringRef.h:133
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory)...
Definition: APInt.h:33
static Optional< FragmentInfo > getFragmentInfo(expr_op_iterator Start, expr_op_iterator End)
Retrieve the details of this fragment expression.
Debug location.
static ConstantAsMetadata * get(Constant *C)
Definition: Metadata.h:410
Analysis containing CSE Info
Definition: CSEInfo.cpp:21
Flag
These should be considered private to the implementation of the MCInstrDesc class.
Definition: MCInstrDesc.h:118
StringRef getString() const
Definition: Metadata.cpp:464
static StringRef getFlagString(DIFlags Flag)
static MDTuple * get(LLVMContext &Context, ArrayRef< Metadata *> MDs)
Definition: Metadata.h:1166
A switch()-like statement whose cases are string literals.
Definition: StringSwitch.h:43
static T * getUniqued(DenseSet< T *, InfoT > &Store, const typename InfoT::KeyTy &Key)
Definition: MetadataImpl.h:23
A single checksum, represented by a Kind and a Value (a string).
static Optional< unsigned > encodeDiscriminator(unsigned BD, unsigned DF, unsigned CI)
Raw encoding of the discriminator.
The instances of the Type class are immutable: once they are created, they are never changed...
Definition: Type.h:46
This is an important class for using LLVM in a threaded context.
Definition: LLVMContext.h:69
DISubprogram * getSubprogram() const
Get the attached subprogram.
Definition: Metadata.cpp:1508
size_t size() const
size - Get the array size.
Definition: ArrayRef.h:149
static GCRegistry::Add< CoreCLRGC > E("coreclr", "CoreCLR-compatible GC")
LLVM_ATTRIBUTE_ALWAYS_INLINE iterator begin()
Definition: SmallVector.h:129
struct UnitT Unit
#define DEFINE_GETIMPL_STORE(CLASS, ARGS, OPS)
static MDTuple * getDistinct(LLVMContext &Context, ArrayRef< Metadata *> MDs)
Definition: Metadata.h:1174
SmallSet - This maintains a set of unique values, optimizing for the case when the set is small (less...
Definition: SmallSet.h:135
static void adjustColumn(unsigned &Column)
SourceLanguage
Definition: Dwarf.h:186
static const char * nameTableKindString(DebugNameTableKind PK)
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
Definition: SmallPtrSet.h:371
StorageType
Active type of storage.
Definition: Metadata.h:66
bool isODRUniquingDebugTypes() const
Whether there is a string map for uniquing debug info identifiers across the context.
A pair of DIGlobalVariable and DIExpression.
static DIExpression * appendToStack(const DIExpression *Expr, ArrayRef< uint64_t > Ops)
Convert DIExpr into a stack value if it isn&#39;t one already by appending DW_OP_deref if needed...
Optional< FragmentInfo > getFragmentInfo() const
Retrieve the details of this fragment expression.
std::pair< NoneType, bool > insert(const T &V)
insert - Insert an element into the set if it isn&#39;t already there.
Definition: SmallSet.h:181
DebugNameTableKind getNameTableKind() const
size_t size() const
Definition: SmallVector.h:53
LLVMContextImpl *const pImpl
Definition: LLVMContext.h:71
An imported module (C++ using directive or similar).
DILocalScope * getNonLexicalBlockFileScope() const
Get the first non DILexicalBlockFile scope of this scope.
Base class for scope-like contexts.
iterator_range< expr_op_iterator > expr_ops() const
BaseType
A given derived pointer can have multiple base pointers through phi/selects.
#define DEFINE_GETIMPL_STORE_NO_OPS(CLASS, ARGS)
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements...
Definition: SmallPtrSet.h:418
static DISPFlags getFlag(StringRef Flag)
StringRef getName() const
Optional< uint64_t > getSizeInBits() const
Determines the size of the variable&#39;s type.
This is a &#39;vector&#39; (really, a variable-sized array), optimized for the case when the array is small...
Definition: SmallVector.h:847
constexpr size_t array_lengthof(T(&)[N])
Find the length of an array.
Definition: STLExtras.h:1044
static DIFlags splitFlags(DIFlags Flags, SmallVectorImpl< DIFlags > &SplitFlags)
Split up a flags bitfield.
iterator end() const
Definition: ArrayRef.h:138
static GCRegistry::Add< StatepointGC > D("statepoint-example", "an example strategy for statepoint")
static ConstantInt * getSigned(IntegerType *Ty, int64_t V)
Return a ConstantInt with the specified value for the specified type.
Definition: Constants.cpp:636
ArrayRef< T > drop_back(size_t N=1) const
Drop the last N elements of the array.
Definition: ArrayRef.h:194
DWARF expression.
DISubprogram * getSubprogram() const
Get the subprogram for this scope.
DebugEmissionKind getEmissionKind() const
static DIFlags getFlag(StringRef Flag)
A (clang) module that has been imported by the compile unit.
unsigned unsigned DILocalScope * Scope
Generic tagged DWARF-like metadata node.
LLVM_ATTRIBUTE_ALWAYS_INLINE StringSwitch & Case(StringLiteral S, T Value)
Definition: StringSwitch.h:70
unsigned getNumElements() const
void append(in_iter in_start, in_iter in_end)
Add the specified range to the end of the SmallVector.
Definition: SmallVector.h:394
amdgpu Simplify well known AMD library false Value Value * Arg
#define HANDLE_DI_FLAG(ID, NAME)
Type array for a subprogram.
bool hasValue() const
Definition: Optional.h:165
static const char * ChecksumKindName[DIFile::CSK_Last]
DIFlags
Debug info flags.
LLVM_ATTRIBUTE_ALWAYS_INLINE iterator end()
Definition: SmallVector.h:133
LLVM_NODISCARD bool empty() const
Definition: SmallVector.h:56
StringRef getName() const
Return a constant reference to the value&#39;s name.
Definition: Value.cpp:214
#define I(x, y, z)
Definition: MD5.cpp:58
#define N
uint32_t Size
Definition: Profile.cpp:47
bool extractIfOffset(int64_t &Offset) const
If this is a constant offset, extract it.
DISPFlags
Debug info subprogram flags.
static DICompositeType * buildODRType(LLVMContext &Context, MDString &Identifier, unsigned Tag, MDString *Name, Metadata *File, unsigned Line, Metadata *Scope, Metadata *BaseType, uint64_t SizeInBits, uint32_t AlignInBits, uint64_t OffsetInBits, DIFlags Flags, Metadata *Elements, unsigned RuntimeLang, Metadata *VTableHolder, Metadata *TemplateParams, Metadata *Discriminator)
Build a DICompositeType with the given ODR identifier.
assert(ImpDefSCC.getReg()==AMDGPU::SCC &&ImpDefSCC.isDef())
LLVM Value Representation.
Definition: Value.h:73
#define DEFINE_GETIMPL_STORE_NO_CONSTRUCTOR_ARGS(CLASS, OPS)
An iterator for expression operands.
StringRef - Represent a constant reference to a string, i.e.
Definition: StringRef.h:49
A single uniqued string.
Definition: Metadata.h:604
static LazyValueInfoImpl & getImpl(void *&PImpl, AssumptionCache *AC, const DataLayout *DL, DominatorTree *DT=nullptr)
This lazily constructs the LazyValueInfoImpl.
static void decodeDiscriminator(unsigned D, unsigned &BD, unsigned &DF, unsigned &CI)
Raw decoder for values in an encoded discriminator D.
Optional< DenseMap< const MDString *, DICompositeType * > > DITypeMap
Root of the metadata hierarchy.
Definition: Metadata.h:58
static const char * emissionKindString(DebugEmissionKind EK)
bool empty() const
empty - Check if the array is empty.
Definition: ArrayRef.h:144
static Optional< DIExpression * > createFragmentExpression(const DIExpression *Expr, unsigned OffsetInBits, unsigned SizeInBits)
Create a DIExpression to describe one part of an aggregate variable that is fragmented across multipl...
Basic type, like &#39;int&#39; or &#39;float&#39;.
DIScopeRef getScope() const
size_type count(const T &V) const
count - Return 1 if the element is in the set, 0 otherwise.
Definition: SmallSet.h:165