1 //===- DWARFAcceleratorTable.cpp ------------------------------------------===//
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 #include "llvm/DebugInfo/DWARF/DWARFAcceleratorTable.h"
11 
12 #include "llvm/ADT/SmallVector.h"
13 #include "llvm/BinaryFormat/Dwarf.h"
14 #include "llvm/DebugInfo/DWARF/DWARFRelocMap.h"
15 #include "llvm/Support/Compiler.h"
16 #include "llvm/Support/DJB.h"
17 #include "llvm/Support/Format.h"
18 #include "llvm/Support/FormatVariadic.h"
19 #include "llvm/Support/ScopedPrinter.h"
20 #include "llvm/Support/raw_ostream.h"
21 #include <cstddef>
22 #include <cstdint>
23 #include <utility>
24 
25 using namespace llvm;
26 
27 namespace {
28 struct Atom {
29   unsigned Value;
30 };
31 
32 static raw_ostream &operator<<(raw_ostream &OS, const Atom &A) {
33   StringRef Str = dwarf::AtomTypeString(A.Value);
34   if (!Str.empty())
35     return OS << Str;
36   return OS << "DW_ATOM_unknown_" << format("%x", A.Value);
37 }
38 } // namespace
39 
40 static Atom formatAtom(unsigned Atom) { return {Atom}; }
41 
42 DWARFAcceleratorTable::~DWARFAcceleratorTable() = default;
43 
44 llvm::Error AppleAcceleratorTable::extract() {
45   uint32_t Offset = 0;
46 
47   // Check that we can at least read the header.
48   if (!AccelSection.isValidOffset(offsetof(Header, HeaderDataLength)+4))
49     return make_error<StringError>("Section too small: cannot read header.",
50                                    inconvertibleErrorCode());
51 
52   Hdr.Magic = AccelSection.getU32(&Offset);
53   Hdr.Version = AccelSection.getU16(&Offset);
54   Hdr.HashFunction = AccelSection.getU16(&Offset);
55   Hdr.BucketCount = AccelSection.getU32(&Offset);
56   Hdr.HashCount = AccelSection.getU32(&Offset);
57   Hdr.HeaderDataLength = AccelSection.getU32(&Offset);
58 
59   // Check that we can read all the hashes and offsets from the
60   // section (see SourceLevelDebugging.rst for the structure of the index).
61   // We need to substract one because we're checking for an *offset* which is
62   // equal to the size for an empty table and hence pointer after the section.
63   if (!AccelSection.isValidOffset(sizeof(Hdr) + Hdr.HeaderDataLength +
64                                   Hdr.BucketCount * 4 + Hdr.HashCount * 8 - 1))
65     return make_error<StringError>(
66         "Section too small: cannot read buckets and hashes.",
67         inconvertibleErrorCode());
68 
69   HdrData.DIEOffsetBase = AccelSection.getU32(&Offset);
70   uint32_t NumAtoms = AccelSection.getU32(&Offset);
71 
72   for (unsigned i = 0; i < NumAtoms; ++i) {
73     uint16_t AtomType = AccelSection.getU16(&Offset);
74     auto AtomForm = static_cast<dwarf::Form>(AccelSection.getU16(&Offset));
75     HdrData.Atoms.push_back(std::make_pair(AtomType, AtomForm));
76   }
77 
78   IsValid = true;
79   return Error::success();
80 }
81 
82 uint32_t AppleAcceleratorTable::getNumBuckets() { return Hdr.BucketCount; }
83 uint32_t AppleAcceleratorTable::getNumHashes() { return Hdr.HashCount; }
84 uint32_t AppleAcceleratorTable::getSizeHdr() { return sizeof(Hdr); }
85 uint32_t AppleAcceleratorTable::getHeaderDataLength() {
86   return Hdr.HeaderDataLength;
87 }
88 
89 ArrayRef<std::pair<AppleAcceleratorTable::HeaderData::AtomType,
90                    AppleAcceleratorTable::HeaderData::Form>>
91 AppleAcceleratorTable::getAtomsDesc() {
92   return HdrData.Atoms;
93 }
94 
95 bool AppleAcceleratorTable::validateForms() {
96   for (auto Atom : getAtomsDesc()) {
97     DWARFFormValue FormValue(Atom.second);
98     switch (Atom.first) {
99     case dwarf::DW_ATOM_die_offset:
100     case dwarf::DW_ATOM_die_tag:
101     case dwarf::DW_ATOM_type_flags:
102       if ((!FormValue.isFormClass(DWARFFormValue::FC_Constant) &&
103            !FormValue.isFormClass(DWARFFormValue::FC_Flag)) ||
104           FormValue.getForm() == dwarf::DW_FORM_sdata)
105         return false;
106       break;
107     default:
108       break;
109     }
110   }
111   return true;
112 }
113 
114 std::pair<uint32_t, dwarf::Tag>
115 AppleAcceleratorTable::readAtoms(uint32_t &HashDataOffset) {
116   uint32_t DieOffset = dwarf::DW_INVALID_OFFSET;
117   dwarf::Tag DieTag = dwarf::DW_TAG_null;
118   dwarf::FormParams FormParams = {Hdr.Version, 0, dwarf::DwarfFormat::DWARF32};
119 
120   for (auto Atom : getAtomsDesc()) {
121     DWARFFormValue FormValue(Atom.second);
122     FormValue.extractValue(AccelSection, &HashDataOffset, FormParams);
123     switch (Atom.first) {
124     case dwarf::DW_ATOM_die_offset:
125       DieOffset = *FormValue.getAsUnsignedConstant();
126       break;
127     case dwarf::DW_ATOM_die_tag:
128       DieTag = (dwarf::Tag)*FormValue.getAsUnsignedConstant();
129       break;
130     default:
131       break;
132     }
133   }
134   return {DieOffset, DieTag};
135 }
136 
137 void AppleAcceleratorTable::Header::dump(ScopedPrinter &W) const {
138   DictScope HeaderScope(W, "Header");
139   W.printHex("Magic", Magic);
140   W.printHex("Version", Version);
141   W.printHex("Hash function", HashFunction);
142   W.printNumber("Bucket count", BucketCount);
143   W.printNumber("Hashes count", HashCount);
144   W.printNumber("HeaderData length", HeaderDataLength);
145 }
146 
147 Optional<uint64_t> AppleAcceleratorTable::HeaderData::extractOffset(
148     Optional<DWARFFormValue> Value) const {
149   if (!Value)
150     return None;
151 
152   switch (Value->getForm()) {
153   case dwarf::DW_FORM_ref1:
154   case dwarf::DW_FORM_ref2:
155   case dwarf::DW_FORM_ref4:
156   case dwarf::DW_FORM_ref8:
157   case dwarf::DW_FORM_ref_udata:
158     return Value->getRawUValue() + DIEOffsetBase;
159   default:
160     return Value->getAsSectionOffset();
161   }
162 }
163 
164 bool AppleAcceleratorTable::dumpName(ScopedPrinter &W,
165                                      SmallVectorImpl<DWARFFormValue> &AtomForms,
166                                      uint32_t *DataOffset) const {
167   dwarf::FormParams FormParams = {Hdr.Version, 0, dwarf::DwarfFormat::DWARF32};
168   uint32_t NameOffset = *DataOffset;
169   if (!AccelSection.isValidOffsetForDataOfSize(*DataOffset, 4)) {
170     W.printString("Incorrectly terminated list.");
171     return false;
172   }
173   unsigned StringOffset = AccelSection.getRelocatedValue(4, DataOffset);
174   if (!StringOffset)
175     return false; // End of list
176 
177   DictScope NameScope(W, ("Name@0x" + Twine::utohexstr(NameOffset)).str());
178   W.startLine() << format("String: 0x%08x", StringOffset);
179   W.getOStream() << " \"" << StringSection.getCStr(&StringOffset) << "\"\n";
180 
181   unsigned NumData = AccelSection.getU32(DataOffset);
182   for (unsigned Data = 0; Data < NumData; ++Data) {
183     ListScope DataScope(W, ("Data " + Twine(Data)).str());
184     unsigned i = 0;
185     for (auto &Atom : AtomForms) {
186       W.startLine() << format("Atom[%d]: ", i++);
187       if (Atom.extractValue(AccelSection, DataOffset, FormParams))
188         Atom.dump(W.getOStream());
189       else
190         W.getOStream() << "Error extracting the value";
191       W.getOStream() << "\n";
192     }
193   }
194   return true; // more entries follow
195 }
196 
197 LLVM_DUMP_METHOD void AppleAcceleratorTable::dump(raw_ostream &OS) const {
198   if (!IsValid)
199     return;
200 
201   ScopedPrinter W(OS);
202 
203   Hdr.dump(W);
204 
205   W.printNumber("DIE offset base", HdrData.DIEOffsetBase);
206   W.printNumber("Number of atoms", uint64_t(HdrData.Atoms.size()));
207   SmallVector<DWARFFormValue, 3> AtomForms;
208   {
209     ListScope AtomsScope(W, "Atoms");
210     unsigned i = 0;
211     for (const auto &Atom : HdrData.Atoms) {
212       DictScope AtomScope(W, ("Atom " + Twine(i++)).str());
213       W.startLine() << "Type: " << formatAtom(Atom.first) << '\n';
214       W.startLine() << "Form: " << formatv("{0}", Atom.second) << '\n';
215       AtomForms.push_back(DWARFFormValue(Atom.second));
216     }
217   }
218 
219   // Now go through the actual tables and dump them.
220   uint32_t Offset = sizeof(Hdr) + Hdr.HeaderDataLength;
221   unsigned HashesBase = Offset + Hdr.BucketCount * 4;
222   unsigned OffsetsBase = HashesBase + Hdr.HashCount * 4;
223 
224   for (unsigned Bucket = 0; Bucket < Hdr.BucketCount; ++Bucket) {
225     unsigned Index = AccelSection.getU32(&Offset);
226 
227     ListScope BucketScope(W, ("Bucket " + Twine(Bucket)).str());
228     if (Index == UINT32_MAX) {
229       W.printString("EMPTY");
230       continue;
231     }
232 
233     for (unsigned HashIdx = Index; HashIdx < Hdr.HashCount; ++HashIdx) {
234       unsigned HashOffset = HashesBase + HashIdx*4;
235       unsigned OffsetsOffset = OffsetsBase + HashIdx*4;
236       uint32_t Hash = AccelSection.getU32(&HashOffset);
237 
238       if (Hash % Hdr.BucketCount != Bucket)
239         break;
240 
241       unsigned DataOffset = AccelSection.getU32(&OffsetsOffset);
242       ListScope HashScope(W, ("Hash 0x" + Twine::utohexstr(Hash)).str());
243       if (!AccelSection.isValidOffset(DataOffset)) {
244         W.printString("Invalid section offset");
245         continue;
246       }
247       while (dumpName(W, AtomForms, &DataOffset))
248         /*empty*/;
249     }
250   }
251 }
252 
253 AppleAcceleratorTable::Entry::Entry(
254     const AppleAcceleratorTable::HeaderData &HdrData)
255     : HdrData(&HdrData) {
256   Values.reserve(HdrData.Atoms.size());
257   for (const auto &Atom : HdrData.Atoms)
258     Values.push_back(DWARFFormValue(Atom.second));
259 }
260 
261 void AppleAcceleratorTable::Entry::extract(
262     const AppleAcceleratorTable &AccelTable, uint32_t *Offset) {
263 
264   dwarf::FormParams FormParams = {AccelTable.Hdr.Version, 0,
265                                   dwarf::DwarfFormat::DWARF32};
266   for (auto &Atom : Values)
267     Atom.extractValue(AccelTable.AccelSection, Offset, FormParams);
268 }
269 
270 Optional<DWARFFormValue>
271 AppleAcceleratorTable::Entry::lookup(HeaderData::AtomType Atom) const {
272   assert(HdrData && "Dereferencing end iterator?");
273   assert(HdrData->Atoms.size() == Values.size());
274   for (const auto &Tuple : zip_first(HdrData->Atoms, Values)) {
275     if (std::get<0>(Tuple).first == Atom)
276       return std::get<1>(Tuple);
277   }
278   return None;
279 }
280 
281 Optional<uint64_t> AppleAcceleratorTable::Entry::getDIESectionOffset() const {
282   return HdrData->extractOffset(lookup(dwarf::DW_ATOM_die_offset));
283 }
284 
285 Optional<uint64_t> AppleAcceleratorTable::Entry::getCUOffset() const {
286   return HdrData->extractOffset(lookup(dwarf::DW_ATOM_cu_offset));
287 }
288 
289 Optional<dwarf::Tag> AppleAcceleratorTable::Entry::getTag() const {
290   Optional<DWARFFormValue> Tag = lookup(dwarf::DW_ATOM_die_tag);
291   if (!Tag)
292     return None;
293   if (Optional<uint64_t> Value = Tag->getAsUnsignedConstant())
294     return dwarf::Tag(*Value);
295   return None;
296 }
297 
298 AppleAcceleratorTable::ValueIterator::ValueIterator(
299     const AppleAcceleratorTable &AccelTable, unsigned Offset)
300     : AccelTable(&AccelTable), Current(AccelTable.HdrData), DataOffset(Offset) {
301   if (!AccelTable.AccelSection.isValidOffsetForDataOfSize(DataOffset, 4))
302     return;
303 
304   // Read the first entry.
305   NumData = AccelTable.AccelSection.getU32(&DataOffset);
306   Next();
307 }
308 
309 void AppleAcceleratorTable::ValueIterator::Next() {
310   assert(NumData > 0 && "attempted to increment iterator past the end");
311   auto &AccelSection = AccelTable->AccelSection;
312   if (Data >= NumData ||
313       !AccelSection.isValidOffsetForDataOfSize(DataOffset, 4)) {
314     NumData = 0;
315     DataOffset = 0;
316     return;
317   }
318   Current.extract(*AccelTable, &DataOffset);
319   ++Data;
320 }
321 
322 iterator_range<AppleAcceleratorTable::ValueIterator>
323 AppleAcceleratorTable::equal_range(StringRef Key) const {
324   if (!IsValid)
325     return make_range(ValueIterator(), ValueIterator());
326 
327   // Find the bucket.
328   unsigned HashValue = djbHash(Key);
329   unsigned Bucket = HashValue % Hdr.BucketCount;
330   unsigned BucketBase = sizeof(Hdr) + Hdr.HeaderDataLength;
331   unsigned HashesBase = BucketBase + Hdr.BucketCount * 4;
332   unsigned OffsetsBase = HashesBase + Hdr.HashCount * 4;
333 
334   unsigned BucketOffset = BucketBase + Bucket * 4;
335   unsigned Index = AccelSection.getU32(&BucketOffset);
336 
337   // Search through all hashes in the bucket.
338   for (unsigned HashIdx = Index; HashIdx < Hdr.HashCount; ++HashIdx) {
339     unsigned HashOffset = HashesBase + HashIdx * 4;
340     unsigned OffsetsOffset = OffsetsBase + HashIdx * 4;
341     uint32_t Hash = AccelSection.getU32(&HashOffset);
342 
343     if (Hash % Hdr.BucketCount != Bucket)
344       // We are already in the next bucket.
345       break;
346 
347     unsigned DataOffset = AccelSection.getU32(&OffsetsOffset);
348     unsigned StringOffset = AccelSection.getRelocatedValue(4, &DataOffset);
349     if (!StringOffset)
350       break;
351 
352     // Finally, compare the key.
353     if (Key == StringSection.getCStr(&StringOffset))
354       return make_range({*this, DataOffset}, ValueIterator());
355   }
356   return make_range(ValueIterator(), ValueIterator());
357 }
358 
359 void DWARFDebugNames::Header::dump(ScopedPrinter &W) const {
360   DictScope HeaderScope(W, "Header");
361   W.printHex("Length", UnitLength);
362   W.printNumber("Version", Version);
363   W.printHex("Padding", Padding);
364   W.printNumber("CU count", CompUnitCount);
365   W.printNumber("Local TU count", LocalTypeUnitCount);
366   W.printNumber("Foreign TU count", ForeignTypeUnitCount);
367   W.printNumber("Bucket count", BucketCount);
368   W.printNumber("Name count", NameCount);
369   W.printHex("Abbreviations table size", AbbrevTableSize);
370   W.startLine() << "Augmentation: '" << AugmentationString << "'\n";
371 }
372 
373 llvm::Error DWARFDebugNames::Header::extract(const DWARFDataExtractor &AS,
374                                              uint32_t *Offset) {
375   // Check that we can read the fixed-size part.
376   if (!AS.isValidOffset(*Offset + sizeof(HeaderPOD) - 1))
377     return make_error<StringError>("Section too small: cannot read header.",
378                                    inconvertibleErrorCode());
379 
380   UnitLength = AS.getU32(Offset);
381   Version = AS.getU16(Offset);
382   Padding = AS.getU16(Offset);
383   CompUnitCount = AS.getU32(Offset);
384   LocalTypeUnitCount = AS.getU32(Offset);
385   ForeignTypeUnitCount = AS.getU32(Offset);
386   BucketCount = AS.getU32(Offset);
387   NameCount = AS.getU32(Offset);
388   AbbrevTableSize = AS.getU32(Offset);
389   AugmentationStringSize = alignTo(AS.getU32(Offset), 4);
390 
391   if (!AS.isValidOffsetForDataOfSize(*Offset, AugmentationStringSize))
392     return make_error<StringError>(
393         "Section too small: cannot read header augmentation.",
394         inconvertibleErrorCode());
395   AugmentationString.resize(AugmentationStringSize);
396   AS.getU8(Offset, reinterpret_cast<uint8_t *>(AugmentationString.data()),
397            AugmentationStringSize);
398   return Error::success();
399 }
400 
401 void DWARFDebugNames::Abbrev::dump(ScopedPrinter &W) const {
402   DictScope AbbrevScope(W, ("Abbreviation 0x" + Twine::utohexstr(Code)).str());
403   W.startLine() << formatv("Tag: {0}\n", Tag);
404 
405   for (const auto &Attr : Attributes)
406     W.startLine() << formatv("{0}: {1}\n", Attr.Index, Attr.Form);
407 }
408 
409 static constexpr DWARFDebugNames::AttributeEncoding sentinelAttrEnc() {
410   return {dwarf::Index(0), dwarf::Form(0)};
411 }
412 
413 static bool isSentinel(const DWARFDebugNames::AttributeEncoding &AE) {
414   return AE == sentinelAttrEnc();
415 }
416 
417 static DWARFDebugNames::Abbrev sentinelAbbrev() {
418   return DWARFDebugNames::Abbrev(0, dwarf::Tag(0), {});
419 }
420 
421 static bool isSentinel(const DWARFDebugNames::Abbrev &Abbr) {
422   return Abbr.Code == 0;
423 }
424 
425 DWARFDebugNames::Abbrev DWARFDebugNames::AbbrevMapInfo::getEmptyKey() {
426   return sentinelAbbrev();
427 }
428 
429 DWARFDebugNames::Abbrev DWARFDebugNames::AbbrevMapInfo::getTombstoneKey() {
430   return DWARFDebugNames::Abbrev(~0, dwarf::Tag(0), {});
431 }
432 
433 Expected<DWARFDebugNames::AttributeEncoding>
434 DWARFDebugNames::NameIndex::extractAttributeEncoding(uint32_t *Offset) {
435   if (*Offset >= EntriesBase) {
436     return make_error<StringError>("Incorrectly terminated abbreviation table.",
437                                    inconvertibleErrorCode());
438   }
439 
440   uint32_t Index = Section.AccelSection.getULEB128(Offset);
441   uint32_t Form = Section.AccelSection.getULEB128(Offset);
442   return AttributeEncoding(dwarf::Index(Index), dwarf::Form(Form));
443 }
444 
445 Expected<std::vector<DWARFDebugNames::AttributeEncoding>>
446 DWARFDebugNames::NameIndex::extractAttributeEncodings(uint32_t *Offset) {
447   std::vector<AttributeEncoding> Result;
448   for (;;) {
449     auto AttrEncOr = extractAttributeEncoding(Offset);
450     if (!AttrEncOr)
451       return AttrEncOr.takeError();
452     if (isSentinel(*AttrEncOr))
453       return std::move(Result);
454 
455     Result.emplace_back(*AttrEncOr);
456   }
457 }
458 
459 Expected<DWARFDebugNames::Abbrev>
460 DWARFDebugNames::NameIndex::extractAbbrev(uint32_t *Offset) {
461   if (*Offset >= EntriesBase) {
462     return make_error<StringError>("Incorrectly terminated abbreviation table.",
463                                    inconvertibleErrorCode());
464   }
465 
466   uint32_t Code = Section.AccelSection.getULEB128(Offset);
467   if (Code == 0)
468     return sentinelAbbrev();
469 
470   uint32_t Tag = Section.AccelSection.getULEB128(Offset);
471   auto AttrEncOr = extractAttributeEncodings(Offset);
472   if (!AttrEncOr)
473     return AttrEncOr.takeError();
474   return Abbrev(Code, dwarf::Tag(Tag), std::move(*AttrEncOr));
475 }
476 
477 Error DWARFDebugNames::NameIndex::extract() {
478   const DWARFDataExtractor &AS = Section.AccelSection;
479   uint32_t Offset = Base;
480   if (Error E = Hdr.extract(AS, &Offset))
481     return E;
482 
483   CUsBase = Offset;
484   Offset += Hdr.CompUnitCount * 4;
485   Offset += Hdr.LocalTypeUnitCount * 4;
486   Offset += Hdr.ForeignTypeUnitCount * 8;
487   BucketsBase = Offset;
488   Offset += Hdr.BucketCount * 4;
489   HashesBase = Offset;
490   if (Hdr.BucketCount > 0)
491     Offset += Hdr.NameCount * 4;
492   StringOffsetsBase = Offset;
493   Offset += Hdr.NameCount * 4;
494   EntryOffsetsBase = Offset;
495   Offset += Hdr.NameCount * 4;
496 
497   if (!AS.isValidOffsetForDataOfSize(Offset, Hdr.AbbrevTableSize))
498     return make_error<StringError>(
499         "Section too small: cannot read abbreviations.",
500         inconvertibleErrorCode());
501 
502   EntriesBase = Offset + Hdr.AbbrevTableSize;
503 
504   for (;;) {
505     auto AbbrevOr = extractAbbrev(&Offset);
506     if (!AbbrevOr)
507       return AbbrevOr.takeError();
508     if (isSentinel(*AbbrevOr))
509       return Error::success();
510 
511     if (!Abbrevs.insert(std::move(*AbbrevOr)).second) {
512       return make_error<StringError>("Duplicate abbreviation code.",
513                                      inconvertibleErrorCode());
514     }
515   }
516 }
517 DWARFDebugNames::Entry::Entry(const NameIndex &NameIdx, const Abbrev &Abbr)
518     : NameIdx(&NameIdx), Abbr(&Abbr) {
519   // This merely creates form values. It is up to the caller
520   // (NameIndex::getEntry) to populate them.
521   Values.reserve(Abbr.Attributes.size());
522   for (const auto &Attr : Abbr.Attributes)
523     Values.emplace_back(Attr.Form);
524 }
525 
526 Optional<DWARFFormValue>
527 DWARFDebugNames::Entry::lookup(dwarf::Index Index) const {
528   assert(Abbr->Attributes.size() == Values.size());
529   for (const auto &Tuple : zip_first(Abbr->Attributes, Values)) {
530     if (std::get<0>(Tuple).Index == Index)
531       return std::get<1>(Tuple);
532   }
533   return None;
534 }
535 
536 Optional<uint64_t> DWARFDebugNames::Entry::getDIEUnitOffset() const {
537   if (Optional<DWARFFormValue> Off = lookup(dwarf::DW_IDX_die_offset))
538     return Off->getAsReferenceUVal();
539   return None;
540 }
541 
542 Optional<uint64_t> DWARFDebugNames::Entry::getCUIndex() const {
543   if (Optional<DWARFFormValue> Off = lookup(dwarf::DW_IDX_compile_unit))
544     return Off->getAsUnsignedConstant();
545   // In a per-CU index, the entries without a DW_IDX_compile_unit attribute
546   // implicitly refer to the single CU.
547   if (NameIdx->getCUCount() == 1)
548     return 0;
549   return None;
550 }
551 
552 Optional<uint64_t> DWARFDebugNames::Entry::getCUOffset() const {
553   Optional<uint64_t> Index = getCUIndex();
554   if (!Index || *Index >= NameIdx->getCUCount())
555     return None;
556   return NameIdx->getCUOffset(*Index);
557 }
558 
559 Optional<uint64_t> DWARFDebugNames::Entry::getDIESectionOffset() const {
560   Optional<uint64_t> CUOff = getCUOffset();
561   Optional<uint64_t> DIEOff = getDIEUnitOffset();
562   if (CUOff && DIEOff)
563     return *CUOff + *DIEOff;
564   return None;
565 }
566 
567 void DWARFDebugNames::Entry::dump(ScopedPrinter &W) const {
568   W.printHex("Abbrev", Abbr->Code);
569   W.startLine() << formatv("Tag: {0}\n", Abbr->Tag);
570   assert(Abbr->Attributes.size() == Values.size());
571   for (const auto &Tuple : zip_first(Abbr->Attributes, Values)) {
572     W.startLine() << formatv("{0}: ", std::get<0>(Tuple).Index);
573     std::get<1>(Tuple).dump(W.getOStream());
574     W.getOStream() << '\n';
575   }
576 }
577 
578 char DWARFDebugNames::SentinelError::ID;
579 std::error_code DWARFDebugNames::SentinelError::convertToErrorCode() const {
580   return inconvertibleErrorCode();
581 }
582 
583 uint32_t DWARFDebugNames::NameIndex::getCUOffset(uint32_t CU) const {
584   assert(CU < Hdr.CompUnitCount);
585   uint32_t Offset = CUsBase + 4 * CU;
586   return Section.AccelSection.getRelocatedValue(4, &Offset);
587 }
588 
589 uint32_t DWARFDebugNames::NameIndex::getLocalTUOffset(uint32_t TU) const {
590   assert(TU < Hdr.LocalTypeUnitCount);
591   uint32_t Offset = CUsBase + Hdr.CompUnitCount * 4;
592   return Section.AccelSection.getRelocatedValue(4, &Offset);
593 }
594 
595 uint64_t DWARFDebugNames::NameIndex::getForeignTUSignature(uint32_t TU) const {
596   assert(TU < Hdr.ForeignTypeUnitCount);
597   uint32_t Offset = CUsBase + (Hdr.CompUnitCount + Hdr.LocalTypeUnitCount) * 4;
598   return Section.AccelSection.getU64(&Offset);
599 }
600 
601 Expected<DWARFDebugNames::Entry>
602 DWARFDebugNames::NameIndex::getEntry(uint32_t *Offset) const {
603   const DWARFDataExtractor &AS = Section.AccelSection;
604   if (!AS.isValidOffset(*Offset))
605     return make_error<StringError>("Incorrectly terminated entry list.",
606                                    inconvertibleErrorCode());
607 
608   uint32_t AbbrevCode = AS.getULEB128(Offset);
609   if (AbbrevCode == 0)
610     return make_error<SentinelError>();
611 
612   const auto AbbrevIt = Abbrevs.find_as(AbbrevCode);
613   if (AbbrevIt == Abbrevs.end())
614     return make_error<StringError>("Invalid abbreviation.",
615                                    inconvertibleErrorCode());
616 
617   Entry E(*this, *AbbrevIt);
618 
619   dwarf::FormParams FormParams = {Hdr.Version, 0, dwarf::DwarfFormat::DWARF32};
620   for (auto &Value : E.Values) {
621     if (!Value.extractValue(AS, Offset, FormParams))
622       return make_error<StringError>("Error extracting index attribute values.",
623                                      inconvertibleErrorCode());
624   }
625   return std::move(E);
626 }
627 
628 DWARFDebugNames::NameTableEntry
629 DWARFDebugNames::NameIndex::getNameTableEntry(uint32_t Index) const {
630   assert(0 < Index && Index <= Hdr.NameCount);
631   uint32_t StringOffsetOffset = StringOffsetsBase + 4 * (Index - 1);
632   uint32_t EntryOffsetOffset = EntryOffsetsBase + 4 * (Index - 1);
633   const DWARFDataExtractor &AS = Section.AccelSection;
634 
635   uint32_t StringOffset = AS.getRelocatedValue(4, &StringOffsetOffset);
636   uint32_t EntryOffset = AS.getU32(&EntryOffsetOffset);
637   EntryOffset += EntriesBase;
638   return {Section.StringSection, Index, StringOffset, EntryOffset};
639 }
640 
641 uint32_t
642 DWARFDebugNames::NameIndex::getBucketArrayEntry(uint32_t Bucket) const {
643   assert(Bucket < Hdr.BucketCount);
644   uint32_t BucketOffset = BucketsBase + 4 * Bucket;
645   return Section.AccelSection.getU32(&BucketOffset);
646 }
647 
648 uint32_t DWARFDebugNames::NameIndex::getHashArrayEntry(uint32_t Index) const {
649   assert(0 < Index && Index <= Hdr.NameCount);
650   uint32_t HashOffset = HashesBase + 4 * (Index - 1);
651   return Section.AccelSection.getU32(&HashOffset);
652 }
653 
654 // Returns true if we should continue scanning for entries, false if this is the
655 // last (sentinel) entry). In case of a parsing error we also return false, as
656 // it's not possible to recover this entry list (but the other lists may still
657 // parse OK).
658 bool DWARFDebugNames::NameIndex::dumpEntry(ScopedPrinter &W,
659                                            uint32_t *Offset) const {
660   uint32_t EntryId = *Offset;
661   auto EntryOr = getEntry(Offset);
662   if (!EntryOr) {
663     handleAllErrors(EntryOr.takeError(), [](const SentinelError &) {},
664                     [&W](const ErrorInfoBase &EI) { EI.log(W.startLine()); });
665     return false;
666   }
667 
668   DictScope EntryScope(W, ("Entry @ 0x" + Twine::utohexstr(EntryId)).str());
669   EntryOr->dump(W);
670   return true;
671 }
672 
673 void DWARFDebugNames::NameIndex::dumpName(ScopedPrinter &W,
674                                           const NameTableEntry &NTE,
675                                           Optional<uint32_t> Hash) const {
676   DictScope NameScope(W, ("Name " + Twine(NTE.getIndex())).str());
677   if (Hash)
678     W.printHex("Hash", *Hash);
679 
680   W.startLine() << format("String: 0x%08x", NTE.getStringOffset());
681   W.getOStream() << " \"" << NTE.getString() << "\"\n";
682 
683   uint32_t EntryOffset = NTE.getEntryOffset();
684   while (dumpEntry(W, &EntryOffset))
685     /*empty*/;
686 }
687 
688 void DWARFDebugNames::NameIndex::dumpCUs(ScopedPrinter &W) const {
689   ListScope CUScope(W, "Compilation Unit offsets");
690   for (uint32_t CU = 0; CU < Hdr.CompUnitCount; ++CU)
691     W.startLine() << format("CU[%u]: 0x%08x\n", CU, getCUOffset(CU));
692 }
693 
694 void DWARFDebugNames::NameIndex::dumpLocalTUs(ScopedPrinter &W) const {
695   if (Hdr.LocalTypeUnitCount == 0)
696     return;
697 
698   ListScope TUScope(W, "Local Type Unit offsets");
699   for (uint32_t TU = 0; TU < Hdr.LocalTypeUnitCount; ++TU)
700     W.startLine() << format("LocalTU[%u]: 0x%08x\n", TU, getLocalTUOffset(TU));
701 }
702 
703 void DWARFDebugNames::NameIndex::dumpForeignTUs(ScopedPrinter &W) const {
704   if (Hdr.ForeignTypeUnitCount == 0)
705     return;
706 
707   ListScope TUScope(W, "Foreign Type Unit signatures");
708   for (uint32_t TU = 0; TU < Hdr.ForeignTypeUnitCount; ++TU) {
709     W.startLine() << format("ForeignTU[%u]: 0x%016" PRIx64 "\n", TU,
710                             getForeignTUSignature(TU));
711   }
712 }
713 
714 void DWARFDebugNames::NameIndex::dumpAbbreviations(ScopedPrinter &W) const {
715   ListScope AbbrevsScope(W, "Abbreviations");
716   for (const auto &Abbr : Abbrevs)
717     Abbr.dump(W);
718 }
719 
720 void DWARFDebugNames::NameIndex::dumpBucket(ScopedPrinter &W,
721                                             uint32_t Bucket) const {
722   ListScope BucketScope(W, ("Bucket " + Twine(Bucket)).str());
723   uint32_t Index = getBucketArrayEntry(Bucket);
724   if (Index == 0) {
725     W.printString("EMPTY");
726     return;
727   }
728   if (Index > Hdr.NameCount) {
729     W.printString("Name index is invalid");
730     return;
731   }
732 
733   for (; Index <= Hdr.NameCount; ++Index) {
734     uint32_t Hash = getHashArrayEntry(Index);
735     if (Hash % Hdr.BucketCount != Bucket)
736       break;
737 
738     dumpName(W, getNameTableEntry(Index), Hash);
739   }
740 }
741 
742 LLVM_DUMP_METHOD void DWARFDebugNames::NameIndex::dump(ScopedPrinter &W) const {
743   DictScope UnitScope(W, ("Name Index @ 0x" + Twine::utohexstr(Base)).str());
744   Hdr.dump(W);
745   dumpCUs(W);
746   dumpLocalTUs(W);
747   dumpForeignTUs(W);
748   dumpAbbreviations(W);
749 
750   if (Hdr.BucketCount > 0) {
751     for (uint32_t Bucket = 0; Bucket < Hdr.BucketCount; ++Bucket)
752       dumpBucket(W, Bucket);
753     return;
754   }
755 
756   W.startLine() << "Hash table not present\n";
757   for (NameTableEntry NTE : *this)
758     dumpName(W, NTE, None);
759 }
760 
761 llvm::Error DWARFDebugNames::extract() {
762   uint32_t Offset = 0;
763   while (AccelSection.isValidOffset(Offset)) {
764     NameIndex Next(*this, Offset);
765     if (llvm::Error E = Next.extract())
766       return E;
767     Offset = Next.getNextUnitOffset();
768     NameIndices.push_back(std::move(Next));
769   }
770   return Error::success();
771 }
772 
773 iterator_range<DWARFDebugNames::ValueIterator>
774 DWARFDebugNames::NameIndex::equal_range(StringRef Key) const {
775   return make_range(ValueIterator(*this, Key), ValueIterator());
776 }
777 
778 LLVM_DUMP_METHOD void DWARFDebugNames::dump(raw_ostream &OS) const {
779   ScopedPrinter W(OS);
780   for (const NameIndex &NI : NameIndices)
781     NI.dump(W);
782 }
783 
784 Optional<uint32_t>
785 DWARFDebugNames::ValueIterator::findEntryOffsetInCurrentIndex() {
786   const Header &Hdr = CurrentIndex->Hdr;
787   if (Hdr.BucketCount == 0) {
788     // No Hash Table, We need to search through all names in the Name Index.
789     for (NameTableEntry NTE : *CurrentIndex) {
790       if (NTE.getString() == Key)
791         return NTE.getEntryOffset();
792     }
793     return None;
794   }
795 
796   // The Name Index has a Hash Table, so use that to speed up the search.
797   // Compute the Key Hash, if it has not been done already.
798   if (!Hash)
799     Hash = caseFoldingDjbHash(Key);
800   uint32_t Bucket = *Hash % Hdr.BucketCount;
801   uint32_t Index = CurrentIndex->getBucketArrayEntry(Bucket);
802   if (Index == 0)
803     return None; // Empty bucket
804 
805   for (; Index <= Hdr.NameCount; ++Index) {
806     uint32_t Hash = CurrentIndex->getHashArrayEntry(Index);
807     if (Hash % Hdr.BucketCount != Bucket)
808       return None; // End of bucket
809 
810     NameTableEntry NTE = CurrentIndex->getNameTableEntry(Index);
811     if (NTE.getString() == Key)
812       return NTE.getEntryOffset();
813   }
814   return None;
815 }
816 
817 bool DWARFDebugNames::ValueIterator::getEntryAtCurrentOffset() {
818   auto EntryOr = CurrentIndex->getEntry(&DataOffset);
819   if (!EntryOr) {
820     consumeError(EntryOr.takeError());
821     return false;
822   }
823   CurrentEntry = std::move(*EntryOr);
824   return true;
825 }
826 
827 bool DWARFDebugNames::ValueIterator::findInCurrentIndex() {
828   Optional<uint32_t> Offset = findEntryOffsetInCurrentIndex();
829   if (!Offset)
830     return false;
831   DataOffset = *Offset;
832   return getEntryAtCurrentOffset();
833 }
834 
835 void DWARFDebugNames::ValueIterator::searchFromStartOfCurrentIndex() {
836   for (const NameIndex *End = CurrentIndex->Section.NameIndices.end();
837        CurrentIndex != End; ++CurrentIndex) {
838     if (findInCurrentIndex())
839       return;
840   }
841   setEnd();
842 }
843 
844 void DWARFDebugNames::ValueIterator::next() {
845   assert(CurrentIndex && "Incrementing an end() iterator?");
846 
847   // First try the next entry in the current Index.
848   if (getEntryAtCurrentOffset())
849     return;
850 
851   // If we're a local iterator or we have reached the last Index, we're done.
852   if (IsLocal || CurrentIndex == &CurrentIndex->Section.NameIndices.back()) {
853     setEnd();
854     return;
855   }
856 
857   // Otherwise, try the next index.
858   ++CurrentIndex;
859   searchFromStartOfCurrentIndex();
860 }
861 
862 DWARFDebugNames::ValueIterator::ValueIterator(const DWARFDebugNames &AccelTable,
863                                               StringRef Key)
864     : CurrentIndex(AccelTable.NameIndices.begin()), IsLocal(false), Key(Key) {
865   searchFromStartOfCurrentIndex();
866 }
867 
868 DWARFDebugNames::ValueIterator::ValueIterator(
869     const DWARFDebugNames::NameIndex &NI, StringRef Key)
870     : CurrentIndex(&NI), IsLocal(true), Key(Key) {
871   if (!findInCurrentIndex())
872     setEnd();
873 }
874 
875 iterator_range<DWARFDebugNames::ValueIterator>
876 DWARFDebugNames::equal_range(StringRef Key) const {
877   if (NameIndices.empty())
878     return make_range(ValueIterator(), ValueIterator());
879   return make_range(ValueIterator(*this, Key), ValueIterator());
880 }
881 
882 const DWARFDebugNames::NameIndex *
883 DWARFDebugNames::getCUNameIndex(uint32_t CUOffset) {
884   if (CUToNameIndex.size() == 0 && NameIndices.size() > 0) {
885     for (const auto &NI : *this) {
886       for (uint32_t CU = 0; CU < NI.getCUCount(); ++CU)
887         CUToNameIndex.try_emplace(NI.getCUOffset(CU), &NI);
888     }
889   }
890   return CUToNameIndex.lookup(CUOffset);
891 }
892