LLVM 20.0.0git
GsymCreator.cpp
Go to the documentation of this file.
1//===- GsymCreator.cpp ----------------------------------------------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//===----------------------------------------------------------------------===//
7
15
16#include <algorithm>
17#include <cassert>
18#include <functional>
19#include <vector>
20
21using namespace llvm;
22using namespace gsym;
23
25 : StrTab(StringTableBuilder::ELF), Quiet(Quiet) {
27}
28
30 llvm::StringRef directory = llvm::sys::path::parent_path(Path, Style);
31 llvm::StringRef filename = llvm::sys::path::filename(Path, Style);
32 // We must insert the strings first, then call the FileEntry constructor.
33 // If we inline the insertString() function call into the constructor, the
34 // call order is undefined due to parameter lists not having any ordering
35 // requirements.
36 const uint32_t Dir = insertString(directory);
37 const uint32_t Base = insertString(filename);
38 return insertFileEntry(FileEntry(Dir, Base));
39}
40
41uint32_t GsymCreator::insertFileEntry(FileEntry FE) {
42 std::lock_guard<std::mutex> Guard(Mutex);
43 const auto NextIndex = Files.size();
44 // Find FE in hash map and insert if not present.
45 auto R = FileEntryToIndex.insert(std::make_pair(FE, NextIndex));
46 if (R.second)
47 Files.emplace_back(FE);
48 return R.first->second;
49}
50
51uint32_t GsymCreator::copyFile(const GsymCreator &SrcGC, uint32_t FileIdx) {
52 // File index zero is reserved for a FileEntry with no directory and no
53 // filename. Any other file and we need to copy the strings for the directory
54 // and filename.
55 if (FileIdx == 0)
56 return 0;
57 const FileEntry SrcFE = SrcGC.Files[FileIdx];
58 // Copy the strings for the file and then add the newly converted file entry.
59 uint32_t Dir =
60 SrcFE.Dir == 0
61 ? 0
62 : StrTab.add(SrcGC.StringOffsetMap.find(SrcFE.Dir)->second);
63 uint32_t Base = StrTab.add(SrcGC.StringOffsetMap.find(SrcFE.Base)->second);
64 FileEntry DstFE(Dir, Base);
65 return insertFileEntry(DstFE);
66}
67
69 std::optional<uint64_t> SegmentSize) const {
70 if (SegmentSize)
71 return saveSegments(Path, ByteOrder, *SegmentSize);
72 std::error_code EC;
73 raw_fd_ostream OutStrm(Path, EC);
74 if (EC)
75 return llvm::errorCodeToError(EC);
76 FileWriter O(OutStrm, ByteOrder);
77 return encode(O);
78}
79
81 std::lock_guard<std::mutex> Guard(Mutex);
82 if (Funcs.empty())
83 return createStringError(std::errc::invalid_argument,
84 "no functions to encode");
85 if (!Finalized)
86 return createStringError(std::errc::invalid_argument,
87 "GsymCreator wasn't finalized prior to encoding");
88
89 if (Funcs.size() > UINT32_MAX)
90 return createStringError(std::errc::invalid_argument,
91 "too many FunctionInfos");
92
93 std::optional<uint64_t> BaseAddress = getBaseAddress();
94 // Base address should be valid if we have any functions.
95 if (!BaseAddress)
96 return createStringError(std::errc::invalid_argument,
97 "invalid base address");
98 Header Hdr;
99 Hdr.Magic = GSYM_MAGIC;
100 Hdr.Version = GSYM_VERSION;
101 Hdr.AddrOffSize = getAddressOffsetSize();
102 Hdr.UUIDSize = static_cast<uint8_t>(UUID.size());
103 Hdr.BaseAddress = *BaseAddress;
104 Hdr.NumAddresses = static_cast<uint32_t>(Funcs.size());
105 Hdr.StrtabOffset = 0; // We will fix this up later.
106 Hdr.StrtabSize = 0; // We will fix this up later.
107 memset(Hdr.UUID, 0, sizeof(Hdr.UUID));
108 if (UUID.size() > sizeof(Hdr.UUID))
109 return createStringError(std::errc::invalid_argument,
110 "invalid UUID size %u", (uint32_t)UUID.size());
111 // Copy the UUID value if we have one.
112 if (UUID.size() > 0)
113 memcpy(Hdr.UUID, UUID.data(), UUID.size());
114 // Write out the header.
115 llvm::Error Err = Hdr.encode(O);
116 if (Err)
117 return Err;
118
119 const uint64_t MaxAddressOffset = getMaxAddressOffset();
120 // Write out the address offsets.
121 O.alignTo(Hdr.AddrOffSize);
122 for (const auto &FuncInfo : Funcs) {
123 uint64_t AddrOffset = FuncInfo.startAddress() - Hdr.BaseAddress;
124 // Make sure we calculated the address offsets byte size correctly by
125 // verifying the current address offset is within ranges. We have seen bugs
126 // introduced when the code changes that can cause problems here so it is
127 // good to catch this during testing.
128 assert(AddrOffset <= MaxAddressOffset);
129 (void)MaxAddressOffset;
130 switch (Hdr.AddrOffSize) {
131 case 1:
132 O.writeU8(static_cast<uint8_t>(AddrOffset));
133 break;
134 case 2:
135 O.writeU16(static_cast<uint16_t>(AddrOffset));
136 break;
137 case 4:
138 O.writeU32(static_cast<uint32_t>(AddrOffset));
139 break;
140 case 8:
141 O.writeU64(AddrOffset);
142 break;
143 }
144 }
145
146 // Write out all zeros for the AddrInfoOffsets.
147 O.alignTo(4);
148 const off_t AddrInfoOffsetsOffset = O.tell();
149 for (size_t i = 0, n = Funcs.size(); i < n; ++i)
150 O.writeU32(0);
151
152 // Write out the file table
153 O.alignTo(4);
154 assert(!Files.empty());
155 assert(Files[0].Dir == 0);
156 assert(Files[0].Base == 0);
157 size_t NumFiles = Files.size();
158 if (NumFiles > UINT32_MAX)
159 return createStringError(std::errc::invalid_argument, "too many files");
160 O.writeU32(static_cast<uint32_t>(NumFiles));
161 for (auto File : Files) {
162 O.writeU32(File.Dir);
163 O.writeU32(File.Base);
164 }
165
166 // Write out the string table.
167 const off_t StrtabOffset = O.tell();
168 StrTab.write(O.get_stream());
169 const off_t StrtabSize = O.tell() - StrtabOffset;
170 std::vector<uint32_t> AddrInfoOffsets;
171
172 // Write out the address infos for each function info.
173 for (const auto &FuncInfo : Funcs) {
174 if (Expected<uint64_t> OffsetOrErr = FuncInfo.encode(O))
175 AddrInfoOffsets.push_back(OffsetOrErr.get());
176 else
177 return OffsetOrErr.takeError();
178 }
179 // Fixup the string table offset and size in the header
180 O.fixup32((uint32_t)StrtabOffset, offsetof(Header, StrtabOffset));
181 O.fixup32((uint32_t)StrtabSize, offsetof(Header, StrtabSize));
182
183 // Fixup all address info offsets
184 uint64_t Offset = 0;
185 for (auto AddrInfoOffset : AddrInfoOffsets) {
186 O.fixup32(AddrInfoOffset, AddrInfoOffsetsOffset + Offset);
187 Offset += 4;
188 }
189 return ErrorSuccess();
190}
191
193 // Nothing to do if we have less than 2 functions.
194 if (Funcs.size() < 2)
195 return;
196
197 // Sort the function infos by address range first
198 llvm::sort(Funcs);
199 std::vector<FunctionInfo> TopLevelFuncs;
200
201 // Add the first function info to the top level functions
202 TopLevelFuncs.emplace_back(std::move(Funcs.front()));
203
204 // Now if the next function info has the same address range as the top level,
205 // then merge it into the top level function, otherwise add it to the top
206 // level.
207 for (size_t Idx = 1; Idx < Funcs.size(); ++Idx) {
208 FunctionInfo &TopFunc = TopLevelFuncs.back();
209 FunctionInfo &MatchFunc = Funcs[Idx];
210 if (TopFunc.Range == MatchFunc.Range) {
211 // Both have the same range - add the 2nd func as a child of the 1st func
212 if (!TopFunc.MergedFunctions)
214 // Avoid adding duplicate functions to MergedFunctions. Since functions
215 // are already ordered within the Funcs array, we can just check equality
216 // against the last function in the merged array.
217 else if (TopFunc.MergedFunctions->MergedFunctions.back() == MatchFunc)
218 continue;
219 TopFunc.MergedFunctions->MergedFunctions.emplace_back(
220 std::move(MatchFunc));
221 } else
222 // No match, add the function as a top-level function
223 TopLevelFuncs.emplace_back(std::move(MatchFunc));
224 }
225
226 uint32_t mergedCount = Funcs.size() - TopLevelFuncs.size();
227 // If any functions were merged, print a message about it.
228 if (mergedCount != 0)
229 Out << "Have " << mergedCount
230 << " merged functions as children of other functions\n";
231
232 std::swap(Funcs, TopLevelFuncs);
233}
234
236 std::lock_guard<std::mutex> Guard(Mutex);
237 if (Finalized)
238 return createStringError(std::errc::invalid_argument, "already finalized");
239 Finalized = true;
240
241 // Don't let the string table indexes change by finalizing in order.
242 StrTab.finalizeInOrder();
243
244 // Remove duplicates function infos that have both entries from debug info
245 // (DWARF or Breakpad) and entries from the SymbolTable.
246 //
247 // Also handle overlapping function. Usually there shouldn't be any, but they
248 // can and do happen in some rare cases.
249 //
250 // (a) (b) (c)
251 // ^ ^ ^ ^
252 // |X |Y |X ^ |X
253 // | | | |Y | ^
254 // | | | v v |Y
255 // v v v v
256 //
257 // In (a) and (b), Y is ignored and X will be reported for the full range.
258 // In (c), both functions will be included in the result and lookups for an
259 // address in the intersection will return Y because of binary search.
260 //
261 // Note that in case of (b), we cannot include Y in the result because then
262 // we wouldn't find any function for range (end of Y, end of X)
263 // with binary search
264
265 const auto NumBefore = Funcs.size();
266 // Only sort and unique if this isn't a segment. If this is a segment we
267 // already finalized the main GsymCreator with all of the function infos
268 // and then the already sorted and uniqued function infos were added to this
269 // object.
270 if (!IsSegment) {
271 if (NumBefore > 1) {
272 // Sort function infos so we can emit sorted functions.
273 llvm::sort(Funcs);
274 std::vector<FunctionInfo> FinalizedFuncs;
275 FinalizedFuncs.reserve(Funcs.size());
276 FinalizedFuncs.emplace_back(std::move(Funcs.front()));
277 for (size_t Idx=1; Idx < NumBefore; ++Idx) {
278 FunctionInfo &Prev = FinalizedFuncs.back();
279 FunctionInfo &Curr = Funcs[Idx];
280 // Empty ranges won't intersect, but we still need to
281 // catch the case where we have multiple symbols at the
282 // same address and coalesce them.
283 const bool ranges_equal = Prev.Range == Curr.Range;
284 if (ranges_equal || Prev.Range.intersects(Curr.Range)) {
285 // Overlapping ranges or empty identical ranges.
286 if (ranges_equal) {
287 // Same address range. Check if one is from debug
288 // info and the other is from a symbol table. If
289 // so, then keep the one with debug info. Our
290 // sorting guarantees that entries with matching
291 // address ranges that have debug info are last in
292 // the sort.
293 if (!(Prev == Curr)) {
294 if (Prev.hasRichInfo() && Curr.hasRichInfo())
295 Out.Report(
296 "Duplicate address ranges with different debug info.",
297 [&](raw_ostream &OS) {
298 OS << "warning: same address range contains "
299 "different debug "
300 << "info. Removing:\n"
301 << Prev << "\nIn favor of this one:\n"
302 << Curr << "\n";
303 });
304
305 // We want to swap the current entry with the previous since
306 // later entries with the same range always have more debug info
307 // or different debug info.
308 std::swap(Prev, Curr);
309 }
310 } else {
311 Out.Report("Overlapping function ranges", [&](raw_ostream &OS) {
312 // print warnings about overlaps
313 OS << "warning: function ranges overlap:\n"
314 << Prev << "\n"
315 << Curr << "\n";
316 });
317 FinalizedFuncs.emplace_back(std::move(Curr));
318 }
319 } else {
320 if (Prev.Range.size() == 0 && Curr.Range.contains(Prev.Range.start())) {
321 // Symbols on macOS don't have address ranges, so if the range
322 // doesn't match and the size is zero, then we replace the empty
323 // symbol function info with the current one.
324 std::swap(Prev, Curr);
325 } else {
326 FinalizedFuncs.emplace_back(std::move(Curr));
327 }
328 }
329 }
330 std::swap(Funcs, FinalizedFuncs);
331 }
332 // If our last function info entry doesn't have a size and if we have valid
333 // text ranges, we should set the size of the last entry since any search for
334 // a high address might match our last entry. By fixing up this size, we can
335 // help ensure we don't cause lookups to always return the last symbol that
336 // has no size when doing lookups.
337 if (!Funcs.empty() && Funcs.back().Range.size() == 0 && ValidTextRanges) {
338 if (auto Range =
339 ValidTextRanges->getRangeThatContains(Funcs.back().Range.start())) {
340 Funcs.back().Range = {Funcs.back().Range.start(), Range->end()};
341 }
342 }
343 Out << "Pruned " << NumBefore - Funcs.size() << " functions, ended with "
344 << Funcs.size() << " total\n";
345 }
346 return Error::success();
347}
348
349uint32_t GsymCreator::copyString(const GsymCreator &SrcGC, uint32_t StrOff) {
350 // String offset at zero is always the empty string, no copying needed.
351 if (StrOff == 0)
352 return 0;
353 return StrTab.add(SrcGC.StringOffsetMap.find(StrOff)->second);
354}
355
357 if (S.empty())
358 return 0;
359
360 // The hash can be calculated outside the lock.
361 CachedHashStringRef CHStr(S);
362 std::lock_guard<std::mutex> Guard(Mutex);
363 if (Copy) {
364 // We need to provide backing storage for the string if requested
365 // since StringTableBuilder stores references to strings. Any string
366 // that comes from a section in an object file doesn't need to be
367 // copied, but any string created by code will need to be copied.
368 // This allows GsymCreator to be really fast when parsing DWARF and
369 // other object files as most strings don't need to be copied.
370 if (!StrTab.contains(CHStr))
371 CHStr = CachedHashStringRef{StringStorage.insert(S).first->getKey(),
372 CHStr.hash()};
373 }
374 const uint32_t StrOff = StrTab.add(CHStr);
375 // Save a mapping of string offsets to the cached string reference in case
376 // we need to segment the GSYM file and copy string from one string table to
377 // another.
378 if (StringOffsetMap.count(StrOff) == 0)
379 StringOffsetMap.insert(std::make_pair(StrOff, CHStr));
380 return StrOff;
381}
382
384 std::lock_guard<std::mutex> Guard(Mutex);
385 Funcs.emplace_back(std::move(FI));
386}
387
389 std::function<bool(FunctionInfo &)> const &Callback) {
390 std::lock_guard<std::mutex> Guard(Mutex);
391 for (auto &FI : Funcs) {
392 if (!Callback(FI))
393 break;
394 }
395}
396
398 std::function<bool(const FunctionInfo &)> const &Callback) const {
399 std::lock_guard<std::mutex> Guard(Mutex);
400 for (const auto &FI : Funcs) {
401 if (!Callback(FI))
402 break;
403 }
404}
405
407 std::lock_guard<std::mutex> Guard(Mutex);
408 return Funcs.size();
409}
410
412 if (ValidTextRanges)
413 return ValidTextRanges->contains(Addr);
414 return true; // No valid text ranges has been set, so accept all ranges.
415}
416
417std::optional<uint64_t> GsymCreator::getFirstFunctionAddress() const {
418 // If we have finalized then Funcs are sorted. If we are a segment then
419 // Funcs will be sorted as well since function infos get added from an
420 // already finalized GsymCreator object where its functions were sorted and
421 // uniqued.
422 if ((Finalized || IsSegment) && !Funcs.empty())
423 return std::optional<uint64_t>(Funcs.front().startAddress());
424 return std::nullopt;
425}
426
427std::optional<uint64_t> GsymCreator::getLastFunctionAddress() const {
428 // If we have finalized then Funcs are sorted. If we are a segment then
429 // Funcs will be sorted as well since function infos get added from an
430 // already finalized GsymCreator object where its functions were sorted and
431 // uniqued.
432 if ((Finalized || IsSegment) && !Funcs.empty())
433 return std::optional<uint64_t>(Funcs.back().startAddress());
434 return std::nullopt;
435}
436
437std::optional<uint64_t> GsymCreator::getBaseAddress() const {
438 if (BaseAddress)
439 return BaseAddress;
440 return getFirstFunctionAddress();
441}
442
443uint64_t GsymCreator::getMaxAddressOffset() const {
444 switch (getAddressOffsetSize()) {
445 case 1: return UINT8_MAX;
446 case 2: return UINT16_MAX;
447 case 4: return UINT32_MAX;
448 case 8: return UINT64_MAX;
449 }
450 llvm_unreachable("invalid address offset");
451}
452
453uint8_t GsymCreator::getAddressOffsetSize() const {
454 const std::optional<uint64_t> BaseAddress = getBaseAddress();
455 const std::optional<uint64_t> LastFuncAddr = getLastFunctionAddress();
456 if (BaseAddress && LastFuncAddr) {
457 const uint64_t AddrDelta = *LastFuncAddr - *BaseAddress;
458 if (AddrDelta <= UINT8_MAX)
459 return 1;
460 else if (AddrDelta <= UINT16_MAX)
461 return 2;
462 else if (AddrDelta <= UINT32_MAX)
463 return 4;
464 return 8;
465 }
466 return 1;
467}
468
469uint64_t GsymCreator::calculateHeaderAndTableSize() const {
470 uint64_t Size = sizeof(Header);
471 const size_t NumFuncs = Funcs.size();
472 // Add size of address offset table
473 Size += NumFuncs * getAddressOffsetSize();
474 // Add size of address info offsets which are 32 bit integers in version 1.
475 Size += NumFuncs * sizeof(uint32_t);
476 // Add file table size
477 Size += Files.size() * sizeof(FileEntry);
478 // Add string table size
479 Size += StrTab.getSize();
480
481 return Size;
482}
483
484// This function takes a InlineInfo class that was copy constructed from an
485// InlineInfo from the \a SrcGC and updates all members that point to strings
486// and files to point to strings and files from this GsymCreator.
487void GsymCreator::fixupInlineInfo(const GsymCreator &SrcGC, InlineInfo &II) {
488 II.Name = copyString(SrcGC, II.Name);
489 II.CallFile = copyFile(SrcGC, II.CallFile);
490 for (auto &ChildII: II.Children)
491 fixupInlineInfo(SrcGC, ChildII);
492}
493
494uint64_t GsymCreator::copyFunctionInfo(const GsymCreator &SrcGC, size_t FuncIdx) {
495 // To copy a function info we need to copy any files and strings over into
496 // this GsymCreator and then copy the function info and update the string
497 // table offsets to match the new offsets.
498 const FunctionInfo &SrcFI = SrcGC.Funcs[FuncIdx];
499
500 FunctionInfo DstFI;
501 DstFI.Range = SrcFI.Range;
502 DstFI.Name = copyString(SrcGC, SrcFI.Name);
503 // Copy the line table if there is one.
504 if (SrcFI.OptLineTable) {
505 // Copy the entire line table.
506 DstFI.OptLineTable = LineTable(SrcFI.OptLineTable.value());
507 // Fixup all LineEntry::File entries which are indexes in the the file table
508 // from SrcGC and must be converted to file indexes from this GsymCreator.
509 LineTable &DstLT = DstFI.OptLineTable.value();
510 const size_t NumLines = DstLT.size();
511 for (size_t I=0; I<NumLines; ++I) {
512 LineEntry &LE = DstLT.get(I);
513 LE.File = copyFile(SrcGC, LE.File);
514 }
515 }
516 // Copy the inline information if needed.
517 if (SrcFI.Inline) {
518 // Make a copy of the source inline information.
519 DstFI.Inline = SrcFI.Inline.value();
520 // Fixup all strings and files in the copied inline information.
521 fixupInlineInfo(SrcGC, *DstFI.Inline);
522 }
523 std::lock_guard<std::mutex> Guard(Mutex);
524 Funcs.emplace_back(DstFI);
525 return Funcs.back().cacheEncoding();
526}
527
528llvm::Error GsymCreator::saveSegments(StringRef Path,
529 llvm::endianness ByteOrder,
530 uint64_t SegmentSize) const {
531 if (SegmentSize == 0)
532 return createStringError(std::errc::invalid_argument,
533 "invalid segment size zero");
534
535 size_t FuncIdx = 0;
536 const size_t NumFuncs = Funcs.size();
537 while (FuncIdx < NumFuncs) {
539 createSegment(SegmentSize, FuncIdx);
540 if (ExpectedGC) {
541 GsymCreator *GC = ExpectedGC->get();
542 if (GC == NULL)
543 break; // We had not more functions to encode.
544 // Don't collect any messages at all
545 OutputAggregator Out(nullptr);
546 llvm::Error Err = GC->finalize(Out);
547 if (Err)
548 return Err;
549 std::string SegmentedGsymPath;
550 raw_string_ostream SGP(SegmentedGsymPath);
551 std::optional<uint64_t> FirstFuncAddr = GC->getFirstFunctionAddress();
552 if (FirstFuncAddr) {
553 SGP << Path << "-" << llvm::format_hex(*FirstFuncAddr, 1);
554 SGP.flush();
555 Err = GC->save(SegmentedGsymPath, ByteOrder, std::nullopt);
556 if (Err)
557 return Err;
558 }
559 } else {
560 return ExpectedGC.takeError();
561 }
562 }
563 return Error::success();
564}
565
567GsymCreator::createSegment(uint64_t SegmentSize, size_t &FuncIdx) const {
568 // No function entries, return empty unique pointer
569 if (FuncIdx >= Funcs.size())
570 return std::unique_ptr<GsymCreator>();
571
572 std::unique_ptr<GsymCreator> GC(new GsymCreator(/*Quiet=*/true));
573
574 // Tell the creator that this is a segment.
575 GC->setIsSegment();
576
577 // Set the base address if there is one.
578 if (BaseAddress)
579 GC->setBaseAddress(*BaseAddress);
580 // Copy the UUID value from this object into the new creator.
581 GC->setUUID(UUID);
582 const size_t NumFuncs = Funcs.size();
583 // Track how big the function infos are for the current segment so we can
584 // emit segments that are close to the requested size. It is quick math to
585 // determine the current header and tables sizes, so we can do that each loop.
586 uint64_t SegmentFuncInfosSize = 0;
587 for (; FuncIdx < NumFuncs; ++FuncIdx) {
588 const uint64_t HeaderAndTableSize = GC->calculateHeaderAndTableSize();
589 if (HeaderAndTableSize + SegmentFuncInfosSize >= SegmentSize) {
590 if (SegmentFuncInfosSize == 0)
591 return createStringError(std::errc::invalid_argument,
592 "a segment size of %" PRIu64 " is to small to "
593 "fit any function infos, specify a larger value",
594 SegmentSize);
595
596 break;
597 }
598 SegmentFuncInfosSize += alignTo(GC->copyFunctionInfo(*this, FuncIdx), 4);
599 }
600 return std::move(GC);
601}
#define offsetof(TYPE, MEMBER)
Returns the sub type a function will return at a given Idx Should correspond to the result type of an ExtractValue instruction executed with just that one unsigned Idx
uint64_t Addr
uint64_t Size
#define I(x, y, z)
Definition: MD5.cpp:58
ConstantRange Range(APInt(BitWidth, Low), APInt(BitWidth, High))
uint64_t IntrinsicInst * II
assert(ImpDefSCC.getReg()==AMDGPU::SCC &&ImpDefSCC.isDef())
raw_pwrite_stream & OS
std::pair< llvm::MachO::Target, std::string > UUID
uint64_t start() const
Definition: AddressRanges.h:28
bool intersects(const AddressRange &R) const
Definition: AddressRanges.h:36
bool contains(uint64_t Addr) const
Definition: AddressRanges.h:32
uint64_t size() const
Definition: AddressRanges.h:30
A container which contains a StringRef plus a precomputed hash.
std::pair< iterator, bool > insert(const std::pair< KeyT, ValueT > &KV)
Definition: DenseMap.h:211
Subclass of Error for the sole purpose of identifying the success path in the type system.
Definition: Error.h:335
Lightweight error class with error context and mandatory checking.
Definition: Error.h:160
static ErrorSuccess success()
Create a success value.
Definition: Error.h:337
Tagged union holding either a T or a Error.
Definition: Error.h:481
Error takeError()
Take ownership of the stored error.
Definition: Error.h:608
reference get()
Returns a reference to the stored T value.
Definition: Error.h:578
StringRef - Represent a constant reference to a string, i.e.
Definition: StringRef.h:50
constexpr bool empty() const
empty - Check if the string is empty.
Definition: StringRef.h:134
std::pair< typename Base::iterator, bool > insert(StringRef key)
Definition: StringSet.h:38
Utility for building string tables with deduplicated suffixes.
void finalizeInOrder()
Finalize the string table without reording it.
bool contains(StringRef S) const
Check if a string is contained in the string table.
void write(raw_ostream &OS) const
size_t add(CachedHashStringRef S)
Add a string to the builder.
A simplified binary data writer class that doesn't require targets, target definitions,...
Definition: FileWriter.h:29
GsymCreator is used to emit GSYM data to a stand alone file or section within a file.
Definition: GsymCreator.h:134
void addFunctionInfo(FunctionInfo &&FI)
Add a function info to this GSYM creator.
uint32_t insertString(StringRef S, bool Copy=true)
Insert a string into the GSYM string table.
llvm::Expected< std::unique_ptr< GsymCreator > > createSegment(uint64_t SegmentSize, size_t &FuncIdx) const
Create a segmented GSYM creator starting with function info index FuncIdx.
llvm::Error save(StringRef Path, llvm::endianness ByteOrder, std::optional< uint64_t > SegmentSize=std::nullopt) const
Save a GSYM file to a stand alone file.
Definition: GsymCreator.cpp:68
void prepareMergedFunctions(OutputAggregator &Out)
Organize merged FunctionInfo's.
llvm::Error encode(FileWriter &O) const
Encode a GSYM into the file writer stream at the current position.
Definition: GsymCreator.cpp:80
llvm::Error finalize(OutputAggregator &OS)
Finalize the data in the GSYM creator prior to saving the data out.
uint32_t insertFile(StringRef Path, sys::path::Style Style=sys::path::Style::native)
Insert a file into this GSYM creator.
Definition: GsymCreator.cpp:29
size_t getNumFunctionInfos() const
Get the current number of FunctionInfo objects contained in this object.
bool IsValidTextAddress(uint64_t Addr) const
Check if an address is a valid code address.
void forEachFunctionInfo(std::function< bool(FunctionInfo &)> const &Callback)
Thread safe iteration over all function infos.
GsymCreator(bool Quiet=false)
Definition: GsymCreator.cpp:24
LineTable class contains deserialized versions of line tables for each function's address ranges.
Definition: LineTable.h:118
size_t size() const
Definition: LineTable.h:193
LineEntry & get(size_t i)
Definition: LineTable.h:196
void Report(StringRef s, std::function< void(raw_ostream &o)> detailCallback)
A raw_ostream that writes to a file descriptor.
Definition: raw_ostream.h:460
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition: raw_ostream.h:52
A raw_ostream that writes to an std::string.
Definition: raw_ostream.h:661
#define UINT64_MAX
Definition: DataTypes.h:77
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
constexpr uint32_t GSYM_MAGIC
Definition: Header.h:24
constexpr uint32_t GSYM_VERSION
Definition: Header.h:26
StringRef filename(StringRef path, Style style=Style::native)
Get filename.
Definition: Path.cpp:578
StringRef parent_path(StringRef path, Style style=Style::native)
Get parent path.
Definition: Path.cpp:468
This is an optimization pass for GlobalISel generic memory operations.
Definition: AddressRanges.h:18
@ Offset
Definition: DWP.cpp:480
Error createStringError(std::error_code EC, char const *Fmt, const Ts &... Vals)
Create formatted StringError object.
Definition: Error.h:1286
void sort(IteratorTy Start, IteratorTy End)
Definition: STLExtras.h:1647
FormattedNumber format_hex(uint64_t N, unsigned Width, bool Upper=false)
format_hex - Output N as a fixed width hexadecimal.
Definition: Format.h:187
uint64_t alignTo(uint64_t Size, Align A)
Returns a multiple of A needed to store Size bytes.
Definition: Alignment.h:155
Error errorCodeToError(std::error_code EC)
Helper for converting an std::error_code to a Error.
Definition: Error.cpp:111
endianness
Definition: bit.h:70
void swap(llvm::BitVector &LHS, llvm::BitVector &RHS)
Implement std::swap in terms of BitVector swap.
Definition: BitVector.h:860
Files in GSYM are contained in FileEntry structs where we split the directory and basename into two d...
Definition: FileEntry.h:24
uint32_t Dir
Offsets in the string table.
Definition: FileEntry.h:28
Function information in GSYM files encodes information for one contiguous address range.
Definition: FunctionInfo.h:89
std::optional< InlineInfo > Inline
Definition: FunctionInfo.h:93
std::optional< MergedFunctionsInfo > MergedFunctions
Definition: FunctionInfo.h:94
bool hasRichInfo() const
Query if a FunctionInfo has rich debug info.
Definition: FunctionInfo.h:110
uint32_t Name
String table offset in the string table.
Definition: FunctionInfo.h:91
std::optional< LineTable > OptLineTable
Definition: FunctionInfo.h:92
The GSYM header.
Definition: Header.h:45
uint16_t Version
The version can number determines how the header is decoded and how each InfoType in FunctionInfo is ...
Definition: Header.h:54
uint8_t AddrOffSize
The size in bytes of each address offset in the address offsets table.
Definition: Header.h:56
uint32_t Magic
The magic bytes should be set to GSYM_MAGIC.
Definition: Header.h:49
llvm::Error encode(FileWriter &O) const
Encode this object into FileWriter stream.
Definition: Header.cpp:85
uint32_t StrtabOffset
The file relative offset of the start of the string table for strings contained in the GSYM file.
Definition: Header.h:72
uint8_t UUID[GSYM_MAX_UUID_SIZE]
The UUID of the original executable file.
Definition: Header.h:86
uint32_t StrtabSize
The size in bytes of the string table.
Definition: Header.h:80
uint8_t UUIDSize
The size in bytes of the UUID encoded in the "UUID" member.
Definition: Header.h:58
uint32_t NumAddresses
The number of addresses stored in the address offsets table.
Definition: Header.h:64
uint64_t BaseAddress
The 64 bit base address that all address offsets in the address offsets table are relative to.
Definition: Header.h:62
Inline information stores the name of the inline function along with an array of address ranges.
Definition: InlineInfo.h:59
Line entries are used to encode the line tables in FunctionInfo objects.
Definition: LineEntry.h:22