LLVM 23.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
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 gsym_strp_t Dir = insertString(directory);
37 const gsym_strp_t Base = insertString(filename);
38 return insertFileEntry(FileEntry(Dir, Base));
39}
40
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
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 gsym_strp_t Dir =
60 SrcFE.Dir == 0
61 ? 0
62 : StrTab.add(SrcGC.StringOffsetMap.find(SrcFE.Dir)->second);
63 gsym_strp_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 O.setStringOffsetSize(getStringOffsetSize());
78 return encode(O);
79}
80
82 // Use the loader to load call site information from the YAML file.
83 CallSiteInfoLoader Loader(*this, Funcs);
84 return Loader.loadYAML(YAMLFile);
85}
86
88 // Nothing to do if we have less than 2 functions.
89 if (Funcs.size() < 2)
90 return;
91
92 // Sort the function infos by address range first, preserving input order
94 std::vector<FunctionInfo> TopLevelFuncs;
95
96 // Add the first function info to the top level functions
97 TopLevelFuncs.emplace_back(std::move(Funcs.front()));
98
99 // Now if the next function info has the same address range as the top level,
100 // then merge it into the top level function, otherwise add it to the top
101 // level.
102 for (size_t Idx = 1; Idx < Funcs.size(); ++Idx) {
103 FunctionInfo &TopFunc = TopLevelFuncs.back();
104 FunctionInfo &MatchFunc = Funcs[Idx];
105 if (TopFunc.Range == MatchFunc.Range) {
106 // Both have the same range - add the 2nd func as a child of the 1st func
107 if (!TopFunc.MergedFunctions)
109 // Avoid adding duplicate functions to MergedFunctions. Since functions
110 // are already ordered within the Funcs array, we can just check equality
111 // against the last function in the merged array.
112 else if (TopFunc.MergedFunctions->MergedFunctions.back() == MatchFunc)
113 continue;
114 TopFunc.MergedFunctions->MergedFunctions.emplace_back(
115 std::move(MatchFunc));
116 } else
117 // No match, add the function as a top-level function
118 TopLevelFuncs.emplace_back(std::move(MatchFunc));
119 }
120
121 uint32_t mergedCount = Funcs.size() - TopLevelFuncs.size();
122 // If any functions were merged, print a message about it.
123 if (mergedCount != 0)
124 Out << "Have " << mergedCount
125 << " merged functions as children of other functions\n";
126
127 std::swap(Funcs, TopLevelFuncs);
128}
129
131 std::lock_guard<std::mutex> Guard(Mutex);
132 if (Finalized)
133 return createStringError(std::errc::invalid_argument, "already finalized");
134 Finalized = true;
135
136 // Don't let the string table indexes change by finalizing in order.
137 StrTab.finalizeInOrder();
138
139 // Remove duplicates function infos that have both entries from debug info
140 // (DWARF or Breakpad) and entries from the SymbolTable.
141 //
142 // Also handle overlapping function. Usually there shouldn't be any, but they
143 // can and do happen in some rare cases.
144 //
145 // (a) (b) (c)
146 // ^ ^ ^ ^
147 // |X |Y |X ^ |X
148 // | | | |Y | ^
149 // | | | v v |Y
150 // v v v v
151 //
152 // In (a) and (b), Y is ignored and X will be reported for the full range.
153 // In (c), both functions will be included in the result and lookups for an
154 // address in the intersection will return Y because of binary search.
155 //
156 // Note that in case of (b), we cannot include Y in the result because then
157 // we wouldn't find any function for range (end of Y, end of X)
158 // with binary search
159
160 const auto NumBefore = Funcs.size();
161 // Only sort and unique if this isn't a segment. If this is a segment we
162 // already finalized the main GsymCreator with all of the function infos
163 // and then the already sorted and uniqued function infos were added to this
164 // object.
165 if (!IsSegment) {
166 if (NumBefore > 1) {
167 // Sort function infos so we can emit sorted functions. Use stable sort to
168 // ensure determinism.
170 std::vector<FunctionInfo> FinalizedFuncs;
171 FinalizedFuncs.reserve(Funcs.size());
172 FinalizedFuncs.emplace_back(std::move(Funcs.front()));
173 for (size_t Idx=1; Idx < NumBefore; ++Idx) {
174 FunctionInfo &Prev = FinalizedFuncs.back();
175 FunctionInfo &Curr = Funcs[Idx];
176 // Empty ranges won't intersect, but we still need to
177 // catch the case where we have multiple symbols at the
178 // same address and coalesce them.
179 const bool ranges_equal = Prev.Range == Curr.Range;
180 if (ranges_equal || Prev.Range.intersects(Curr.Range)) {
181 // Overlapping ranges or empty identical ranges.
182 if (ranges_equal) {
183 // Same address range. Check if one is from debug
184 // info and the other is from a symbol table. If
185 // so, then keep the one with debug info. Our
186 // sorting guarantees that entries with matching
187 // address ranges that have debug info are last in
188 // the sort.
189 if (!(Prev == Curr)) {
190 if (Prev.hasRichInfo() && Curr.hasRichInfo())
191 Out.Report(
192 "Duplicate address ranges with different debug info.",
193 [&](raw_ostream &OS) {
194 OS << "warning: same address range contains "
195 "different debug "
196 << "info. Removing:\n"
197 << Prev << "\nIn favor of this one:\n"
198 << Curr << "\n";
199 });
200
201 // We want to swap the current entry with the previous since
202 // later entries with the same range always have more debug info
203 // or different debug info.
204 std::swap(Prev, Curr);
205 }
206 } else {
207 Out.Report("Overlapping function ranges", [&](raw_ostream &OS) {
208 // print warnings about overlaps
209 OS << "warning: function ranges overlap:\n"
210 << Prev << "\n"
211 << Curr << "\n";
212 });
213 FinalizedFuncs.emplace_back(std::move(Curr));
214 }
215 } else {
216 if (Prev.Range.size() == 0 && Curr.Range.contains(Prev.Range.start())) {
217 // Symbols on macOS don't have address ranges, so if the range
218 // doesn't match and the size is zero, then we replace the empty
219 // symbol function info with the current one.
220 std::swap(Prev, Curr);
221 } else {
222 FinalizedFuncs.emplace_back(std::move(Curr));
223 }
224 }
225 }
226 std::swap(Funcs, FinalizedFuncs);
227 }
228 // If our last function info entry doesn't have a size and if we have valid
229 // text ranges, we should set the size of the last entry since any search for
230 // a high address might match our last entry. By fixing up this size, we can
231 // help ensure we don't cause lookups to always return the last symbol that
232 // has no size when doing lookups.
233 if (!Funcs.empty() && Funcs.back().Range.size() == 0 && ValidTextRanges) {
234 if (auto Range =
235 ValidTextRanges->getRangeThatContains(Funcs.back().Range.start())) {
236 Funcs.back().Range = {Funcs.back().Range.start(), Range->end()};
237 }
238 }
239 Out << "Pruned " << NumBefore - Funcs.size() << " functions, ended with "
240 << Funcs.size() << " total\n";
241 }
242 return Error::success();
243}
244
246 gsym_strp_t StrOff) {
247 // String offset at zero is always the empty string, no copying needed.
248 if (StrOff == 0)
249 return 0;
250 return StrTab.add(SrcGC.StringOffsetMap.find(StrOff)->second);
251}
252
254 if (S.empty())
255 return 0;
256
257 // The hash can be calculated outside the lock.
258 CachedHashStringRef CHStr(S);
259 std::lock_guard<std::mutex> Guard(Mutex);
260 if (Copy) {
261 // We need to provide backing storage for the string if requested
262 // since StringTableBuilder stores references to strings. Any string
263 // that comes from a section in an object file doesn't need to be
264 // copied, but any string created by code will need to be copied.
265 // This allows GsymCreator to be really fast when parsing DWARF and
266 // other object files as most strings don't need to be copied.
267 if (!StrTab.contains(CHStr))
268 CHStr = CachedHashStringRef{StringStorage.insert(S).first->getKey(),
269 CHStr.hash()};
270 }
271 const gsym_strp_t StrOff = StrTab.add(CHStr);
272 // Save a mapping of string offsets to the cached string reference in case
273 // we need to segment the GSYM file and copy string from one string table to
274 // another.
275 StringOffsetMap.try_emplace(StrOff, CHStr);
276 return StrOff;
277}
278
280 auto I = StringOffsetMap.find(Offset);
281 assert(I != StringOffsetMap.end() &&
282 "GsymCreator::getString expects a valid offset as parameter.");
283 return I->second.val();
284}
285
287 std::lock_guard<std::mutex> Guard(Mutex);
288 Funcs.emplace_back(std::move(FI));
289}
290
292 std::function<bool(FunctionInfo &)> const &Callback) {
293 std::lock_guard<std::mutex> Guard(Mutex);
294 for (auto &FI : Funcs) {
295 if (!Callback(FI))
296 break;
297 }
298}
299
301 std::function<bool(const FunctionInfo &)> const &Callback) const {
302 std::lock_guard<std::mutex> Guard(Mutex);
303 for (const auto &FI : Funcs) {
304 if (!Callback(FI))
305 break;
306 }
307}
308
310 std::lock_guard<std::mutex> Guard(Mutex);
311 return Funcs.size();
312}
313
315 if (ValidTextRanges)
316 return ValidTextRanges->contains(Addr);
317 return true; // No valid text ranges has been set, so accept all ranges.
318}
319
320std::optional<uint64_t> GsymCreator::getFirstFunctionAddress() const {
321 // If we have finalized then Funcs are sorted. If we are a segment then
322 // Funcs will be sorted as well since function infos get added from an
323 // already finalized GsymCreator object where its functions were sorted and
324 // uniqued.
325 if ((Finalized || IsSegment) && !Funcs.empty())
326 return std::optional<uint64_t>(Funcs.front().startAddress());
327 return std::nullopt;
328}
329
330std::optional<uint64_t> GsymCreator::getLastFunctionAddress() const {
331 // If we have finalized then Funcs are sorted. If we are a segment then
332 // Funcs will be sorted as well since function infos get added from an
333 // already finalized GsymCreator object where its functions were sorted and
334 // uniqued.
335 if ((Finalized || IsSegment) && !Funcs.empty())
336 return std::optional<uint64_t>(Funcs.back().startAddress());
337 return std::nullopt;
338}
339
340std::optional<uint64_t> GsymCreator::getBaseAddress() const {
341 if (BaseAddress)
342 return BaseAddress;
344}
345
347 switch (getAddressOffsetSize()) {
348 case 1: return UINT8_MAX;
349 case 2: return UINT16_MAX;
350 case 4: return UINT32_MAX;
351 case 8: return UINT64_MAX;
352 }
353 llvm_unreachable("invalid address offset");
354}
355
357 const std::optional<uint64_t> BaseAddress = getBaseAddress();
358 const std::optional<uint64_t> LastFuncAddr = getLastFunctionAddress();
359 if (BaseAddress && LastFuncAddr) {
360 const uint64_t AddrDelta = *LastFuncAddr - *BaseAddress;
361 if (AddrDelta <= UINT8_MAX)
362 return 1;
363 else if (AddrDelta <= UINT16_MAX)
364 return 2;
365 else if (AddrDelta <= UINT32_MAX)
366 return 4;
367 return 8;
368 }
369 return 1;
370}
371
373GsymCreator::validateForEncoding(std::optional<uint64_t> &BaseAddr) const {
374 if (Funcs.empty())
375 return createStringError(std::errc::invalid_argument,
376 "no functions to encode");
377 if (!Finalized)
378 return createStringError(std::errc::invalid_argument,
379 "GsymCreator wasn't finalized prior to encoding");
380 if (Funcs.size() > UINT32_MAX)
381 return createStringError(std::errc::invalid_argument,
382 "too many FunctionInfos");
383 BaseAddr = getBaseAddress();
384 if (!BaseAddr)
385 return createStringError(std::errc::invalid_argument,
386 "invalid base address");
387 return Error::success();
388}
389
391 uint64_t BaseAddr) const {
392 const uint64_t MaxAddressOffset = getMaxAddressOffset();
393 O.alignTo(AddrOffSize);
394 for (const auto &FI : Funcs) {
395 uint64_t AddrOffset = FI.startAddress() - BaseAddr;
396 // Make sure we calculated the address offsets byte size correctly by
397 // verifying the current address offset is within ranges. We have seen bugs
398 // introduced when the code changes that can cause problems here so it is
399 // good to catch this during testing.
400 assert(AddrOffset <= MaxAddressOffset);
401 (void)MaxAddressOffset;
402 switch (AddrOffSize) {
403 case 1:
404 O.writeU8(static_cast<uint8_t>(AddrOffset));
405 break;
406 case 2:
407 O.writeU16(static_cast<uint16_t>(AddrOffset));
408 break;
409 case 4:
410 O.writeU32(static_cast<uint32_t>(AddrOffset));
411 break;
412 case 8:
413 O.writeU64(AddrOffset);
414 break;
415 default:
416 llvm_unreachable("unsupported address offset size");
417 }
418 }
419}
420
422 assert(!Files.empty());
423 assert(Files[0].Dir == 0);
424 assert(Files[0].Base == 0);
425 if (Files.size() > UINT32_MAX)
426 return createStringError(std::errc::invalid_argument, "too many files");
427 O.writeU32(static_cast<uint32_t>(Files.size()));
428 for (const auto &File : Files) {
429 O.writeStringOffset(File.Dir);
430 O.writeStringOffset(File.Base);
431 }
432 return Error::success();
433}
434
435// This function takes a InlineInfo class that was copy constructed from an
436// InlineInfo from the \a SrcGC and updates all members that point to strings
437// and files to point to strings and files from this GsymCreator.
439 II.Name = copyString(SrcGC, II.Name);
440 II.CallFile = copyFile(SrcGC, II.CallFile);
441 for (auto &ChildII: II.Children)
442 fixupInlineInfo(SrcGC, ChildII);
443}
444
446 // To copy a function info we need to copy any files and strings over into
447 // this GsymCreator and then copy the function info and update the string
448 // table offsets to match the new offsets.
449 const FunctionInfo &SrcFI = SrcGC.Funcs[FuncIdx];
450
451 FunctionInfo DstFI;
452 DstFI.Range = SrcFI.Range;
453 DstFI.Name = copyString(SrcGC, SrcFI.Name);
454 // Copy the line table if there is one.
455 if (SrcFI.OptLineTable) {
456 // Copy the entire line table.
457 DstFI.OptLineTable = LineTable(SrcFI.OptLineTable.value());
458 // Fixup all LineEntry::File entries which are indexes in the the file table
459 // from SrcGC and must be converted to file indexes from this GsymCreator.
460 LineTable &DstLT = DstFI.OptLineTable.value();
461 const size_t NumLines = DstLT.size();
462 for (size_t I=0; I<NumLines; ++I) {
463 LineEntry &LE = DstLT.get(I);
464 LE.File = copyFile(SrcGC, LE.File);
465 }
466 }
467 // Copy the inline information if needed.
468 if (SrcFI.Inline) {
469 // Make a copy of the source inline information.
470 DstFI.Inline = SrcFI.Inline.value();
471 // Fixup all strings and files in the copied inline information.
472 fixupInlineInfo(SrcGC, *DstFI.Inline);
473 }
474 std::lock_guard<std::mutex> Guard(Mutex);
475 Funcs.emplace_back(DstFI);
476 return Funcs.back().cacheEncoding(*this);
477}
478
480 llvm::endianness ByteOrder,
481 uint64_t SegmentSize) const {
482 if (SegmentSize == 0)
483 return createStringError(std::errc::invalid_argument,
484 "invalid segment size zero");
485
486 size_t FuncIdx = 0;
487 const size_t NumFuncs = Funcs.size();
488 while (FuncIdx < NumFuncs) {
490 createSegment(SegmentSize, FuncIdx);
491 if (ExpectedGC) {
492 GsymCreator *GC = ExpectedGC->get();
493 if (!GC)
494 break; // We had not more functions to encode.
495 // Don't collect any messages at all
496 OutputAggregator Out(nullptr);
497 llvm::Error Err = GC->finalize(Out);
498 if (Err)
499 return Err;
500 std::string SegmentedGsymPath;
501 raw_string_ostream SGP(SegmentedGsymPath);
502 std::optional<uint64_t> FirstFuncAddr = GC->getFirstFunctionAddress();
503 if (FirstFuncAddr) {
504 SGP << Path << "-" << llvm::format_hex(*FirstFuncAddr, 1);
505 Err = GC->save(SegmentedGsymPath, ByteOrder, std::nullopt);
506 if (Err)
507 return Err;
508 }
509 } else {
510 return ExpectedGC.takeError();
511 }
512 }
513 return Error::success();
514}
515
517GsymCreator::createSegment(uint64_t SegmentSize, size_t &FuncIdx) const {
518 // No function entries, return empty unique pointer
519 if (FuncIdx >= Funcs.size())
520 return std::unique_ptr<GsymCreator>();
521
522 std::unique_ptr<GsymCreator> GC = createNew(/*Quiet=*/true);
523
524 // Tell the creator that this is a segment.
525 GC->setIsSegment();
526
527 // Set the base address if there is one.
528 if (BaseAddress)
529 GC->setBaseAddress(*BaseAddress);
530 // Copy the UUID value from this object into the new creator.
531 GC->setUUID(UUID);
532 const size_t NumFuncs = Funcs.size();
533 // Track how big the function infos are for the current segment so we can
534 // emit segments that are close to the requested size. It is quick math to
535 // determine the current header and tables sizes, so we can do that each loop.
536 uint64_t SegmentFuncInfosSize = 0;
537 for (; FuncIdx < NumFuncs; ++FuncIdx) {
538 const uint64_t HeaderAndTableSize = GC->calculateHeaderAndTableSize();
539 if (HeaderAndTableSize + SegmentFuncInfosSize >= SegmentSize) {
540 if (SegmentFuncInfosSize == 0)
541 return createStringError(std::errc::invalid_argument,
542 "a segment size of %" PRIu64 " is to small to "
543 "fit any function infos, specify a larger value",
544 SegmentSize);
545
546 break;
547 }
548 SegmentFuncInfosSize += alignTo(GC->copyFunctionInfo(*this, FuncIdx), 4);
549 }
550 return std::move(GC);
551}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
@ MergedFunctionsInfo
#define I(x, y, z)
Definition MD5.cpp:57
ConstantRange Range(APInt(BitWidth, Low), APInt(BitWidth, High))
uint64_t IntrinsicInst * II
uint64_t start() const
bool intersects(const AddressRange &R) const
bool contains(uint64_t Addr) const
uint64_t size() const
A container which contains a StringRef plus a precomputed hash.
Lightweight error class with error context and mandatory checking.
Definition Error.h:159
static ErrorSuccess success()
Create a success value.
Definition Error.h:336
Tagged union holding either a T or a Error.
Definition Error.h:485
Error takeError()
Take ownership of the stored error.
Definition Error.h:612
reference get()
Returns a reference to the stored T value.
Definition Error.h:582
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
constexpr bool empty() const
empty - Check if the string is empty.
Definition StringRef.h:140
Utility for building string tables with deduplicated suffixes.
LLVM_ABI llvm::Error loadYAML(StringRef YAMLFile)
This method reads the specified YAML file, parses its content, and updates the Funcs vector with call...
A simplified binary data writer class that doesn't require targets, target definitions,...
Definition FileWriter.h:30
LLVM_ABI void addFunctionInfo(FunctionInfo &&FI)
Add a function info to this GSYM creator.
void fixupInlineInfo(const GsymCreator &SrcGC, InlineInfo &II)
Fixup any string and file references by updating any file indexes and strings offsets in the InlineIn...
std::vector< llvm::gsym::FileEntry > Files
uint64_t copyFunctionInfo(const GsymCreator &SrcGC, size_t FuncInfoIdx)
Copy a FunctionInfo from the SrcGC GSYM creator into this creator.
llvm::Error saveSegments(StringRef Path, llvm::endianness ByteOrder, uint64_t SegmentSize) const
Save this GSYM file into segments that are roughly SegmentSize in size.
virtual std::unique_ptr< GsymCreator > createNew(bool Quiet) const =0
Create a new empty creator of the same version.
llvm::Error validateForEncoding(std::optional< uint64_t > &BaseAddr) const
Validate that the creator is ready for encoding.
gsym_strp_t copyString(const GsymCreator &SrcGC, gsym_strp_t StrOff)
Copy a string from SrcGC into this object.
std::optional< uint64_t > BaseAddress
llvm::Error encodeFileTable(FileWriter &O) const
Write the file table to the output stream.
LLVM_ABI gsym_strp_t insertString(StringRef S, bool Copy=true)
Insert a string into the GSYM string table.
LLVM_ABI 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_ABI 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.
LLVM_ABI StringRef getString(gsym_strp_t Offset)
Retrieve a string from the GSYM string table given its offset.
StringTableBuilder StrTab
LLVM_ABI void prepareMergedFunctions(OutputAggregator &Out)
Organize merged FunctionInfo's.
DenseMap< llvm::gsym::FileEntry, uint32_t > FileEntryToIndex
std::vector< uint8_t > UUID
std::optional< uint64_t > getFirstFunctionAddress() const
Get the first function start address.
std::optional< AddressRanges > ValidTextRanges
std::vector< FunctionInfo > Funcs
LLVM_ABI llvm::Error loadCallSitesFromYAML(StringRef YAMLFile)
Load call site information from a YAML file.
uint32_t insertFileEntry(FileEntry FE)
Inserts a FileEntry into the file table.
virtual uint8_t getStringOffsetSize() const =0
Get the size in bytes needed for encoding string offsets.
DenseMap< uint64_t, CachedHashStringRef > StringOffsetMap
uint64_t getMaxAddressOffset() const
Get the maximum address offset for the current address offset size.
std::optional< uint64_t > getLastFunctionAddress() const
Get the last function address.
LLVM_ABI llvm::Error finalize(OutputAggregator &OS)
Finalize the data in the GSYM creator prior to saving the data out.
uint32_t copyFile(const GsymCreator &SrcGC, uint32_t FileIdx)
Copy a file from SrcGC into this object.
LLVM_ABI uint32_t insertFile(StringRef Path, sys::path::Style Style=sys::path::Style::native)
Insert a file into this GSYM creator.
virtual llvm::Error encode(FileWriter &O) const =0
Encode a GSYM into the file writer stream at the current position.
LLVM_ABI size_t getNumFunctionInfos() const
Get the current number of FunctionInfo objects contained in this object.
void encodeAddrOffsets(FileWriter &O, uint8_t AddrOffSize, uint64_t BaseAddr) const
Write the address offsets table to the output stream.
std::optional< uint64_t > getBaseAddress() const
Get the base address to use for this GSYM file.
uint8_t getAddressOffsetSize() const
Get the size of an address offset in the address offset table.
LLVM_ABI bool IsValidTextAddress(uint64_t Addr) const
Check if an address is a valid code address.
LLVM_ABI void forEachFunctionInfo(std::function< bool(FunctionInfo &)> const &Callback)
Thread safe iteration over all function infos.
LLVM_ABI GsymCreator(bool Quiet=false)
LineTable class contains deserialized versions of line tables for each function's address ranges.
Definition LineTable.h:119
size_t size() const
Definition LineTable.h:194
LineEntry & get(size_t i)
Definition LineTable.h:197
void Report(StringRef s, std::function< void(raw_ostream &o)> detailCallback)
A raw_ostream that writes to a file descriptor.
This class implements an extremely fast bulk output stream that can only output to a stream.
Definition raw_ostream.h:53
A raw_ostream that writes to an std::string.
#define UINT64_MAX
Definition DataTypes.h:77
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
uint64_t gsym_strp_t
The type of string offset used in the code.
Definition GsymTypes.h:21
LLVM_ABI StringRef parent_path(StringRef path LLVM_LIFETIME_BOUND, Style style=Style::native)
Get parent path.
Definition Path.cpp:468
LLVM_ABI StringRef filename(StringRef path LLVM_LIFETIME_BOUND, Style style=Style::native)
Get filename.
Definition Path.cpp:578
This is an optimization pass for GlobalISel generic memory operations.
@ Offset
Definition DWP.cpp:532
void stable_sort(R &&Range)
Definition STLExtras.h:2116
Error createStringError(std::error_code EC, char const *Fmt, const Ts &... Vals)
Create formatted StringError object.
Definition Error.h:1321
constexpr uint64_t alignTo(uint64_t Size, Align A)
Returns a multiple of A needed to store Size bytes.
Definition Alignment.h:144
FormattedNumber format_hex(uint64_t N, unsigned Width, bool Upper=false)
format_hex - Output N as a fixed width hexadecimal.
Definition Format.h:191
LLVM_ABI Error errorCodeToError(std::error_code EC)
Helper for converting an std::error_code to a Error.
Definition Error.cpp:107
endianness
Definition bit.h:71
void swap(llvm::BitVector &LHS, llvm::BitVector &RHS)
Implement std::swap in terms of BitVector swap.
Definition BitVector.h:872
Files in GSYM are contained in FileEntry structs where we split the directory and basename into two d...
Definition FileEntry.h:25
gsym_strp_t Dir
Offsets in the string table.
Definition FileEntry.h:29
Function information in GSYM files encodes information for one contiguous address range.
std::optional< InlineInfo > Inline
std::optional< MergedFunctionsInfo > MergedFunctions
bool hasRichInfo() const
Query if a FunctionInfo has rich debug info.
gsym_strp_t Name
String table offset in the string table.
std::optional< LineTable > OptLineTable
Inline information stores the name of the inline function along with an array of address ranges.
Definition InlineInfo.h:61
Line entries are used to encode the line tables in FunctionInfo objects.
Definition LineEntry.h:22