LLDB mainline
SymbolFileNativePDB.cpp
Go to the documentation of this file.
1//===-- SymbolFileNativePDB.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//===----------------------------------------------------------------------===//
8
10
16#include "lldb/Core/Module.h"
26#include "lldb/Utility/Log.h"
27
28#include "llvm/DebugInfo/CodeView/CVRecord.h"
29#include "llvm/DebugInfo/CodeView/CVTypeVisitor.h"
30#include "llvm/DebugInfo/CodeView/DebugLinesSubsection.h"
31#include "llvm/DebugInfo/CodeView/LazyRandomTypeCollection.h"
32#include "llvm/DebugInfo/CodeView/RecordName.h"
33#include "llvm/DebugInfo/CodeView/SymbolDeserializer.h"
34#include "llvm/DebugInfo/CodeView/SymbolRecordHelpers.h"
35#include "llvm/DebugInfo/CodeView/TypeDeserializer.h"
36#include "llvm/DebugInfo/PDB/Native/DbiStream.h"
37#include "llvm/DebugInfo/PDB/Native/GlobalsStream.h"
38#include "llvm/DebugInfo/PDB/Native/InfoStream.h"
39#include "llvm/DebugInfo/PDB/Native/ModuleDebugStream.h"
40#include "llvm/DebugInfo/PDB/Native/NativeSession.h"
41#include "llvm/DebugInfo/PDB/Native/PDBFile.h"
42#include "llvm/DebugInfo/PDB/Native/PublicsStream.h"
43#include "llvm/DebugInfo/PDB/Native/SymbolStream.h"
44#include "llvm/DebugInfo/PDB/Native/TpiStream.h"
45#include "llvm/DebugInfo/PDB/PDB.h"
46#include "llvm/DebugInfo/PDB/PDBTypes.h"
47#include "llvm/Demangle/MicrosoftDemangle.h"
48#include "llvm/Object/COFF.h"
49#include "llvm/Support/Allocator.h"
50#include "llvm/Support/BinaryStreamReader.h"
51#include "llvm/Support/Error.h"
52#include "llvm/Support/ErrorOr.h"
53#include "llvm/Support/MemoryBuffer.h"
54
56#include "PdbSymUid.h"
57#include "PdbUtil.h"
58#include "UdtRecordCompleter.h"
59#include <optional>
60#include <string_view>
61
62using namespace lldb;
63using namespace lldb_private;
64using namespace npdb;
65using namespace llvm::codeview;
66using namespace llvm::pdb;
67
69
71 switch (lang) {
72 case PDB_Lang::Cpp:
74 case PDB_Lang::C:
76 case PDB_Lang::Swift:
78 case PDB_Lang::Rust:
80 case PDB_Lang::ObjC:
82 case PDB_Lang::ObjCpp:
84 default:
86 }
87}
88
89static std::unique_ptr<PDBFile>
90loadMatchingPDBFile(std::string exe_path, llvm::BumpPtrAllocator &allocator) {
91 // Try to find a matching PDB for an EXE.
92 using namespace llvm::object;
93 auto expected_binary = createBinary(exe_path);
94
95 // If the file isn't a PE/COFF executable, fail.
96 if (!expected_binary) {
97 llvm::consumeError(expected_binary.takeError());
98 return nullptr;
99 }
100 OwningBinary<Binary> binary = std::move(*expected_binary);
101
102 // TODO: Avoid opening the PE/COFF binary twice by reading this information
103 // directly from the lldb_private::ObjectFile.
104 auto *obj = llvm::dyn_cast<llvm::object::COFFObjectFile>(binary.getBinary());
105 if (!obj)
106 return nullptr;
107 const llvm::codeview::DebugInfo *pdb_info = nullptr;
108
109 // If it doesn't have a debug directory, fail.
110 llvm::StringRef pdb_file;
111 if (llvm::Error e = obj->getDebugPDBInfo(pdb_info, pdb_file)) {
112 consumeError(std::move(e));
113 return nullptr;
114 }
115
116 // If the file doesn't exist, perhaps the path specified at build time
117 // doesn't match the PDB's current location, so check the location of the
118 // executable.
119 if (!FileSystem::Instance().Exists(pdb_file)) {
120 const auto exe_dir = FileSpec(exe_path).CopyByRemovingLastPathComponent();
121 const auto pdb_name = FileSpec(pdb_file).GetFilename().GetCString();
122 pdb_file = exe_dir.CopyByAppendingPathComponent(pdb_name).GetPathAsConstString().GetStringRef();
123 }
124
125 // If the file is not a PDB or if it doesn't have a matching GUID, fail.
126 auto pdb = ObjectFilePDB::loadPDBFile(std::string(pdb_file), allocator);
127 if (!pdb)
128 return nullptr;
129
130 auto expected_info = pdb->getPDBInfoStream();
131 if (!expected_info) {
132 llvm::consumeError(expected_info.takeError());
133 return nullptr;
134 }
135 llvm::codeview::GUID guid;
136 memcpy(&guid, pdb_info->PDB70.Signature, 16);
137
138 if (expected_info->getGuid() != guid)
139 return nullptr;
140 return pdb;
141}
142
144 lldb::addr_t addr) {
145 // FIXME: Implement this.
146 return false;
147}
148
150 lldb::addr_t addr) {
151 // FIXME: Implement this.
152 return false;
153}
154
155// See llvm::codeview::TypeIndex::simpleTypeName as well as strForPrimitiveTi
156// from the original pdbdump:
157// https://github.com/microsoft/microsoft-pdb/blob/805655a28bd8198004be2ac27e6e0290121a5e89/pdbdump/pdbdump.cpp#L1896-L1974
158//
159// For 64bit integers we use "long long" like DIA instead of "__int64".
160static llvm::StringRef GetSimpleTypeName(SimpleTypeKind kind) {
161 switch (kind) {
162 case SimpleTypeKind::Boolean128:
163 return "__bool128";
164 case SimpleTypeKind::Boolean64:
165 return "__bool64";
166 case SimpleTypeKind::Boolean32:
167 return "__bool32";
168 case SimpleTypeKind::Boolean16:
169 return "__bool16";
170 case SimpleTypeKind::Boolean8:
171 return "bool";
172
173 case SimpleTypeKind::Byte:
174 case SimpleTypeKind::UnsignedCharacter:
175 return "unsigned char";
176 case SimpleTypeKind::NarrowCharacter:
177 return "char";
178 case SimpleTypeKind::SignedCharacter:
179 case SimpleTypeKind::SByte:
180 return "signed char";
181 case SimpleTypeKind::Character32:
182 return "char32_t";
183 case SimpleTypeKind::Character16:
184 return "char16_t";
185 case SimpleTypeKind::Character8:
186 return "char8_t";
187
188 case SimpleTypeKind::Complex128:
189 return "_Complex __float128";
190 case SimpleTypeKind::Complex80:
191 return "_Complex long double";
192 case SimpleTypeKind::Complex64:
193 return "_Complex double";
194 case SimpleTypeKind::Complex48:
195 return "_Complex __float48";
196 case SimpleTypeKind::Complex32:
197 case SimpleTypeKind::Complex32PartialPrecision:
198 return "_Complex float";
199 case SimpleTypeKind::Complex16:
200 return "_Complex _Float16";
201
202 case SimpleTypeKind::Float128:
203 return "__float128";
204 case SimpleTypeKind::Float80:
205 return "long double";
206 case SimpleTypeKind::Float64:
207 return "double";
208 case SimpleTypeKind::Float48:
209 return "__float48";
210 case SimpleTypeKind::Float32:
211 case SimpleTypeKind::Float32PartialPrecision:
212 return "float";
213 case SimpleTypeKind::Float16:
214 return "_Float16";
215
216 case SimpleTypeKind::Int128Oct:
217 case SimpleTypeKind::Int128:
218 return "__int128";
219 case SimpleTypeKind::Int64:
220 case SimpleTypeKind::Int64Quad:
221 return "long long";
222 case SimpleTypeKind::Int32Long:
223 return "long";
224 case SimpleTypeKind::Int32:
225 return "int";
226 case SimpleTypeKind::Int16:
227 case SimpleTypeKind::Int16Short:
228 return "short";
229
230 case SimpleTypeKind::UInt128Oct:
231 case SimpleTypeKind::UInt128:
232 return "unsigned __int128";
233 case SimpleTypeKind::UInt64:
234 case SimpleTypeKind::UInt64Quad:
235 return "unsigned long long";
236 case SimpleTypeKind::UInt32:
237 return "unsigned";
238 case SimpleTypeKind::UInt16:
239 case SimpleTypeKind::UInt16Short:
240 return "unsigned short";
241 case SimpleTypeKind::UInt32Long:
242 return "unsigned long";
243
244 case SimpleTypeKind::HResult:
245 return "HRESULT";
246 case SimpleTypeKind::Void:
247 return "void";
248 case SimpleTypeKind::WideCharacter:
249 return "wchar_t";
250
251 case SimpleTypeKind::None:
252 case SimpleTypeKind::NotTranslated:
253 return "";
254 }
255 return "";
256}
257
258static bool IsClassRecord(TypeLeafKind kind) {
259 switch (kind) {
260 case LF_STRUCTURE:
261 case LF_CLASS:
262 case LF_INTERFACE:
263 return true;
264 default:
265 return false;
266 }
267}
268
269static std::optional<CVTagRecord>
270GetNestedTagDefinition(const NestedTypeRecord &Record,
271 const CVTagRecord &parent, TpiStream &tpi) {
272 // An LF_NESTTYPE is essentially a nested typedef / using declaration, but it
273 // is also used to indicate the primary definition of a nested class. That is
274 // to say, if you have:
275 // struct A {
276 // struct B {};
277 // using C = B;
278 // };
279 // Then in the debug info, this will appear as:
280 // LF_STRUCTURE `A::B` [type index = N]
281 // LF_STRUCTURE `A`
282 // LF_NESTTYPE [name = `B`, index = N]
283 // LF_NESTTYPE [name = `C`, index = N]
284 // In order to accurately reconstruct the decl context hierarchy, we need to
285 // know which ones are actual definitions and which ones are just aliases.
286
287 // If it's a simple type, then this is something like `using foo = int`.
288 if (Record.Type.isSimple())
289 return std::nullopt;
290
291 CVType cvt = tpi.getType(Record.Type);
292
293 if (!IsTagRecord(cvt))
294 return std::nullopt;
295
296 // If it's an inner definition, then treat whatever name we have here as a
297 // single component of a mangled name. So we can inject it into the parent's
298 // mangled name to see if it matches.
299 CVTagRecord child = CVTagRecord::create(cvt);
300 std::string qname = std::string(parent.asTag().getUniqueName());
301 if (qname.size() < 4 || child.asTag().getUniqueName().size() < 4)
302 return std::nullopt;
303
304 // qname[3] is the tag type identifier (struct, class, union, etc). Since the
305 // inner tag type is not necessarily the same as the outer tag type, re-write
306 // it to match the inner tag type.
307 qname[3] = child.asTag().getUniqueName()[3];
308 std::string piece;
309 if (qname[3] == 'W')
310 piece = "4";
311 piece += Record.Name;
312 piece.push_back('@');
313 qname.insert(4, std::move(piece));
314 if (qname != child.asTag().UniqueName)
315 return std::nullopt;
316
317 return std::move(child);
318}
319
325
329
331
333 return "Microsoft PDB debug symbol cross-platform file reader.";
334}
335
338 return nullptr;
339
340 return new SymbolFileNativePDB(std::move(objfile_sp));
341}
342
345
347
349 uint32_t abilities = 0;
350 if (!m_objfile_sp)
351 return 0;
352
353 if (!m_index) {
354 // Lazily load and match the PDB file, but only do this once.
355 PDBFile *pdb_file;
356 if (auto *pdb = llvm::dyn_cast<ObjectFilePDB>(m_objfile_sp.get())) {
357 pdb_file = &pdb->GetPDBFile();
358 } else {
359 m_file_up = loadMatchingPDBFile(m_objfile_sp->GetFileSpec().GetPath(),
361 pdb_file = m_file_up.get();
362 }
363
364 if (!pdb_file)
365 return 0;
366
367 auto expected_index = PdbIndex::create(pdb_file);
368 if (!expected_index) {
369 llvm::consumeError(expected_index.takeError());
370 return 0;
371 }
372 m_index = std::move(*expected_index);
373 }
374 if (!m_index)
375 return 0;
376
377 // We don't especially have to be precise here. We only distinguish between
378 // stripped and not stripped.
379 abilities = kAllAbilities;
380
381 if (m_index->dbi().isStripped())
382 abilities &= ~(Blocks | LocalVariables);
383 return abilities;
384}
385
387 m_obj_load_address = m_objfile_sp->GetModule()
388 ->GetObjectFile()
389 ->GetBaseAddress()
390 .GetFileAddress();
391 m_index->SetLoadAddress(m_obj_load_address);
392 m_index->ParseSectionContribs();
393
394 auto ts_or_err = m_objfile_sp->GetModule()->GetTypeSystemForLanguage(
396 if (auto err = ts_or_err.takeError()) {
397 LLDB_LOG_ERROR(GetLog(LLDBLog::Symbols), std::move(err),
398 "Failed to initialize: {0}");
399 } else {
400 if (auto ts = *ts_or_err)
401 ts->SetSymbolFile(this);
403 }
404}
405
407 const DbiModuleList &modules = m_index->dbi().modules();
408 uint32_t count = modules.getModuleCount();
409 if (count == 0)
410 return count;
411
412 // The linker can inject an additional "dummy" compilation unit into the
413 // PDB. Ignore this special compile unit for our purposes, if it is there.
414 // It is always the last one.
415 DbiModuleDescriptor last = modules.getModuleDescriptor(count - 1);
416 if (last.getModuleName() == "* Linker *")
417 --count;
418 return count;
419}
420
422 CompilandIndexItem *cii = m_index->compilands().GetCompiland(block_id.modi);
423 CVSymbol sym = cii->m_debug_stream.readSymbolAtOffset(block_id.offset);
424 CompUnitSP comp_unit = GetOrCreateCompileUnit(*cii);
425 lldb::user_id_t opaque_block_uid = toOpaqueUid(block_id);
426 auto ts_or_err = GetTypeSystemForLanguage(comp_unit->GetLanguage());
427 if (auto err = ts_or_err.takeError())
428 return nullptr;
429 auto ts = *ts_or_err;
430 if (!ts)
431 return nullptr;
432 PdbAstBuilder* ast_builder = ts->GetNativePDBParser();
433
434 switch (sym.kind()) {
435 case S_GPROC32:
436 case S_LPROC32:
437 // This is a function. It must be global. Creating the Function entry
438 // for it automatically creates a block for it.
439 if (FunctionSP func = GetOrCreateFunction(block_id, *comp_unit))
440 return &func->GetBlock(false);
441 break;
442 case S_BLOCK32: {
443 // This is a block. Its parent is either a function or another block. In
444 // either case, its parent can be viewed as a block (e.g. a function
445 // contains 1 big block. So just get the parent block and add this block
446 // to it.
447 BlockSym block(static_cast<SymbolRecordKind>(sym.kind()));
448 cantFail(SymbolDeserializer::deserializeAs<BlockSym>(sym, block));
449 lldbassert(block.Parent != 0);
450 PdbCompilandSymId parent_id(block_id.modi, block.Parent);
451 Block *parent_block = GetOrCreateBlock(parent_id);
452 if (!parent_block)
453 return nullptr;
454 Function *func = parent_block->CalculateSymbolContextFunction();
455 lldbassert(func);
456 lldb::addr_t block_base =
457 m_index->MakeVirtualAddress(block.Segment, block.CodeOffset);
458 lldb::addr_t func_base = func->GetAddress().GetFileAddress();
459 BlockSP child_block = parent_block->CreateChild(opaque_block_uid);
460 if (block_base >= func_base)
461 child_block->AddRange(Block::Range(block_base - func_base, block.CodeSize));
462 else {
463 GetObjectFile()->GetModule()->ReportError(
464 "S_BLOCK32 at modi: {0:d} offset: {1:d}: adding range "
465 "[{2:x16}-{3:x16}) which has a base that is less than the "
466 "function's "
467 "low PC 0x%" PRIx64 ". Please file a bug and attach the file at the "
468 "start of this error message",
469 block_id.modi, block_id.offset, block_base,
470 block_base + block.CodeSize, func_base);
471 }
472 ast_builder->GetOrCreateBlockDecl(block_id);
473 m_blocks.insert({opaque_block_uid, child_block});
474 break;
475 }
476 case S_INLINESITE: {
477 // This ensures line table is parsed first so we have inline sites info.
478 comp_unit->GetLineTable();
479
480 std::shared_ptr<InlineSite> inline_site = m_inline_sites[opaque_block_uid];
481 Block *parent_block = GetOrCreateBlock(inline_site->parent_id);
482 if (!parent_block)
483 return nullptr;
484 BlockSP child_block = parent_block->CreateChild(opaque_block_uid);
485 ast_builder->GetOrCreateInlinedFunctionDecl(block_id);
486 // Copy ranges from InlineSite to Block.
487 for (size_t i = 0; i < inline_site->ranges.GetSize(); ++i) {
488 auto *entry = inline_site->ranges.GetEntryAtIndex(i);
489 child_block->AddRange(
490 Block::Range(entry->GetRangeBase(), entry->GetByteSize()));
491 }
492 child_block->FinalizeRanges();
493
494 // Get the inlined function callsite info.
495 Declaration &decl = inline_site->inline_function_info->GetDeclaration();
496 Declaration &callsite = inline_site->inline_function_info->GetCallSite();
497 child_block->SetInlinedFunctionInfo(
498 inline_site->inline_function_info->GetName().GetCString(), nullptr,
499 &decl, &callsite);
500 m_blocks.insert({opaque_block_uid, child_block});
501 break;
502 }
503 default:
504 lldbassert(false && "Symbol is not a block!");
505 }
506
507 return nullptr;
508}
509
511 CompileUnit &comp_unit) {
512 const CompilandIndexItem *cci =
513 m_index->compilands().GetCompiland(func_id.modi);
514 lldbassert(cci);
515 CVSymbol sym_record = cci->m_debug_stream.readSymbolAtOffset(func_id.offset);
516
517 lldbassert(sym_record.kind() == S_LPROC32 || sym_record.kind() == S_GPROC32);
519
520 auto file_vm_addr =
521 m_index->MakeVirtualAddress(sol.so.segment, sol.so.offset);
522 if (file_vm_addr == LLDB_INVALID_ADDRESS || file_vm_addr == 0)
523 return nullptr;
524
525 Address func_addr(file_vm_addr, comp_unit.GetModule()->GetSectionList());
526 if (!func_addr.IsValid())
527 return nullptr;
528
529 ProcSym proc(static_cast<SymbolRecordKind>(sym_record.kind()));
530 cantFail(SymbolDeserializer::deserializeAs<ProcSym>(sym_record, proc));
531 if (proc.FunctionType == TypeIndex::None())
532 return nullptr;
533 TypeSP func_type = GetOrCreateType(proc.FunctionType);
534 if (!func_type)
535 return nullptr;
536
537 PdbTypeSymId sig_id(proc.FunctionType, false);
538
539 std::optional<llvm::StringRef> mangled_opt = FindMangledSymbol(
540 SegmentOffset(proc.Segment, proc.CodeOffset), proc.FunctionType);
541 Mangled mangled(mangled_opt.value_or(proc.Name));
542
543 FunctionSP func_sp = std::make_shared<Function>(
544 &comp_unit, toOpaqueUid(func_id), toOpaqueUid(sig_id), mangled,
545 func_type.get(), func_addr,
546 AddressRanges{AddressRange(func_addr, sol.length)});
547
548 comp_unit.AddFunction(func_sp);
549
550 auto ts_or_err = GetTypeSystemForLanguage(comp_unit.GetLanguage());
551 if (auto err = ts_or_err.takeError())
552 return func_sp;
553 auto ts = *ts_or_err;
554 if (!ts)
555 return func_sp;
556 ts->GetNativePDBParser()->GetOrCreateFunctionDecl(func_id);
557
558 return func_sp;
559}
560
563 lldb::LanguageType lang =
564 cci.m_compile_opts ? TranslateLanguage(cci.m_compile_opts->getLanguage())
566
567 LazyBool optimized = eLazyBoolNo;
568 if (cci.m_compile_opts && cci.m_compile_opts->hasOptimizations())
569 optimized = eLazyBoolYes;
570
571 llvm::SmallString<64> source_file_name =
572 m_index->compilands().GetMainSourceFile(cci);
573 FileSpec fs(llvm::sys::path::convert_to_slash(
574 source_file_name, llvm::sys::path::Style::windows_backslash));
575
576 CompUnitSP cu_sp = std::make_shared<CompileUnit>(
577 m_objfile_sp->GetModule(), nullptr, std::make_shared<SupportFile>(fs),
578 toOpaqueUid(cci.m_id), lang, optimized);
579
580 SetCompileUnitAtIndex(cci.m_id.modi, cu_sp);
581 return cu_sp;
582}
583
585 const ModifierRecord &mr,
586 CompilerType ct) {
587 TpiStream &stream = m_index->tpi();
588
589 std::string name;
590
591 if ((mr.Modifiers & ModifierOptions::Const) != ModifierOptions::None)
592 name += "const ";
593 if ((mr.Modifiers & ModifierOptions::Volatile) != ModifierOptions::None)
594 name += "volatile ";
595 if ((mr.Modifiers & ModifierOptions::Unaligned) != ModifierOptions::None)
596 name += "__unaligned ";
597
598 if (mr.ModifiedType.isSimple())
599 name += GetSimpleTypeName(mr.ModifiedType.getSimpleKind());
600 else
601 name += computeTypeName(stream.typeCollection(), mr.ModifiedType);
602 Declaration decl;
603 lldb::TypeSP modified_type = GetOrCreateType(mr.ModifiedType);
604
605 return MakeType(toOpaqueUid(type_id), ConstString(name),
606 llvm::expectedToOptional(modified_type->GetByteSize(nullptr)),
607 nullptr, LLDB_INVALID_UID, Type::eEncodingIsUID, decl, ct,
609}
610
613 const llvm::codeview::PointerRecord &pr,
614 CompilerType ct) {
615 TypeSP pointee = GetOrCreateType(pr.ReferentType);
616 if (!pointee)
617 return nullptr;
618
619 if (pr.isPointerToMember()) {
620 MemberPointerInfo mpi = pr.getMemberInfo();
621 GetOrCreateType(mpi.ContainingType);
622 }
623
624 Declaration decl;
625 return MakeType(toOpaqueUid(type_id), ConstString(), pr.getSize(), nullptr,
628}
629
631 CompilerType ct) {
632 uint64_t uid = toOpaqueUid(PdbTypeSymId(ti, false));
633 if (ti == TypeIndex::NullptrT()) {
634 Declaration decl;
635 return MakeType(uid, ConstString("decltype(nullptr)"), std::nullopt,
636 nullptr, LLDB_INVALID_UID, Type::eEncodingIsUID, decl, ct,
638 }
639
640 if (ti.getSimpleMode() != SimpleTypeMode::Direct) {
641 TypeSP direct_sp = GetOrCreateType(ti.makeDirect());
642 uint32_t pointer_size = 0;
643 switch (ti.getSimpleMode()) {
644 case SimpleTypeMode::FarPointer32:
645 case SimpleTypeMode::NearPointer32:
646 pointer_size = 4;
647 break;
648 case SimpleTypeMode::NearPointer64:
649 pointer_size = 8;
650 break;
651 default:
652 // 128-bit and 16-bit pointers unsupported.
653 return nullptr;
654 }
655 Declaration decl;
656 return MakeType(uid, ConstString(), pointer_size, nullptr, LLDB_INVALID_UID,
658 }
659
660 if (ti.getSimpleKind() == SimpleTypeKind::NotTranslated)
661 return nullptr;
662
663 size_t size = GetTypeSizeForSimpleKind(ti.getSimpleKind());
664 llvm::StringRef type_name = GetSimpleTypeName(ti.getSimpleKind());
665
666 Declaration decl;
667 return MakeType(uid, ConstString(type_name), size, nullptr, LLDB_INVALID_UID,
669}
670
671static std::string GetUnqualifiedTypeName(const TagRecord &record) {
672 if (!record.hasUniqueName())
673 return std::string(MSVCUndecoratedNameParser::DropScope(record.Name));
674
675 llvm::ms_demangle::Demangler demangler;
676 std::string_view sv(record.UniqueName.begin(), record.UniqueName.size());
677 llvm::ms_demangle::TagTypeNode *ttn = demangler.parseTagUniqueName(sv);
678 if (demangler.Error)
679 return std::string(MSVCUndecoratedNameParser::DropScope(record.Name));
680
681 llvm::ms_demangle::IdentifierNode *idn =
682 ttn->QualifiedName->getUnqualifiedIdentifier();
683 return idn->toString();
684}
685
688 const TagRecord &record,
689 size_t size, CompilerType ct) {
690
691 std::string uname = GetUnqualifiedTypeName(record);
692
693 llvm::Expected<Declaration> maybeDecl = ResolveUdtDeclaration(type_id);
694 Declaration decl;
695 if (maybeDecl)
696 decl = std::move(*maybeDecl);
697 else
698 LLDB_LOG_ERROR(GetLog(LLDBLog::Symbols), maybeDecl.takeError(),
699 "Failed to resolve declaration for '{1}': {0}", uname);
700
701 return MakeType(toOpaqueUid(type_id), ConstString(uname), size, nullptr,
704}
705
707 const ClassRecord &cr,
708 CompilerType ct) {
709 return CreateClassStructUnion(type_id, cr, cr.getSize(), ct);
710}
711
713 const UnionRecord &ur,
714 CompilerType ct) {
715 return CreateClassStructUnion(type_id, ur, ur.getSize(), ct);
716}
717
719 const EnumRecord &er,
720 CompilerType ct) {
721 std::string uname = GetUnqualifiedTypeName(er);
722
723 llvm::Expected<Declaration> maybeDecl = ResolveUdtDeclaration(type_id);
724 Declaration decl;
725 if (maybeDecl)
726 decl = std::move(*maybeDecl);
727 else
728 LLDB_LOG_ERROR(GetLog(LLDBLog::Symbols), maybeDecl.takeError(),
729 "Failed to resolve declaration for '{1}': {0}", uname);
730
731 TypeSP underlying_type = GetOrCreateType(er.UnderlyingType);
732
733 return MakeType(
734 toOpaqueUid(type_id), ConstString(uname),
735 llvm::expectedToOptional(underlying_type->GetByteSize(nullptr)), nullptr,
738}
739
741 const ArrayRecord &ar,
742 CompilerType ct) {
743 TypeSP element_type = GetOrCreateType(ar.ElementType);
744
745 Declaration decl;
746 TypeSP array_sp =
747 MakeType(toOpaqueUid(type_id), ConstString(), ar.Size, nullptr,
750 array_sp->SetEncodingType(element_type.get());
751 return array_sp;
752}
753
755 const MemberFunctionRecord &mfr,
756 CompilerType ct) {
757 if (mfr.ReturnType.isSimple())
758 GetOrCreateType(mfr.ReturnType);
759 CreateSimpleArgumentListTypes(mfr.ArgumentList);
760
761 Declaration decl;
762 return MakeType(toOpaqueUid(type_id), ConstString(), 0, nullptr,
765}
766
768 const ProcedureRecord &pr,
769 CompilerType ct) {
770 if (pr.ReturnType.isSimple())
771 GetOrCreateType(pr.ReturnType);
772 CreateSimpleArgumentListTypes(pr.ArgumentList);
773
774 Declaration decl;
775 return MakeType(toOpaqueUid(type_id), ConstString(), 0, nullptr,
778}
779
781 llvm::codeview::TypeIndex arglist_ti) {
782 if (arglist_ti.isNoneType())
783 return;
784
785 CVType arglist_cvt = m_index->tpi().getType(arglist_ti);
786 if (arglist_cvt.kind() != LF_ARGLIST)
787 return; // invalid debug info
788
789 ArgListRecord alr;
790 llvm::cantFail(
791 TypeDeserializer::deserializeAs<ArgListRecord>(arglist_cvt, alr));
792 for (TypeIndex id : alr.getIndices())
793 if (!id.isNoneType() && id.isSimple())
794 GetOrCreateType(id);
795}
796
798 if (type_id.index.isSimple())
799 return CreateSimpleType(type_id.index, ct);
800
801 TpiStream &stream = type_id.is_ipi ? m_index->ipi() : m_index->tpi();
802 CVType cvt = stream.getType(type_id.index);
803
804 if (cvt.kind() == LF_MODIFIER) {
805 ModifierRecord modifier;
806 llvm::cantFail(
807 TypeDeserializer::deserializeAs<ModifierRecord>(cvt, modifier));
808 return CreateModifierType(type_id, modifier, ct);
809 }
810
811 if (cvt.kind() == LF_POINTER) {
812 PointerRecord pointer;
813 llvm::cantFail(
814 TypeDeserializer::deserializeAs<PointerRecord>(cvt, pointer));
815 return CreatePointerType(type_id, pointer, ct);
816 }
817
818 if (IsClassRecord(cvt.kind())) {
819 ClassRecord cr;
820 llvm::cantFail(TypeDeserializer::deserializeAs<ClassRecord>(cvt, cr));
821 return CreateTagType(type_id, cr, ct);
822 }
823
824 if (cvt.kind() == LF_ENUM) {
825 EnumRecord er;
826 llvm::cantFail(TypeDeserializer::deserializeAs<EnumRecord>(cvt, er));
827 return CreateTagType(type_id, er, ct);
828 }
829
830 if (cvt.kind() == LF_UNION) {
831 UnionRecord ur;
832 llvm::cantFail(TypeDeserializer::deserializeAs<UnionRecord>(cvt, ur));
833 return CreateTagType(type_id, ur, ct);
834 }
835
836 if (cvt.kind() == LF_ARRAY) {
837 ArrayRecord ar;
838 llvm::cantFail(TypeDeserializer::deserializeAs<ArrayRecord>(cvt, ar));
839 return CreateArrayType(type_id, ar, ct);
840 }
841
842 if (cvt.kind() == LF_PROCEDURE) {
843 ProcedureRecord pr;
844 llvm::cantFail(TypeDeserializer::deserializeAs<ProcedureRecord>(cvt, pr));
845 return CreateProcedureType(type_id, pr, ct);
846 }
847 if (cvt.kind() == LF_MFUNCTION) {
848 MemberFunctionRecord mfr;
849 llvm::cantFail(TypeDeserializer::deserializeAs<MemberFunctionRecord>(cvt, mfr));
850 return CreateFunctionType(type_id, mfr, ct);
851 }
852
853 return nullptr;
854}
855
857 // If they search for a UDT which is a forward ref, try and resolve the full
858 // decl and just map the forward ref uid to the full decl record.
859 std::optional<PdbTypeSymId> full_decl_uid;
860 if (IsForwardRefUdt(type_id, m_index->tpi())) {
861 auto expected_full_ti =
862 m_index->tpi().findFullDeclForForwardRef(type_id.index);
863 if (!expected_full_ti)
864 llvm::consumeError(expected_full_ti.takeError());
865 else if (*expected_full_ti != type_id.index) {
866 full_decl_uid = PdbTypeSymId(*expected_full_ti, false);
867
868 // It's possible that a lookup would occur for the full decl causing it
869 // to be cached, then a second lookup would occur for the forward decl.
870 // We don't want to create a second full decl, so make sure the full
871 // decl hasn't already been cached.
872 auto full_iter = m_types.find(toOpaqueUid(*full_decl_uid));
873 if (full_iter != m_types.end()) {
874 TypeSP result = full_iter->second;
875 // Map the forward decl to the TypeSP for the full decl so we can take
876 // the fast path next time.
877 m_types[toOpaqueUid(type_id)] = result;
878 return result;
879 }
880 }
881 }
882
883 PdbTypeSymId best_decl_id = full_decl_uid ? *full_decl_uid : type_id;
885 if (auto err = ts_or_err.takeError())
886 return nullptr;
887 auto ts = *ts_or_err;
888 if (!ts)
889 return nullptr;
890
891 PdbAstBuilder* ast_builder = ts->GetNativePDBParser();
892 clang::QualType qt = ast_builder->GetOrCreateType(best_decl_id);
893 if (qt.isNull())
894 return nullptr;
895
896 TypeSP result = CreateType(best_decl_id, ast_builder->ToCompilerType(qt));
897 if (!result)
898 return nullptr;
899
900 uint64_t best_uid = toOpaqueUid(best_decl_id);
901 m_types[best_uid] = result;
902 // If we had both a forward decl and a full decl, make both point to the new
903 // type.
904 if (full_decl_uid)
905 m_types[toOpaqueUid(type_id)] = result;
906
907 return result;
908}
909
911 // We can't use try_emplace / overwrite here because the process of creating
912 // a type could create nested types, which could invalidate iterators. So
913 // we have to do a 2-phase lookup / insert.
914 auto iter = m_types.find(toOpaqueUid(type_id));
915 if (iter != m_types.end())
916 return iter->second;
917
918 TypeSP type = CreateAndCacheType(type_id);
919 if (type)
920 GetTypeList().Insert(type);
921 return type;
922}
923
925 CVSymbol sym = m_index->symrecords().readRecord(var_id.offset);
926 if (sym.kind() == S_CONSTANT)
927 return CreateConstantSymbol(var_id, sym);
928
930 TypeIndex ti;
931 llvm::StringRef name;
932 lldb::addr_t addr = 0;
933 uint16_t section = 0;
934 uint32_t offset = 0;
935 bool is_external = false;
936 switch (sym.kind()) {
937 case S_GDATA32:
938 is_external = true;
939 [[fallthrough]];
940 case S_LDATA32: {
941 DataSym ds(sym.kind());
942 llvm::cantFail(SymbolDeserializer::deserializeAs<DataSym>(sym, ds));
943 ti = ds.Type;
944 scope = (sym.kind() == S_GDATA32) ? eValueTypeVariableGlobal
946 name = ds.Name;
947 section = ds.Segment;
948 offset = ds.DataOffset;
949 addr = m_index->MakeVirtualAddress(ds.Segment, ds.DataOffset);
950 break;
951 }
952 case S_GTHREAD32:
953 is_external = true;
954 [[fallthrough]];
955 case S_LTHREAD32: {
956 ThreadLocalDataSym tlds(sym.kind());
957 llvm::cantFail(
958 SymbolDeserializer::deserializeAs<ThreadLocalDataSym>(sym, tlds));
959 ti = tlds.Type;
960 name = tlds.Name;
961 section = tlds.Segment;
962 offset = tlds.DataOffset;
963 addr = m_index->MakeVirtualAddress(tlds.Segment, tlds.DataOffset);
965 break;
966 }
967 default:
968 llvm_unreachable("unreachable!");
969 }
970
971 CompUnitSP comp_unit;
972 std::optional<uint16_t> modi = m_index->GetModuleIndexForVa(addr);
973 // Some globals has modi points to the linker module, ignore them.
974 if (!modi || modi >= GetNumCompileUnits())
975 return nullptr;
976
977 CompilandIndexItem &cci = m_index->compilands().GetOrCreateCompiland(*modi);
978 comp_unit = GetOrCreateCompileUnit(cci);
979
980 Declaration decl;
981 PdbTypeSymId tid(ti, false);
982 SymbolFileTypeSP type_sp =
983 std::make_shared<SymbolFileType>(*this, toOpaqueUid(tid));
984 Variable::RangeList ranges;
985 auto ts_or_err = GetTypeSystemForLanguage(comp_unit->GetLanguage());
986 if (auto err = ts_or_err.takeError())
987 return nullptr;
988 auto ts = *ts_or_err;
989 if (!ts)
990 return nullptr;
991
992 ts->GetNativePDBParser()->GetOrCreateVariableDecl(var_id);
993
994 ModuleSP module_sp = GetObjectFile()->GetModule();
995 DWARFExpressionList location(
996 module_sp, MakeGlobalLocationExpression(section, offset, module_sp),
997 nullptr);
998
999 std::string global_name("::");
1000 global_name += name;
1001 bool artificial = false;
1002 bool location_is_constant_data = false;
1003 bool static_member = false;
1004 VariableSP var_sp = std::make_shared<Variable>(
1005 toOpaqueUid(var_id), name.str().c_str(), global_name.c_str(), type_sp,
1006 scope, comp_unit.get(), ranges, &decl, location, is_external, artificial,
1007 location_is_constant_data, static_member);
1008
1009 return var_sp;
1010}
1011
1014 const CVSymbol &cvs) {
1015 TpiStream &tpi = m_index->tpi();
1016 ConstantSym constant(cvs.kind());
1017
1018 llvm::cantFail(SymbolDeserializer::deserializeAs<ConstantSym>(cvs, constant));
1019 std::string global_name("::");
1020 global_name += constant.Name;
1021 PdbTypeSymId tid(constant.Type, false);
1022 SymbolFileTypeSP type_sp =
1023 std::make_shared<SymbolFileType>(*this, toOpaqueUid(tid));
1024
1025 Declaration decl;
1026 Variable::RangeList ranges;
1027 ModuleSP module = GetObjectFile()->GetModule();
1028 DWARFExpressionList location(module,
1030 constant.Type, tpi, constant.Value, module),
1031 nullptr);
1032
1033 bool external = false;
1034 bool artificial = false;
1035 bool location_is_constant_data = true;
1036 bool static_member = false;
1037 VariableSP var_sp = std::make_shared<Variable>(
1038 toOpaqueUid(var_id), constant.Name.str().c_str(), global_name.c_str(),
1039 type_sp, eValueTypeVariableGlobal, module.get(), ranges, &decl, location,
1040 external, artificial, location_is_constant_data, static_member);
1041 return var_sp;
1042}
1043
1046 auto emplace_result = m_global_vars.try_emplace(toOpaqueUid(var_id), nullptr);
1047 if (emplace_result.second) {
1048 if (VariableSP var_sp = CreateGlobalVariable(var_id))
1049 emplace_result.first->second = var_sp;
1050 else
1051 return nullptr;
1052 }
1053
1054 return emplace_result.first->second;
1055}
1056
1058 return GetOrCreateType(PdbTypeSymId(ti, false));
1059}
1060
1062 CompileUnit &comp_unit) {
1063 auto emplace_result = m_functions.try_emplace(toOpaqueUid(func_id), nullptr);
1064 if (emplace_result.second)
1065 emplace_result.first->second = CreateFunction(func_id, comp_unit);
1066
1067 return emplace_result.first->second;
1068}
1069
1072
1073 auto emplace_result =
1074 m_compilands.try_emplace(toOpaqueUid(cci.m_id), nullptr);
1075 if (emplace_result.second)
1076 emplace_result.first->second = CreateCompileUnit(cci);
1077
1078 lldbassert(emplace_result.first->second);
1079 return emplace_result.first->second;
1080}
1081
1083 auto iter = m_blocks.find(toOpaqueUid(block_id));
1084 if (iter != m_blocks.end())
1085 return iter->second.get();
1086
1087 return CreateBlock(block_id);
1088}
1089
1092 TypeSystem* ts_or_err = decl_ctx.GetTypeSystem();
1093 if (!ts_or_err)
1094 return;
1095 PdbAstBuilder* ast_builder = ts_or_err->GetNativePDBParser();
1096 clang::DeclContext *context = ast_builder->FromCompilerDeclContext(decl_ctx);
1097 if (!context)
1098 return;
1099 ast_builder->ParseDeclsForContext(*context);
1100}
1101
1103 if (index >= GetNumCompileUnits())
1104 return CompUnitSP();
1105 lldbassert(index < UINT16_MAX);
1106 if (index >= UINT16_MAX)
1107 return nullptr;
1108
1109 CompilandIndexItem &item = m_index->compilands().GetOrCreateCompiland(index);
1110
1111 return GetOrCreateCompileUnit(item);
1112}
1113
1115 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1116 PdbSymUid uid(comp_unit.GetID());
1118
1119 CompilandIndexItem *item =
1120 m_index->compilands().GetCompiland(uid.asCompiland().modi);
1121 lldbassert(item);
1122 if (!item->m_compile_opts)
1124
1125 return TranslateLanguage(item->m_compile_opts->getLanguage());
1126}
1127
1129 auto *section_list =
1130 m_objfile_sp->GetModule()->GetObjectFile()->GetSectionList();
1131 if (!section_list)
1132 return;
1133
1134 PublicSym32 last_sym;
1135 size_t last_sym_idx = 0;
1136 lldb::SectionSP section_sp;
1137
1138 // To estimate the size of a symbol, we use the difference to the next symbol.
1139 // If there's no next symbol or the section/segment changed, the symbol will
1140 // take the remaining space. The estimate can be too high in case there's
1141 // padding between symbols. This similar to the algorithm used by the DIA
1142 // SDK.
1143 auto finish_last_symbol = [&](const PublicSym32 *next) {
1144 if (!section_sp)
1145 return;
1146 Symbol *last = symtab.SymbolAtIndex(last_sym_idx);
1147 if (!last)
1148 return;
1149
1150 if (next && last_sym.Segment == next->Segment) {
1151 assert(last_sym.Offset <= next->Offset);
1152 last->SetByteSize(next->Offset - last_sym.Offset);
1153 } else {
1154 // the last symbol was the last in its section
1155 assert(section_sp->GetByteSize() >= last_sym.Offset);
1156 assert(!next || next->Segment > last_sym.Segment);
1157 last->SetByteSize(section_sp->GetByteSize() - last_sym.Offset);
1158 }
1159 };
1160
1161 // The address map is sorted by the address of a symbol.
1162 for (auto pid : m_index->publics().getAddressMap()) {
1163 PdbGlobalSymId global{pid, true};
1164 CVSymbol sym = m_index->ReadSymbolRecord(global);
1165 auto kind = sym.kind();
1166 if (kind != S_PUB32)
1167 continue;
1168 PublicSym32 pub =
1169 llvm::cantFail(SymbolDeserializer::deserializeAs<PublicSym32>(sym));
1170 finish_last_symbol(&pub);
1171
1172 if (!section_sp || last_sym.Segment != pub.Segment)
1173 section_sp = section_list->FindSectionByID(pub.Segment);
1174
1175 if (!section_sp)
1176 continue;
1177
1179 if ((pub.Flags & PublicSymFlags::Function) != PublicSymFlags::None ||
1180 (pub.Flags & PublicSymFlags::Code) != PublicSymFlags::None)
1181 type = eSymbolTypeCode;
1182
1183 last_sym_idx =
1184 symtab.AddSymbol(Symbol(/*symID=*/pid,
1185 /*name=*/pub.Name,
1186 /*type=*/type,
1187 /*external=*/true,
1188 /*is_debug=*/true,
1189 /*is_trampoline=*/false,
1190 /*is_artificial=*/false,
1191 /*section_sp=*/section_sp,
1192 /*value=*/pub.Offset,
1193 /*size=*/0,
1194 /*size_is_valid=*/false,
1195 /*contains_linker_annotations=*/false,
1196 /*flags=*/0));
1197 last_sym = pub;
1198 }
1199
1200 finish_last_symbol(nullptr);
1201}
1202
1204 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1205 PdbSymUid uid{comp_unit.GetID()};
1207 uint16_t modi = uid.asCompiland().modi;
1208 CompilandIndexItem &cii = m_index->compilands().GetOrCreateCompiland(modi);
1209
1210 size_t count = comp_unit.GetNumFunctions();
1211 const CVSymbolArray &syms = cii.m_debug_stream.getSymbolArray();
1212 for (auto iter = syms.begin(); iter != syms.end(); ++iter) {
1213 if (iter->kind() != S_LPROC32 && iter->kind() != S_GPROC32)
1214 continue;
1215
1216 PdbCompilandSymId sym_id{modi, iter.offset()};
1217
1218 FunctionSP func = GetOrCreateFunction(sym_id, comp_unit);
1219 }
1220
1221 size_t new_count = comp_unit.GetNumFunctions();
1222 lldbassert(new_count >= count);
1223 return new_count - count;
1224}
1225
1226static bool NeedsResolvedCompileUnit(uint32_t resolve_scope) {
1227 // If any of these flags are set, we need to resolve the compile unit.
1228 uint32_t flags = eSymbolContextCompUnit;
1229 flags |= eSymbolContextVariable;
1230 flags |= eSymbolContextFunction;
1231 flags |= eSymbolContextBlock;
1232 flags |= eSymbolContextLineEntry;
1233 return (resolve_scope & flags) != 0;
1234}
1235
1237 const Address &addr, SymbolContextItem resolve_scope, SymbolContext &sc) {
1238 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1239 uint32_t resolved_flags = 0;
1240 lldb::addr_t file_addr = addr.GetFileAddress();
1241
1242 if (NeedsResolvedCompileUnit(resolve_scope)) {
1243 std::optional<uint16_t> modi = m_index->GetModuleIndexForVa(file_addr);
1244 if (!modi)
1245 return 0;
1246 CompUnitSP cu_sp = GetCompileUnitAtIndex(*modi);
1247 if (!cu_sp)
1248 return 0;
1249
1250 sc.comp_unit = cu_sp.get();
1251 resolved_flags |= eSymbolContextCompUnit;
1252 }
1253
1254 if (resolve_scope & eSymbolContextFunction ||
1255 resolve_scope & eSymbolContextBlock) {
1257 std::vector<SymbolAndUid> matches = m_index->FindSymbolsByVa(file_addr);
1258 // Search the matches in reverse. This way if there are multiple matches
1259 // (for example we are 3 levels deep in a nested scope) it will find the
1260 // innermost one first.
1261 for (const auto &match : llvm::reverse(matches)) {
1262 if (match.uid.kind() != PdbSymUidKind::CompilandSym)
1263 continue;
1264
1265 PdbCompilandSymId csid = match.uid.asCompilandSym();
1266 CVSymbol cvs = m_index->ReadSymbolRecord(csid);
1267 PDB_SymType type = CVSymToPDBSym(cvs.kind());
1268 if (type != PDB_SymType::Function && type != PDB_SymType::Block)
1269 continue;
1270 if (type == PDB_SymType::Function) {
1271 sc.function = GetOrCreateFunction(csid, *sc.comp_unit).get();
1272 if (sc.function) {
1273 Block &block = sc.function->GetBlock(true);
1274 addr_t func_base = sc.function->GetAddress().GetFileAddress();
1275 addr_t offset = file_addr - func_base;
1276 sc.block = block.FindInnermostBlockByOffset(offset);
1277 }
1278 }
1279
1280 if (type == PDB_SymType::Block) {
1281 Block *block = GetOrCreateBlock(csid);
1282 if (!block)
1283 continue;
1285 if (sc.function) {
1286 sc.function->GetBlock(true);
1287 addr_t func_base = sc.function->GetAddress().GetFileAddress();
1288 addr_t offset = file_addr - func_base;
1289 sc.block = block->FindInnermostBlockByOffset(offset);
1290 }
1291 }
1292 if (sc.function)
1293 resolved_flags |= eSymbolContextFunction;
1294 if (sc.block)
1295 resolved_flags |= eSymbolContextBlock;
1296 break;
1297 }
1298 }
1299
1300 if (resolve_scope & eSymbolContextLineEntry) {
1302 if (auto *line_table = sc.comp_unit->GetLineTable()) {
1303 if (line_table->FindLineEntryByAddress(addr, sc.line_entry))
1304 resolved_flags |= eSymbolContextLineEntry;
1305 }
1306 }
1307
1308 return resolved_flags;
1309}
1310
1312 const SourceLocationSpec &src_location_spec,
1313 lldb::SymbolContextItem resolve_scope, SymbolContextList &sc_list) {
1314 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1315 const uint32_t prev_size = sc_list.GetSize();
1316 if (resolve_scope & eSymbolContextCompUnit) {
1317 for (uint32_t cu_idx = 0, num_cus = GetNumCompileUnits(); cu_idx < num_cus;
1318 ++cu_idx) {
1319 CompileUnit *cu = ParseCompileUnitAtIndex(cu_idx).get();
1320 if (!cu)
1321 continue;
1322
1323 bool file_spec_matches_cu_file_spec = FileSpec::Match(
1324 src_location_spec.GetFileSpec(), cu->GetPrimaryFile());
1325 if (file_spec_matches_cu_file_spec) {
1326 cu->ResolveSymbolContext(src_location_spec, resolve_scope, sc_list);
1327 break;
1328 }
1329 }
1330 }
1331 return sc_list.GetSize() - prev_size;
1332}
1333
1335 // Unfortunately LLDB is set up to parse the entire compile unit line table
1336 // all at once, even if all it really needs is line info for a specific
1337 // function. In the future it would be nice if it could set the sc.m_function
1338 // member, and we could only get the line info for the function in question.
1339 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1340 PdbSymUid cu_id(comp_unit.GetID());
1342 uint16_t modi = cu_id.asCompiland().modi;
1343 CompilandIndexItem *cii = m_index->compilands().GetCompiland(modi);
1344 lldbassert(cii);
1345
1346 // Parse DEBUG_S_LINES subsections first, then parse all S_INLINESITE records
1347 // in this CU. Add line entries into the set first so that if there are line
1348 // entries with same addres, the later is always more accurate than the
1349 // former.
1350 std::set<LineTable::Entry, LineTableEntryComparator> line_set;
1351
1352 // This is basically a copy of the .debug$S subsections from all original COFF
1353 // object files merged together with address relocations applied. We are
1354 // looking for all DEBUG_S_LINES subsections.
1355 for (const DebugSubsectionRecord &dssr :
1356 cii->m_debug_stream.getSubsectionsArray()) {
1357 if (dssr.kind() != DebugSubsectionKind::Lines)
1358 continue;
1359
1360 DebugLinesSubsectionRef lines;
1361 llvm::BinaryStreamReader reader(dssr.getRecordData());
1362 if (auto EC = lines.initialize(reader)) {
1363 llvm::consumeError(std::move(EC));
1364 return false;
1365 }
1366
1367 const LineFragmentHeader *lfh = lines.header();
1368 uint64_t virtual_addr =
1369 m_index->MakeVirtualAddress(lfh->RelocSegment, lfh->RelocOffset);
1370 if (virtual_addr == LLDB_INVALID_ADDRESS)
1371 continue;
1372
1373 for (const LineColumnEntry &group : lines) {
1374 llvm::Expected<uint32_t> file_index_or_err =
1375 GetFileIndex(*cii, group.NameIndex);
1376 if (!file_index_or_err)
1377 continue;
1378 uint32_t file_index = file_index_or_err.get();
1379 lldbassert(!group.LineNumbers.empty());
1382 for (const LineNumberEntry &entry : group.LineNumbers) {
1383 LineInfo cur_info(entry.Flags);
1384
1385 if (cur_info.isAlwaysStepInto() || cur_info.isNeverStepInto())
1386 continue;
1387
1388 uint64_t addr = virtual_addr + entry.Offset;
1389
1390 bool is_statement = cur_info.isStatement();
1391 bool is_prologue = IsFunctionPrologue(*cii, addr);
1392 bool is_epilogue = IsFunctionEpilogue(*cii, addr);
1393
1394 uint32_t lno = cur_info.getStartLine();
1395
1396 LineTable::Entry new_entry(addr, lno, 0, file_index, is_statement, false,
1397 is_prologue, is_epilogue, false);
1398 // Terminal entry has lower precedence than new entry.
1399 auto iter = line_set.find(new_entry);
1400 if (iter != line_set.end() && iter->is_terminal_entry)
1401 line_set.erase(iter);
1402 line_set.insert(new_entry);
1403
1404 if (line_entry.GetRangeBase() != LLDB_INVALID_ADDRESS) {
1405 line_entry.SetRangeEnd(addr);
1406 cii->m_global_line_table.Append(line_entry);
1407 }
1408 line_entry.SetRangeBase(addr);
1409 line_entry.data = {file_index, lno};
1410 }
1411 LineInfo last_line(group.LineNumbers.back().Flags);
1412 line_set.emplace(virtual_addr + lfh->CodeSize, last_line.getEndLine(), 0,
1413 file_index, false, false, false, false, true);
1414
1415 if (line_entry.GetRangeBase() != LLDB_INVALID_ADDRESS) {
1416 line_entry.SetRangeEnd(virtual_addr + lfh->CodeSize);
1417 cii->m_global_line_table.Append(line_entry);
1418 }
1419 }
1420 }
1421
1423
1424 // Parse all S_INLINESITE in this CU.
1425 const CVSymbolArray &syms = cii->m_debug_stream.getSymbolArray();
1426 for (auto iter = syms.begin(); iter != syms.end();) {
1427 if (iter->kind() != S_LPROC32 && iter->kind() != S_GPROC32) {
1428 ++iter;
1429 continue;
1430 }
1431
1432 uint32_t record_offset = iter.offset();
1433 CVSymbol func_record =
1434 cii->m_debug_stream.readSymbolAtOffset(record_offset);
1436 addr_t file_vm_addr =
1437 m_index->MakeVirtualAddress(sol.so.segment, sol.so.offset);
1438 if (file_vm_addr == LLDB_INVALID_ADDRESS)
1439 continue;
1440
1441 Address func_base(file_vm_addr, comp_unit.GetModule()->GetSectionList());
1442 PdbCompilandSymId func_id{modi, record_offset};
1443
1444 // Iterate all S_INLINESITEs in the function.
1445 auto parse_inline_sites = [&](SymbolKind kind, PdbCompilandSymId id) {
1446 if (kind != S_INLINESITE)
1447 return false;
1448
1449 ParseInlineSite(id, func_base);
1450
1451 for (const auto &line_entry :
1452 m_inline_sites[toOpaqueUid(id)]->line_entries) {
1453 // If line_entry is not terminal entry, remove previous line entry at
1454 // the same address and insert new one. Terminal entry inside an inline
1455 // site might not be terminal entry for its parent.
1456 if (!line_entry.is_terminal_entry)
1457 line_set.erase(line_entry);
1458 line_set.insert(line_entry);
1459 }
1460 // No longer useful after adding to line_set.
1461 m_inline_sites[toOpaqueUid(id)]->line_entries.clear();
1462 return true;
1463 };
1464 ParseSymbolArrayInScope(func_id, parse_inline_sites);
1465 // Jump to the end of the function record.
1466 iter = syms.at(getScopeEndOffset(func_record));
1467 }
1468
1470
1471 // Add line entries in line_set to line_table.
1472 std::vector<LineTable::Sequence> sequence(1);
1473 for (const auto &line_entry : line_set) {
1475 sequence.back(), line_entry.file_addr, line_entry.line,
1476 line_entry.column, line_entry.file_idx,
1477 line_entry.is_start_of_statement, line_entry.is_start_of_basic_block,
1478 line_entry.is_prologue_end, line_entry.is_epilogue_begin,
1479 line_entry.is_terminal_entry);
1480 }
1481 auto line_table =
1482 std::make_unique<LineTable>(&comp_unit, std::move(sequence));
1483
1484 if (line_table->GetSize() == 0)
1485 return false;
1486
1487 comp_unit.SetLineTable(line_table.release());
1488 return true;
1489}
1490
1492 // PDB doesn't contain information about macros
1493 return false;
1494}
1495
1496llvm::Expected<uint32_t>
1498 uint32_t file_id) {
1499 if (!cii.m_strings.hasChecksums() || !cii.m_strings.hasStrings())
1500 return llvm::make_error<RawError>(raw_error_code::no_entry);
1501
1502 const auto &checksums = cii.m_strings.checksums().getArray();
1503 const auto &strings = cii.m_strings.strings();
1504 // Indices in this structure are actually offsets of records in the
1505 // DEBUG_S_FILECHECKSUMS subsection. Those entries then have an index
1506 // into the global PDB string table.
1507 auto iter = checksums.at(file_id);
1508 if (iter == checksums.end())
1509 return llvm::make_error<RawError>(raw_error_code::no_entry);
1510
1511 llvm::Expected<llvm::StringRef> efn = strings.getString(iter->FileNameOffset);
1512 if (!efn) {
1513 return efn.takeError();
1514 }
1515
1516 // LLDB wants the index of the file in the list of support files.
1517 auto fn_iter = llvm::find(cii.m_file_list, *efn);
1518 if (fn_iter != cii.m_file_list.end())
1519 return std::distance(cii.m_file_list.begin(), fn_iter);
1520 return llvm::make_error<RawError>(raw_error_code::no_entry);
1521}
1522
1524 SupportFileList &support_files) {
1525 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1526 PdbSymUid cu_id(comp_unit.GetID());
1528 CompilandIndexItem *cci =
1529 m_index->compilands().GetCompiland(cu_id.asCompiland().modi);
1530 lldbassert(cci);
1531
1532 for (llvm::StringRef f : cci->m_file_list) {
1533 FileSpec::Style style =
1534 f.starts_with("/") ? FileSpec::Style::posix : FileSpec::Style::windows;
1535 FileSpec spec(f, style);
1536 support_files.Append(spec);
1537 }
1538 return true;
1539}
1540
1542 const SymbolContext &sc, std::vector<SourceModule> &imported_modules) {
1543 // PDB does not yet support module debug info
1544 return false;
1545}
1546
1548 Address func_addr) {
1549 lldb::user_id_t opaque_uid = toOpaqueUid(id);
1550 if (m_inline_sites.contains(opaque_uid))
1551 return;
1552
1553 addr_t func_base = func_addr.GetFileAddress();
1554 CompilandIndexItem *cii = m_index->compilands().GetCompiland(id.modi);
1555 CVSymbol sym = cii->m_debug_stream.readSymbolAtOffset(id.offset);
1556 CompUnitSP comp_unit = GetOrCreateCompileUnit(*cii);
1557
1558 InlineSiteSym inline_site(static_cast<SymbolRecordKind>(sym.kind()));
1559 cantFail(SymbolDeserializer::deserializeAs<InlineSiteSym>(sym, inline_site));
1560 PdbCompilandSymId parent_id(id.modi, inline_site.Parent);
1561
1562 std::shared_ptr<InlineSite> inline_site_sp =
1563 std::make_shared<InlineSite>(parent_id);
1564
1565 // Get the inlined function declaration info.
1566 auto iter = cii->m_inline_map.find(inline_site.Inlinee);
1567 if (iter == cii->m_inline_map.end())
1568 return;
1569 InlineeSourceLine inlinee_line = iter->second;
1570
1571 const SupportFileList &files = comp_unit->GetSupportFiles();
1572 FileSpec decl_file;
1573 llvm::Expected<uint32_t> file_index_or_err =
1574 GetFileIndex(*cii, inlinee_line.Header->FileID);
1575 if (!file_index_or_err)
1576 return;
1577 uint32_t file_offset = file_index_or_err.get();
1578 decl_file = files.GetFileSpecAtIndex(file_offset);
1579 uint32_t decl_line = inlinee_line.Header->SourceLineNum;
1580 std::unique_ptr<Declaration> decl_up =
1581 std::make_unique<Declaration>(decl_file, decl_line);
1582
1583 // Parse range and line info.
1584 uint32_t code_offset = 0;
1585 int32_t line_offset = 0;
1586 std::optional<uint32_t> code_offset_base;
1587 std::optional<uint32_t> code_offset_end;
1588 std::optional<int32_t> cur_line_offset;
1589 std::optional<int32_t> next_line_offset;
1590 std::optional<uint32_t> next_file_offset;
1591
1592 bool is_terminal_entry = false;
1593 bool is_start_of_statement = true;
1594 // The first instruction is the prologue end.
1595 bool is_prologue_end = true;
1596
1597 auto update_code_offset = [&](uint32_t code_delta) {
1598 if (!code_offset_base)
1599 code_offset_base = code_offset;
1600 else if (!code_offset_end)
1601 code_offset_end = *code_offset_base + code_delta;
1602 };
1603 auto update_line_offset = [&](int32_t line_delta) {
1604 line_offset += line_delta;
1605 if (!code_offset_base || !cur_line_offset)
1606 cur_line_offset = line_offset;
1607 else
1608 next_line_offset = line_offset;
1609 ;
1610 };
1611 auto update_file_offset = [&](uint32_t offset) {
1612 if (!code_offset_base)
1613 file_offset = offset;
1614 else
1615 next_file_offset = offset;
1616 };
1617
1618 for (auto &annot : inline_site.annotations()) {
1619 switch (annot.OpCode) {
1620 case BinaryAnnotationsOpCode::CodeOffset:
1621 case BinaryAnnotationsOpCode::ChangeCodeOffset:
1622 case BinaryAnnotationsOpCode::ChangeCodeOffsetBase:
1623 code_offset += annot.U1;
1624 update_code_offset(annot.U1);
1625 break;
1626 case BinaryAnnotationsOpCode::ChangeLineOffset:
1627 update_line_offset(annot.S1);
1628 break;
1629 case BinaryAnnotationsOpCode::ChangeCodeLength:
1630 update_code_offset(annot.U1);
1631 code_offset += annot.U1;
1632 is_terminal_entry = true;
1633 break;
1634 case BinaryAnnotationsOpCode::ChangeCodeOffsetAndLineOffset:
1635 code_offset += annot.U1;
1636 update_code_offset(annot.U1);
1637 update_line_offset(annot.S1);
1638 break;
1639 case BinaryAnnotationsOpCode::ChangeCodeLengthAndCodeOffset:
1640 code_offset += annot.U2;
1641 update_code_offset(annot.U2);
1642 update_code_offset(annot.U1);
1643 code_offset += annot.U1;
1644 is_terminal_entry = true;
1645 break;
1646 case BinaryAnnotationsOpCode::ChangeFile:
1647 update_file_offset(annot.U1);
1648 break;
1649 default:
1650 break;
1651 }
1652
1653 // Add range if current range is finished.
1654 if (code_offset_base && code_offset_end && cur_line_offset) {
1655 inline_site_sp->ranges.Append(RangeSourceLineVector::Entry(
1656 *code_offset_base, *code_offset_end - *code_offset_base,
1657 decl_line + *cur_line_offset));
1658 // Set base, end, file offset and line offset for next range.
1659 if (next_file_offset)
1660 file_offset = *next_file_offset;
1661 if (next_line_offset) {
1662 cur_line_offset = next_line_offset;
1663 next_line_offset = std::nullopt;
1664 }
1665 code_offset_base = is_terminal_entry ? std::nullopt : code_offset_end;
1666 code_offset_end = next_file_offset = std::nullopt;
1667 }
1668 if (code_offset_base && cur_line_offset) {
1669 if (is_terminal_entry) {
1670 LineTable::Entry line_entry(
1671 func_base + *code_offset_base, decl_line + *cur_line_offset, 0,
1672 file_offset, false, false, false, false, true);
1673 inline_site_sp->line_entries.push_back(line_entry);
1674 } else {
1675 LineTable::Entry line_entry(func_base + *code_offset_base,
1676 decl_line + *cur_line_offset, 0,
1677 file_offset, is_start_of_statement, false,
1678 is_prologue_end, false, false);
1679 inline_site_sp->line_entries.push_back(line_entry);
1680 is_prologue_end = false;
1681 is_start_of_statement = false;
1682 }
1683 }
1684 if (is_terminal_entry)
1685 is_start_of_statement = true;
1686 is_terminal_entry = false;
1687 }
1688
1689 inline_site_sp->ranges.Sort();
1690
1691 // Get the inlined function callsite info.
1692 std::unique_ptr<Declaration> callsite_up;
1693 if (!inline_site_sp->ranges.IsEmpty()) {
1694 auto *entry = inline_site_sp->ranges.GetEntryAtIndex(0);
1695 addr_t base_offset = entry->GetRangeBase();
1696 if (cii->m_debug_stream.readSymbolAtOffset(parent_id.offset).kind() ==
1697 S_INLINESITE) {
1698 // Its parent is another inline site, lookup parent site's range vector
1699 // for callsite line.
1700 ParseInlineSite(parent_id, func_base);
1701 std::shared_ptr<InlineSite> parent_site =
1702 m_inline_sites[toOpaqueUid(parent_id)];
1703 FileSpec &parent_decl_file =
1704 parent_site->inline_function_info->GetDeclaration().GetFile();
1705 if (auto *parent_entry =
1706 parent_site->ranges.FindEntryThatContains(base_offset)) {
1707 callsite_up =
1708 std::make_unique<Declaration>(parent_decl_file, parent_entry->data);
1709 }
1710 } else {
1711 // Its parent is a function, lookup global line table for callsite.
1712 if (auto *entry = cii->m_global_line_table.FindEntryThatContains(
1713 func_base + base_offset)) {
1714 const FileSpec &callsite_file =
1715 files.GetFileSpecAtIndex(entry->data.first);
1716 callsite_up =
1717 std::make_unique<Declaration>(callsite_file, entry->data.second);
1718 }
1719 }
1720 }
1721
1722 // Get the inlined function name.
1723 CVType inlinee_cvt = m_index->ipi().getType(inline_site.Inlinee);
1724 std::string inlinee_name;
1725 if (inlinee_cvt.kind() == LF_MFUNC_ID) {
1726 MemberFuncIdRecord mfr;
1727 cantFail(
1728 TypeDeserializer::deserializeAs<MemberFuncIdRecord>(inlinee_cvt, mfr));
1729 LazyRandomTypeCollection &types = m_index->tpi().typeCollection();
1730 inlinee_name.append(std::string(types.getTypeName(mfr.ClassType)));
1731 inlinee_name.append("::");
1732 inlinee_name.append(mfr.getName().str());
1733 } else if (inlinee_cvt.kind() == LF_FUNC_ID) {
1734 FuncIdRecord fir;
1735 cantFail(TypeDeserializer::deserializeAs<FuncIdRecord>(inlinee_cvt, fir));
1736 TypeIndex parent_idx = fir.getParentScope();
1737 if (!parent_idx.isNoneType()) {
1738 LazyRandomTypeCollection &ids = m_index->ipi().typeCollection();
1739 inlinee_name.append(std::string(ids.getTypeName(parent_idx)));
1740 inlinee_name.append("::");
1741 }
1742 inlinee_name.append(fir.getName().str());
1743 }
1744 inline_site_sp->inline_function_info = std::make_shared<InlineFunctionInfo>(
1745 inlinee_name.c_str(), llvm::StringRef(), decl_up.get(),
1746 callsite_up.get());
1747
1748 m_inline_sites[opaque_uid] = inline_site_sp;
1749}
1750
1752 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1753 PdbCompilandSymId func_id = PdbSymUid(func.GetID()).asCompilandSym();
1754 // After we iterate through inline sites inside the function, we already get
1755 // all the info needed, removing from the map to save memory.
1756 std::set<uint64_t> remove_uids;
1757 auto parse_blocks = [&](SymbolKind kind, PdbCompilandSymId id) {
1758 if (kind == S_GPROC32 || kind == S_LPROC32 || kind == S_BLOCK32 ||
1759 kind == S_INLINESITE) {
1760 GetOrCreateBlock(id);
1761 if (kind == S_INLINESITE)
1762 remove_uids.insert(toOpaqueUid(id));
1763 return true;
1764 }
1765 return false;
1766 };
1767 size_t count = ParseSymbolArrayInScope(func_id, parse_blocks);
1768 for (uint64_t uid : remove_uids) {
1769 m_inline_sites.erase(uid);
1770 }
1771
1772 func.GetBlock(false).SetBlockInfoHasBeenParsed(true, true);
1773 return count;
1774}
1775
1777 PdbCompilandSymId parent_id,
1778 llvm::function_ref<bool(SymbolKind, PdbCompilandSymId)> fn) {
1779 CompilandIndexItem *cii = m_index->compilands().GetCompiland(parent_id.modi);
1780 CVSymbolArray syms =
1781 cii->m_debug_stream.getSymbolArrayForScope(parent_id.offset);
1782
1783 size_t count = 1;
1784 for (auto iter = syms.begin(); iter != syms.end(); ++iter) {
1785 PdbCompilandSymId child_id(parent_id.modi, iter.offset());
1786 if (fn(iter->kind(), child_id))
1787 ++count;
1788 }
1789
1790 return count;
1791}
1792
1793void SymbolFileNativePDB::DumpClangAST(Stream &s, llvm::StringRef filter,
1794 bool show_color) {
1796 if (!ts_or_err)
1797 return;
1798 auto ts = *ts_or_err;
1799 TypeSystemClang *clang = llvm::dyn_cast_or_null<TypeSystemClang>(ts.get());
1800 if (!clang)
1801 return;
1802 clang->GetNativePDBParser()->Dump(s, filter, show_color);
1803}
1804
1806 if (!m_func_full_names.IsEmpty() || !m_global_variable_base_names.IsEmpty())
1807 return;
1808
1809 // (segment, code offset) -> gid
1810 std::map<std::pair<uint16_t, uint32_t>, uint32_t> func_addr_ids;
1811
1812 // First, look through all items in the globals table.
1813 for (const uint32_t gid : m_index->globals().getGlobalsTable()) {
1814 CVSymbol sym = m_index->symrecords().readRecord(gid);
1815 auto kind = sym.kind();
1816
1817 // If this is a global variable, we only need to look at the name
1818 llvm::StringRef name;
1819 switch (kind) {
1820 case SymbolKind::S_GDATA32:
1821 case SymbolKind::S_LDATA32: {
1822 DataSym data =
1823 llvm::cantFail(SymbolDeserializer::deserializeAs<DataSym>(sym));
1824 name = data.Name;
1825 break;
1826 }
1827 case SymbolKind::S_GTHREAD32:
1828 case SymbolKind::S_LTHREAD32: {
1829 ThreadLocalDataSym data = llvm::cantFail(
1830 SymbolDeserializer::deserializeAs<ThreadLocalDataSym>(sym));
1831 name = data.Name;
1832 break;
1833 }
1834 case SymbolKind::S_CONSTANT: {
1835 ConstantSym data =
1836 llvm::cantFail(SymbolDeserializer::deserializeAs<ConstantSym>(sym));
1837 name = data.Name;
1838 break;
1839 }
1840 default:
1841 break;
1842 }
1843
1844 if (!name.empty()) {
1845 llvm::StringRef base = MSVCUndecoratedNameParser::DropScope(name);
1846 if (base.empty())
1847 base = name;
1848
1849 m_global_variable_base_names.Append(ConstString(base), gid);
1850 continue;
1851 }
1852
1853 if (kind != S_PROCREF && kind != S_LPROCREF)
1854 continue;
1855
1856 // For functions, we need to follow the reference to the procedure and look
1857 // at the type
1858
1859 ProcRefSym ref =
1860 llvm::cantFail(SymbolDeserializer::deserializeAs<ProcRefSym>(sym));
1861 if (ref.Name.empty())
1862 continue;
1863
1864 // Find the function this is referencing.
1865 CompilandIndexItem &cci =
1866 m_index->compilands().GetOrCreateCompiland(ref.modi());
1867 auto iter = cci.m_debug_stream.getSymbolArray().at(ref.SymOffset);
1868 if (iter == cci.m_debug_stream.getSymbolArray().end())
1869 continue;
1870 kind = iter->kind();
1871 if (kind != S_GPROC32 && kind != S_LPROC32)
1872 continue;
1873
1874 ProcSym proc =
1875 llvm::cantFail(SymbolDeserializer::deserializeAs<ProcSym>(*iter));
1876 if ((proc.Flags & ProcSymFlags::IsUnreachable) != ProcSymFlags::None)
1877 continue;
1878 if (proc.Name.empty() || proc.FunctionType.isSimple())
1879 continue;
1880
1881 // The function/procedure symbol only contains the demangled name.
1882 // The mangled names are in the publics table. Save the address of this
1883 // function to lookup the mangled name later.
1884 func_addr_ids.emplace(std::make_pair(proc.Segment, proc.CodeOffset), gid);
1885
1886 llvm::StringRef basename = MSVCUndecoratedNameParser::DropScope(proc.Name);
1887 if (basename.empty())
1888 basename = proc.Name;
1889
1890 m_func_base_names.Append(ConstString(basename), gid);
1891 m_func_full_names.Append(ConstString(proc.Name), gid);
1892
1893 // To see if this is a member function, check the type.
1894 auto type = m_index->tpi().getType(proc.FunctionType);
1895 if (type.kind() == LF_MFUNCTION) {
1896 MemberFunctionRecord mfr;
1897 llvm::cantFail(
1898 TypeDeserializer::deserializeAs<MemberFunctionRecord>(type, mfr));
1899 if (!mfr.getThisType().isNoneType())
1900 m_func_method_names.Append(ConstString(basename), gid);
1901 }
1902 }
1903
1904 // The publics stream contains all mangled function names and their address.
1905 for (auto pid : m_index->publics().getPublicsTable()) {
1906 PdbGlobalSymId global{pid, true};
1907 CVSymbol sym = m_index->ReadSymbolRecord(global);
1908 auto kind = sym.kind();
1909 if (kind != S_PUB32)
1910 continue;
1911 PublicSym32 pub =
1912 llvm::cantFail(SymbolDeserializer::deserializeAs<PublicSym32>(sym));
1913 // We only care about mangled names - if the name isn't mangled, it's
1914 // already in the full name map.
1915 if (!Mangled::IsMangledName(pub.Name))
1916 continue;
1917
1918 // Check if this symbol is for one of our functions.
1919 auto it = func_addr_ids.find({pub.Segment, pub.Offset});
1920 if (it != func_addr_ids.end())
1921 m_func_full_names.Append(ConstString(pub.Name), it->second);
1922 }
1923
1924 // Sort them before value searching is working properly.
1925 m_func_full_names.Sort(std::less<uint32_t>());
1926 m_func_full_names.SizeToFit();
1927 m_func_method_names.Sort(std::less<uint32_t>());
1928 m_func_method_names.SizeToFit();
1929 m_func_base_names.Sort(std::less<uint32_t>());
1930 m_func_base_names.SizeToFit();
1931 m_global_variable_base_names.Sort(std::less<uint32_t>());
1932 m_global_variable_base_names.SizeToFit();
1933}
1934
1936 ConstString name, const CompilerDeclContext &parent_decl_ctx,
1937 uint32_t max_matches, VariableList &variables) {
1938 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1939
1941
1942 std::vector<uint32_t> results;
1943 m_global_variable_base_names.GetValues(name, results);
1944
1945 size_t n_matches = 0;
1946 for (uint32_t gid : results) {
1947 PdbGlobalSymId global(gid, false);
1948
1949 if (parent_decl_ctx.IsValid() &&
1950 GetDeclContextContainingUID(toOpaqueUid(global)) != parent_decl_ctx)
1951 continue;
1952
1954 if (!var)
1955 continue;
1956 variables.AddVariable(var);
1957
1958 if (++n_matches >= max_matches)
1959 break;
1960 }
1961}
1962
1964 const Module::LookupInfo &lookup_info,
1965 const CompilerDeclContext &parent_decl_ctx, bool include_inlines,
1966 SymbolContextList &sc_list) {
1967 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
1968 ConstString name = lookup_info.GetLookupName();
1969 FunctionNameType name_type_mask = lookup_info.GetNameTypeMask();
1970 if (name_type_mask & eFunctionNameTypeFull)
1971 name = lookup_info.GetName();
1972
1973 if (!(name_type_mask & eFunctionNameTypeFull ||
1974 name_type_mask & eFunctionNameTypeBase ||
1975 name_type_mask & eFunctionNameTypeMethod))
1976 return;
1978
1979 std::set<uint32_t> resolved_ids; // avoid duplicate lookups
1980 auto resolve_from = [&](UniqueCStringMap<uint32_t> &Names) {
1981 std::vector<uint32_t> ids;
1982 if (!Names.GetValues(name, ids))
1983 return;
1984
1985 for (uint32_t id : ids) {
1986 if (!resolved_ids.insert(id).second)
1987 continue;
1988
1989 PdbGlobalSymId global{id, false};
1990 if (parent_decl_ctx.IsValid() &&
1991 GetDeclContextContainingUID(toOpaqueUid(global)) != parent_decl_ctx)
1992 continue;
1993
1994 CVSymbol sym = m_index->ReadSymbolRecord(global);
1995 auto kind = sym.kind();
1996 lldbassert(kind == S_PROCREF || kind == S_LPROCREF);
1997
1998 ProcRefSym proc =
1999 cantFail(SymbolDeserializer::deserializeAs<ProcRefSym>(sym));
2000
2001 if (!IsValidRecord(proc))
2002 continue;
2003
2004 CompilandIndexItem &cci =
2005 m_index->compilands().GetOrCreateCompiland(proc.modi());
2006 SymbolContext sc;
2007
2008 sc.comp_unit = GetOrCreateCompileUnit(cci).get();
2009 if (!sc.comp_unit)
2010 continue;
2011
2012 PdbCompilandSymId func_id(proc.modi(), proc.SymOffset);
2013 sc.function = GetOrCreateFunction(func_id, *sc.comp_unit).get();
2014 if (!sc.function)
2015 continue;
2016
2017 sc_list.Append(sc);
2018 }
2019 };
2020
2021 if (name_type_mask & eFunctionNameTypeFull)
2022 resolve_from(m_func_full_names);
2023 if (name_type_mask & eFunctionNameTypeBase)
2024 resolve_from(m_func_base_names);
2025 if (name_type_mask & eFunctionNameTypeMethod)
2026 resolve_from(m_func_method_names);
2027}
2028
2030 bool include_inlines,
2031 SymbolContextList &sc_list) {}
2032
2034 lldb_private::TypeResults &results) {
2035
2036 // Make sure we haven't already searched this SymbolFile before.
2037 if (results.AlreadySearched(this))
2038 return;
2039
2040 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
2041
2042 // We can't query for the full name because the type might reside
2043 // in an anonymous namespace. Search for the basename in our map and check the
2044 // matching types afterwards.
2045 std::vector<uint32_t> matches;
2046 m_type_base_names.GetValues(query.GetTypeBasename(), matches);
2047
2048 for (uint32_t match_idx : matches) {
2049 std::vector context = GetContextForType(TypeIndex(match_idx));
2050 if (context.empty())
2051 continue;
2052
2053 if (query.ContextMatches(context)) {
2054 TypeSP type_sp = GetOrCreateType(TypeIndex(match_idx));
2055 if (!type_sp)
2056 continue;
2057
2058 results.InsertUnique(type_sp);
2059 if (results.Done(query))
2060 return;
2061 }
2062 }
2063}
2064
2066 uint32_t max_matches,
2067 TypeMap &types) {
2068
2069 std::vector<TypeIndex> matches = m_index->tpi().findRecordsByName(name);
2070 if (max_matches > 0 && max_matches < matches.size())
2071 matches.resize(max_matches);
2072
2073 for (TypeIndex ti : matches) {
2074 TypeSP type = GetOrCreateType(ti);
2075 if (!type)
2076 continue;
2077
2078 types.Insert(type);
2079 }
2080}
2081
2083 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
2084 // Only do the full type scan the first time.
2086 return 0;
2087
2088 const size_t old_count = GetTypeList().GetSize();
2089 LazyRandomTypeCollection &types = m_index->tpi().typeCollection();
2090
2091 // First process the entire TPI stream.
2092 for (auto ti = types.getFirst(); ti; ti = types.getNext(*ti)) {
2093 TypeSP type = GetOrCreateType(*ti);
2094 if (type)
2095 (void)type->GetFullCompilerType();
2096 }
2097
2098 // Next look for S_UDT records in the globals stream.
2099 for (const uint32_t gid : m_index->globals().getGlobalsTable()) {
2100 PdbGlobalSymId global{gid, false};
2101 CVSymbol sym = m_index->ReadSymbolRecord(global);
2102 if (sym.kind() != S_UDT)
2103 continue;
2104
2105 UDTSym udt = llvm::cantFail(SymbolDeserializer::deserializeAs<UDTSym>(sym));
2106 bool is_typedef = true;
2107 if (IsTagRecord(PdbTypeSymId{udt.Type, false}, m_index->tpi())) {
2108 CVType cvt = m_index->tpi().getType(udt.Type);
2109 llvm::StringRef name = CVTagRecord::create(cvt).name();
2110 if (name == udt.Name)
2111 is_typedef = false;
2112 }
2113
2114 if (is_typedef)
2115 GetOrCreateTypedef(global);
2116 }
2117
2118 const size_t new_count = GetTypeList().GetSize();
2119
2120 m_done_full_type_scan = true;
2121
2122 return new_count - old_count;
2123}
2124
2125size_t
2127 VariableList &variables) {
2128 PdbSymUid sym_uid(comp_unit.GetID());
2130 for (const uint32_t gid : m_index->globals().getGlobalsTable()) {
2131 PdbGlobalSymId global{gid, false};
2132 CVSymbol sym = m_index->ReadSymbolRecord(global);
2133 // TODO: S_CONSTANT is not handled here to prevent a possible crash in
2134 // lldb_private::npdb::MakeConstantLocationExpression when it's a record
2135 // type (e.g. std::strong_ordering::equal). That function needs to be
2136 // updated to handle this case when we add S_CONSTANT case here.
2137 switch (sym.kind()) {
2138 case SymbolKind::S_GDATA32:
2139 case SymbolKind::S_LDATA32:
2140 case SymbolKind::S_GTHREAD32:
2141 case SymbolKind::S_LTHREAD32: {
2142 if (VariableSP var = GetOrCreateGlobalVariable(global))
2143 variables.AddVariable(var);
2144 break;
2145 }
2146 default:
2147 break;
2148 }
2149 }
2150 return variables.GetSize();
2151}
2152
2154 PdbCompilandSymId var_id,
2155 bool is_param) {
2156 ModuleSP module = GetObjectFile()->GetModule();
2157 Block *block = GetOrCreateBlock(scope_id);
2158 if (!block)
2159 return nullptr;
2160
2161 // Get function block.
2162 Block *func_block = block;
2163 while (func_block->GetParent()) {
2164 func_block = func_block->GetParent();
2165 }
2166
2167 Address addr;
2168 func_block->GetStartAddress(addr);
2169 VariableInfo var_info =
2170 GetVariableLocationInfo(*m_index, var_id, *func_block, module);
2171 Function *func = func_block->CalculateSymbolContextFunction();
2172 if (!func)
2173 return nullptr;
2174 // Use empty dwarf expr if optimized away so that it won't be filtered out
2175 // when lookuping local variables in this scope.
2176 if (!var_info.location.IsValid())
2177 var_info.location = DWARFExpressionList(module, DWARFExpression(), nullptr);
2179 CompilandIndexItem *cii = m_index->compilands().GetCompiland(var_id.modi);
2180 CompUnitSP comp_unit_sp = GetOrCreateCompileUnit(*cii);
2181 TypeSP type_sp = GetOrCreateType(var_info.type);
2182 if (!type_sp)
2183 return nullptr;
2184 std::string name = var_info.name.str();
2185 Declaration decl;
2186 SymbolFileTypeSP sftype =
2187 std::make_shared<SymbolFileType>(*this, type_sp->GetID());
2188
2189 is_param |= var_info.is_param;
2190 ValueType var_scope =
2192 bool external = false;
2193 bool artificial = false;
2194 bool location_is_constant_data = false;
2195 bool static_member = false;
2196 Variable::RangeList scope_ranges;
2197 VariableSP var_sp = std::make_shared<Variable>(
2198 toOpaqueUid(var_id), name.c_str(), name.c_str(), sftype, var_scope, block,
2199 scope_ranges, &decl, var_info.location, external, artificial,
2200 location_is_constant_data, static_member);
2201 if (!is_param) {
2202 auto ts_or_err = GetTypeSystemForLanguage(comp_unit_sp->GetLanguage());
2203 if (auto err = ts_or_err.takeError())
2204 return nullptr;
2205 auto ts = *ts_or_err;
2206 if (!ts)
2207 return nullptr;
2208
2209 ts->GetNativePDBParser()->GetOrCreateVariableDecl(scope_id, var_id);
2210 }
2211 m_local_variables[toOpaqueUid(var_id)] = var_sp;
2212 return var_sp;
2213}
2214
2216 PdbCompilandSymId scope_id, PdbCompilandSymId var_id, bool is_param) {
2217 auto iter = m_local_variables.find(toOpaqueUid(var_id));
2218 if (iter != m_local_variables.end())
2219 return iter->second;
2220
2221 return CreateLocalVariable(scope_id, var_id, is_param);
2222}
2223
2225 CVSymbol sym = m_index->ReadSymbolRecord(id);
2226 lldbassert(sym.kind() == SymbolKind::S_UDT);
2227
2228 UDTSym udt = llvm::cantFail(SymbolDeserializer::deserializeAs<UDTSym>(sym));
2229
2230 TypeSP target_type = GetOrCreateType(udt.Type);
2231
2233 if (auto err = ts_or_err.takeError())
2234 return nullptr;
2235 auto ts = *ts_or_err;
2236 if (!ts)
2237 return nullptr;
2238
2239 auto *typedef_decl = ts->GetNativePDBParser()->GetOrCreateTypedefDecl(id);
2240
2241 CompilerType ct = target_type->GetForwardCompilerType();
2242 if (auto *clang = llvm::dyn_cast_or_null<TypeSystemClang>(ts.get()))
2243 ct = clang->GetType(clang->getASTContext().getTypeDeclType(typedef_decl));
2244
2245 Declaration decl;
2246 return MakeType(toOpaqueUid(id), ConstString(udt.Name),
2247 llvm::expectedToOptional(target_type->GetByteSize(nullptr)),
2248 nullptr, target_type->GetID(),
2251}
2252
2254 auto iter = m_types.find(toOpaqueUid(id));
2255 if (iter != m_types.end())
2256 return iter->second;
2257
2258 return CreateTypedef(id);
2259}
2260
2262 Block *block = GetOrCreateBlock(block_id);
2263 if (!block)
2264 return 0;
2265
2266 size_t count = 0;
2267
2268 CompilandIndexItem *cii = m_index->compilands().GetCompiland(block_id.modi);
2269 CVSymbol sym = cii->m_debug_stream.readSymbolAtOffset(block_id.offset);
2270 uint32_t params_remaining = 0;
2271 switch (sym.kind()) {
2272 case S_GPROC32:
2273 case S_LPROC32: {
2274 ProcSym proc(static_cast<SymbolRecordKind>(sym.kind()));
2275 cantFail(SymbolDeserializer::deserializeAs<ProcSym>(sym, proc));
2276 CVType signature = m_index->tpi().getType(proc.FunctionType);
2277 if (signature.kind() == LF_PROCEDURE) {
2278 ProcedureRecord sig;
2279 if (llvm::Error e = TypeDeserializer::deserializeAs<ProcedureRecord>(
2280 signature, sig)) {
2281 llvm::consumeError(std::move(e));
2282 return 0;
2283 }
2284 params_remaining = sig.getParameterCount();
2285 } else if (signature.kind() == LF_MFUNCTION) {
2286 MemberFunctionRecord sig;
2287 if (llvm::Error e = TypeDeserializer::deserializeAs<MemberFunctionRecord>(
2288 signature, sig)) {
2289 llvm::consumeError(std::move(e));
2290 return 0;
2291 }
2292 params_remaining = sig.getParameterCount();
2293 } else
2294 return 0;
2295 break;
2296 }
2297 case S_BLOCK32:
2298 break;
2299 case S_INLINESITE:
2300 break;
2301 default:
2302 lldbassert(false && "Symbol is not a block!");
2303 return 0;
2304 }
2305
2306 VariableListSP variables = block->GetBlockVariableList(false);
2307 if (!variables) {
2308 variables = std::make_shared<VariableList>();
2309 block->SetVariableList(variables);
2310 }
2311
2312 CVSymbolArray syms = limitSymbolArrayToScope(
2313 cii->m_debug_stream.getSymbolArray(), block_id.offset);
2314
2315 // Skip the first record since it's a PROC32 or BLOCK32, and there's
2316 // no point examining it since we know it's not a local variable.
2317 syms.drop_front();
2318 auto iter = syms.begin();
2319 auto end = syms.end();
2320
2321 while (iter != end) {
2322 uint32_t record_offset = iter.offset();
2323 CVSymbol variable_cvs = *iter;
2324 PdbCompilandSymId child_sym_id(block_id.modi, record_offset);
2325 ++iter;
2326
2327 // If this is a block or inline site, recurse into its children and then
2328 // skip it.
2329 if (variable_cvs.kind() == S_BLOCK32 ||
2330 variable_cvs.kind() == S_INLINESITE) {
2331 uint32_t block_end = getScopeEndOffset(variable_cvs);
2332 count += ParseVariablesForBlock(child_sym_id);
2333 iter = syms.at(block_end);
2334 continue;
2335 }
2336
2337 bool is_param = params_remaining > 0;
2338 VariableSP variable;
2339 switch (variable_cvs.kind()) {
2340 case S_REGREL32:
2341 case S_REGISTER:
2342 case S_LOCAL:
2343 variable = GetOrCreateLocalVariable(block_id, child_sym_id, is_param);
2344 if (is_param)
2345 --params_remaining;
2346 if (variable)
2347 variables->AddVariableIfUnique(variable);
2348 break;
2349 default:
2350 break;
2351 }
2352 }
2353
2354 // Pass false for set_children, since we call this recursively so that the
2355 // children will call this for themselves.
2356 block->SetDidParseVariables(true, false);
2357
2358 return count;
2359}
2360
2362 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
2363 lldbassert(sc.function || sc.comp_unit);
2364
2365 VariableListSP variables;
2366 if (sc.block) {
2367 PdbSymUid block_id(sc.block->GetID());
2368
2369 size_t count = ParseVariablesForBlock(block_id.asCompilandSym());
2370 return count;
2371 }
2372
2373 if (sc.function) {
2374 PdbSymUid block_id(sc.function->GetID());
2375
2376 size_t count = ParseVariablesForBlock(block_id.asCompilandSym());
2377 return count;
2378 }
2379
2380 if (sc.comp_unit) {
2381 variables = sc.comp_unit->GetVariableList(false);
2382 if (!variables) {
2383 variables = std::make_shared<VariableList>();
2384 sc.comp_unit->SetVariableList(variables);
2385 }
2386 return ParseVariablesForCompileUnit(*sc.comp_unit, *variables);
2387 }
2388
2389 llvm_unreachable("Unreachable!");
2390}
2391
2394 if (auto err = ts_or_err.takeError())
2395 return CompilerDecl();
2396 auto ts = *ts_or_err;
2397 if (!ts)
2398 return {};
2399
2400 if (auto decl = ts->GetNativePDBParser()->GetOrCreateDeclForUid(uid))
2401 return *decl;
2402 return CompilerDecl();
2403}
2404
2408 if (auto err = ts_or_err.takeError())
2409 return {};
2410 auto ts = *ts_or_err;
2411 if (!ts)
2412 return {};
2413
2414 PdbAstBuilder *ast_builder = ts->GetNativePDBParser();
2415 clang::DeclContext *context =
2416 ast_builder->GetOrCreateDeclContextForUid(PdbSymUid(uid));
2417 if (!context)
2418 return {};
2419
2420 return ast_builder->ToCompilerDeclContext(*context);
2421}
2422
2426 if (auto err = ts_or_err.takeError())
2427 return CompilerDeclContext();
2428 auto ts = *ts_or_err;
2429 if (!ts)
2430 return {};
2431
2432 PdbAstBuilder *ast_builder = ts->GetNativePDBParser();
2433 clang::DeclContext *context = ast_builder->GetParentDeclContext(PdbSymUid(uid));
2434 if (!context)
2435 return CompilerDeclContext();
2436 return ast_builder->ToCompilerDeclContext(*context);
2437}
2438
2440 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
2441 auto iter = m_types.find(type_uid);
2442 // lldb should not be passing us non-sensical type uids. the only way it
2443 // could have a type uid in the first place is if we handed it out, in which
2444 // case we should know about the type. However, that doesn't mean we've
2445 // instantiated it yet. We can vend out a UID for a future type. So if the
2446 // type doesn't exist, let's instantiate it now.
2447 if (iter != m_types.end())
2448 return &*iter->second;
2449
2450 PdbSymUid uid(type_uid);
2452 PdbTypeSymId type_id = uid.asTypeSym();
2453 if (type_id.index.isNoneType())
2454 return nullptr;
2455
2456 TypeSP type_sp = CreateAndCacheType(type_id);
2457 if (!type_sp)
2458 return nullptr;
2459 return &*type_sp;
2460}
2461
2462std::optional<SymbolFile::ArrayInfo>
2464 lldb::user_id_t type_uid, const lldb_private::ExecutionContext *exe_ctx) {
2465 return std::nullopt;
2466}
2467
2469 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
2470 auto clang_type_system = compiler_type.GetTypeSystem<TypeSystemClang>();
2471 if (!clang_type_system)
2472 return false;
2473
2474 PdbAstBuilder *ast_builder =
2475 static_cast<PdbAstBuilder *>(clang_type_system->GetNativePDBParser());
2476 if (ast_builder &&
2477 ast_builder->GetClangASTImporter().CanImport(compiler_type))
2478 return ast_builder->GetClangASTImporter().CompleteType(compiler_type);
2479 clang::QualType qt =
2480 clang::QualType::getFromOpaquePtr(compiler_type.GetOpaqueQualType());
2481
2482 return ast_builder->CompleteType(qt);
2483}
2484
2486 TypeClass type_mask,
2487 lldb_private::TypeList &type_list) {}
2488
2491 const CompilerDeclContext &parent_decl_ctx,
2492 bool /* only_root_namespaces */) {
2493 std::lock_guard<std::recursive_mutex> guard(GetModuleMutex());
2495 if (auto err = ts_or_err.takeError())
2496 return {};
2497 auto ts = *ts_or_err;
2498 if (!ts)
2499 return {};
2500 auto *clang = llvm::dyn_cast_or_null<TypeSystemClang>(ts.get());
2501 if (!clang)
2502 return {};
2503
2504 PdbAstBuilder *ast_builder = clang->GetNativePDBParser();
2505 if (!ast_builder)
2506 return {};
2507
2508 clang::DeclContext *decl_context = nullptr;
2509 if (parent_decl_ctx)
2510 decl_context = static_cast<clang::DeclContext *>(
2511 parent_decl_ctx.GetOpaqueDeclContext());
2512
2513 auto *namespace_decl =
2514 ast_builder->FindNamespaceDecl(decl_context, name.GetStringRef());
2515 if (!namespace_decl)
2516 return CompilerDeclContext();
2517
2518 return clang->CreateDeclContext(namespace_decl);
2519}
2520
2521llvm::Expected<lldb::TypeSystemSP>
2523 auto type_system_or_err =
2524 m_objfile_sp->GetModule()->GetTypeSystemForLanguage(language);
2525 if (type_system_or_err)
2526 if (auto ts = *type_system_or_err)
2527 ts->SetSymbolFile(this);
2528 return type_system_or_err;
2529}
2530
2531uint64_t SymbolFileNativePDB::GetDebugInfoSize(bool load_all_debug_info) {
2532 // PDB files are a separate file that contains all debug info.
2533 return m_index->pdb().getFileSize();
2534}
2535
2537 LazyRandomTypeCollection &types = m_index->tpi().typeCollection();
2538
2539 llvm::DenseMap<TypeIndex, TypeIndex> forward_to_full;
2540 llvm::DenseMap<TypeIndex, TypeIndex> full_to_forward;
2541
2542 struct RecordIndices {
2543 TypeIndex forward;
2544 TypeIndex full;
2545 };
2546
2547 llvm::StringMap<RecordIndices> record_indices;
2548
2549 for (auto ti = types.getFirst(); ti; ti = types.getNext(*ti)) {
2550 CVType type = types.getType(*ti);
2551 if (!IsTagRecord(type))
2552 continue;
2553
2554 CVTagRecord tag = CVTagRecord::create(type);
2555
2556 RecordIndices &indices = record_indices[tag.asTag().getUniqueName()];
2557 if (tag.asTag().isForwardRef()) {
2558 indices.forward = *ti;
2559 } else {
2560 indices.full = *ti;
2561
2562 auto base_name = MSVCUndecoratedNameParser::DropScope(tag.name());
2563 m_type_base_names.Append(ConstString(base_name), ti->getIndex());
2564 }
2565
2566 if (indices.full != TypeIndex::None() &&
2567 indices.forward != TypeIndex::None()) {
2568 forward_to_full[indices.forward] = indices.full;
2569 full_to_forward[indices.full] = indices.forward;
2570 }
2571
2572 // We're looking for LF_NESTTYPE records in the field list, so ignore
2573 // forward references (no field list), and anything without a nested class
2574 // (since there won't be any LF_NESTTYPE records).
2575 if (tag.asTag().isForwardRef() || !tag.asTag().containsNestedClass())
2576 continue;
2577
2578 struct ProcessTpiStream : public TypeVisitorCallbacks {
2579 ProcessTpiStream(PdbIndex &index, TypeIndex parent,
2580 const CVTagRecord &parent_cvt,
2581 llvm::DenseMap<TypeIndex, TypeIndex> &parents)
2582 : index(index), parents(parents), parent(parent),
2583 parent_cvt(parent_cvt) {}
2584
2585 PdbIndex &index;
2586 llvm::DenseMap<TypeIndex, TypeIndex> &parents;
2587
2588 unsigned unnamed_type_index = 1;
2589 TypeIndex parent;
2590 const CVTagRecord &parent_cvt;
2591
2592 llvm::Error visitKnownMember(CVMemberRecord &CVR,
2593 NestedTypeRecord &Record) override {
2594 std::string unnamed_type_name;
2595 if (Record.Name.empty()) {
2596 unnamed_type_name =
2597 llvm::formatv("<unnamed-type-$S{0}>", unnamed_type_index).str();
2598 Record.Name = unnamed_type_name;
2599 ++unnamed_type_index;
2600 }
2601 std::optional<CVTagRecord> tag =
2602 GetNestedTagDefinition(Record, parent_cvt, index.tpi());
2603 if (!tag)
2604 return llvm::ErrorSuccess();
2605
2606 parents[Record.Type] = parent;
2607 return llvm::ErrorSuccess();
2608 }
2609 };
2610
2611 CVType field_list_cvt = m_index->tpi().getType(tag.asTag().FieldList);
2612 ProcessTpiStream process(*m_index, *ti, tag, m_parent_types);
2613 FieldListRecord field_list;
2614 if (llvm::Error error = TypeDeserializer::deserializeAs<FieldListRecord>(
2615 field_list_cvt, field_list))
2616 llvm::consumeError(std::move(error));
2617 if (llvm::Error error = visitMemberRecordStream(field_list.Data, process))
2618 llvm::consumeError(std::move(error));
2619 }
2620
2621 // After calling Append(), the type-name map needs to be sorted again to be
2622 // able to look up a type by its name.
2623 m_type_base_names.Sort(std::less<uint32_t>());
2624
2625 // Now that we know the forward -> full mapping of all type indices, we can
2626 // re-write all the indices. At the end of this process, we want a mapping
2627 // consisting of fwd -> full and full -> full for all child -> parent indices.
2628 // We can re-write the values in place, but for the keys, we must save them
2629 // off so that we don't modify the map in place while also iterating it.
2630 std::vector<TypeIndex> full_keys;
2631 std::vector<TypeIndex> fwd_keys;
2632 for (auto &entry : m_parent_types) {
2633 TypeIndex key = entry.first;
2634 TypeIndex value = entry.second;
2635
2636 auto iter = forward_to_full.find(value);
2637 if (iter != forward_to_full.end())
2638 entry.second = iter->second;
2639
2640 iter = forward_to_full.find(key);
2641 if (iter != forward_to_full.end())
2642 fwd_keys.push_back(key);
2643 else
2644 full_keys.push_back(key);
2645 }
2646 for (TypeIndex fwd : fwd_keys) {
2647 TypeIndex full = forward_to_full[fwd];
2648 TypeIndex parent_idx = m_parent_types[fwd];
2649 m_parent_types[full] = parent_idx;
2650 }
2651 for (TypeIndex full : full_keys) {
2652 TypeIndex fwd = full_to_forward[full];
2653 m_parent_types[fwd] = m_parent_types[full];
2654 }
2655}
2656
2657std::optional<PdbCompilandSymId>
2659 CVSymbol sym = m_index->ReadSymbolRecord(id);
2660 if (symbolOpensScope(sym.kind())) {
2661 // If this exact symbol opens a scope, we can just directly access its
2662 // parent.
2663 id.offset = getScopeParentOffset(sym);
2664 // Global symbols have parent offset of 0. Return std::nullopt to indicate
2665 // this.
2666 if (id.offset == 0)
2667 return std::nullopt;
2668 return id;
2669 }
2670
2671 // Otherwise we need to start at the beginning and iterate forward until we
2672 // reach (or pass) this particular symbol
2673 CompilandIndexItem &cii = m_index->compilands().GetOrCreateCompiland(id.modi);
2674 const CVSymbolArray &syms = cii.m_debug_stream.getSymbolArray();
2675
2676 auto begin = syms.begin();
2677 auto end = syms.at(id.offset);
2678 std::vector<PdbCompilandSymId> scope_stack;
2679
2680 while (begin != end) {
2681 if (begin.offset() > id.offset) {
2682 // We passed it. We couldn't even find this symbol record.
2683 lldbassert(false && "Invalid compiland symbol id!");
2684 return std::nullopt;
2685 }
2686
2687 // We haven't found the symbol yet. Check if we need to open or close the
2688 // scope stack.
2689 if (symbolOpensScope(begin->kind())) {
2690 // We can use the end offset of the scope to determine whether or not
2691 // we can just outright skip this entire scope.
2692 uint32_t scope_end = getScopeEndOffset(*begin);
2693 if (scope_end < id.offset) {
2694 begin = syms.at(scope_end);
2695 } else {
2696 // The symbol we're looking for is somewhere in this scope.
2697 scope_stack.emplace_back(id.modi, begin.offset());
2698 }
2699 } else if (symbolEndsScope(begin->kind())) {
2700 scope_stack.pop_back();
2701 }
2702 ++begin;
2703 }
2704 if (scope_stack.empty())
2705 return std::nullopt;
2706 // We have a match! Return the top of the stack
2707 return scope_stack.back();
2708}
2709
2710std::optional<llvm::codeview::TypeIndex>
2711SymbolFileNativePDB::GetParentType(llvm::codeview::TypeIndex ti) {
2712 auto parent_iter = m_parent_types.find(ti);
2713 if (parent_iter == m_parent_types.end())
2714 return std::nullopt;
2715 return parent_iter->second;
2716}
2717
2718std::vector<CompilerContext>
2720 CVType type = m_index->tpi().getType(ti);
2721 if (!IsTagRecord(type))
2722 return {};
2723
2724 CVTagRecord tag = CVTagRecord::create(type);
2725
2726 std::optional<Type::ParsedName> parsed_name =
2728 if (!parsed_name)
2729 return {{tag.contextKind(), ConstString(tag.name())}};
2730
2731 std::vector<CompilerContext> ctx;
2732 // assume everything is a namespace at first
2733 for (llvm::StringRef scope : parsed_name->scope) {
2734 ctx.emplace_back(CompilerContextKind::Namespace, ConstString(scope));
2735 }
2736 // we know the kind of our own type
2737 ctx.emplace_back(tag.contextKind(), ConstString(parsed_name->basename));
2738
2739 // try to find the kind of parents
2740 for (auto &el : llvm::reverse(llvm::drop_end(ctx))) {
2741 std::optional<TypeIndex> parent = GetParentType(ti);
2742 if (!parent)
2743 break;
2744
2745 ti = *parent;
2746 type = m_index->tpi().getType(ti);
2747 switch (type.kind()) {
2748 case LF_CLASS:
2749 case LF_STRUCTURE:
2750 case LF_INTERFACE:
2752 continue;
2753 case LF_UNION:
2755 continue;
2756 case LF_ENUM:
2757 el.kind = CompilerContextKind::Enum;
2758 continue;
2759 default:
2760 break;
2761 }
2762 break;
2763 }
2764 return ctx;
2765}
2766
2767std::optional<llvm::StringRef>
2769 const CompilandIndexItem *cci =
2770 m_index->compilands().GetCompiland(func_id.modi);
2771 if (!cci)
2772 return std::nullopt;
2773
2774 CVSymbol sym_record = cci->m_debug_stream.readSymbolAtOffset(func_id.offset);
2775 if (sym_record.kind() != S_LPROC32 && sym_record.kind() != S_GPROC32)
2776 return std::nullopt;
2777
2778 ProcSym proc(static_cast<SymbolRecordKind>(sym_record.kind()));
2779 cantFail(SymbolDeserializer::deserializeAs<ProcSym>(sym_record, proc));
2780
2781 return FindMangledSymbol(SegmentOffset(proc.Segment, proc.CodeOffset),
2782 proc.FunctionType);
2783}
2784
2785std::optional<llvm::StringRef>
2787 TypeIndex function_type) {
2788 auto symbol = m_index->publics().findByAddress(m_index->symrecords(),
2789 so.segment, so.offset);
2790 if (!symbol)
2791 return std::nullopt;
2792
2793 llvm::StringRef name = symbol->first.Name;
2794 // For functions, we might need to strip the mangled name. See
2795 // StripMangledFunctionName for more info.
2796 if (!function_type.isNoneType() &&
2797 (symbol->first.Flags & PublicSymFlags::Function) != PublicSymFlags::None)
2798 name = StripMangledFunctionName(name, function_type);
2799
2800 return name;
2801}
2802
2803llvm::StringRef
2805 PdbTypeSymId func_ty) {
2806 // "In non-64 bit environments" (on x86 in pactice), __cdecl functions get
2807 // prefixed with an underscore. For compilers using LLVM, this happens in LLVM
2808 // (as opposed to the compiler frontend). Because of this, DWARF doesn't
2809 // contain the "full" mangled name in DW_AT_linkage_name for these functions.
2810 // We strip the mangling here for compatibility with DWARF. See
2811 // llvm.org/pr161676 and
2812 // https://learn.microsoft.com/en-us/cpp/build/reference/decorated-names#FormatC
2813
2814 if (!mangled.starts_with('_') ||
2815 m_index->dbi().getMachineType() != PDB_Machine::x86)
2816 return mangled;
2817
2818 CVType cvt = m_index->tpi().getType(func_ty.index);
2819 PDB_CallingConv cc = PDB_CallingConv::NearC;
2820 if (cvt.kind() == LF_PROCEDURE) {
2821 ProcedureRecord proc;
2822 if (llvm::Error error =
2823 TypeDeserializer::deserializeAs<ProcedureRecord>(cvt, proc))
2824 llvm::consumeError(std::move(error));
2825 cc = proc.CallConv;
2826 } else if (cvt.kind() == LF_MFUNCTION) {
2827 MemberFunctionRecord mfunc;
2828 if (llvm::Error error =
2829 TypeDeserializer::deserializeAs<MemberFunctionRecord>(cvt, mfunc))
2830 llvm::consumeError(std::move(error));
2831 cc = mfunc.CallConv;
2832 } else {
2833 LLDB_LOG(GetLog(LLDBLog::Symbols), "Unexpected function type, got {0}",
2834 cvt.kind());
2835 return mangled;
2836 }
2837
2838 if (cc == PDB_CallingConv::NearC || cc == PDB_CallingConv::FarC)
2839 return mangled.drop_front();
2840
2841 return mangled;
2842}
2843
2845 for (CVType cvt : m_index->ipi().typeArray()) {
2846 switch (cvt.kind()) {
2847 case LF_UDT_SRC_LINE: {
2848 UdtSourceLineRecord udt_src;
2849 llvm::cantFail(TypeDeserializer::deserializeAs(cvt, udt_src));
2850 m_udt_declarations.try_emplace(
2851 udt_src.UDT, UdtDeclaration{/*FileNameIndex=*/udt_src.SourceFile,
2852 /*IsIpiIndex=*/true,
2853 /*Line=*/udt_src.LineNumber});
2854 } break;
2855 case LF_UDT_MOD_SRC_LINE: {
2856 UdtModSourceLineRecord udt_mod_src;
2857 llvm::cantFail(TypeDeserializer::deserializeAs(cvt, udt_mod_src));
2858 // Some types might be contributed by multiple modules. We assume that
2859 // they all point to the same file and line because we can only provide
2860 // one location.
2861 m_udt_declarations.try_emplace(
2862 udt_mod_src.UDT,
2863 UdtDeclaration{/*FileNameIndex=*/udt_mod_src.SourceFile,
2864 /*IsIpiIndex=*/false,
2865 /*Line=*/udt_mod_src.LineNumber});
2866 } break;
2867 default:
2868 break;
2869 }
2870 }
2871}
2872
2873llvm::Expected<Declaration>
2875 std::call_once(m_cached_udt_declarations, [this] { CacheUdtDeclarations(); });
2876
2877 auto it = m_udt_declarations.find(type_id.index);
2878 if (it == m_udt_declarations.end())
2879 return llvm::createStringError("No UDT declaration found");
2880
2881 llvm::StringRef file_name;
2882 if (it->second.IsIpiIndex) {
2883 CVType cvt = m_index->ipi().getType(it->second.FileNameIndex);
2884 if (cvt.kind() != LF_STRING_ID)
2885 return llvm::createStringError("File name was not a LF_STRING_ID");
2886
2887 StringIdRecord sid;
2888 llvm::cantFail(TypeDeserializer::deserializeAs(cvt, sid));
2889 file_name = sid.String;
2890 } else {
2891 // The file name index is an index into the string table
2892 auto string_table = m_index->pdb().getStringTable();
2893 if (!string_table)
2894 return string_table.takeError();
2895
2896 llvm::Expected<llvm::StringRef> string =
2897 string_table->getStringTable().getString(
2898 it->second.FileNameIndex.getIndex());
2899 if (!string)
2900 return string.takeError();
2901 file_name = *string;
2902 }
2903
2904 // rustc sets the filename to "<unknown>" for some files
2905 if (file_name == "\\<unknown>")
2906 return Declaration();
2907
2908 return Declaration(FileSpec(file_name), it->second.Line);
2909}
static llvm::raw_ostream & error(Stream &strm)
#define lldbassert(x)
Definition LLDBAssert.h:16
#define LLDB_LOG(log,...)
The LLDB_LOG* macros defined below are the way to emit log messages.
Definition Log.h:369
#define LLDB_LOG_ERROR(log, error,...)
Definition Log.h:392
static std::unique_ptr< PDBFile > loadMatchingPDBFile(std::string exe_path, llvm::BumpPtrAllocator &allocator)
static std::optional< CVTagRecord > GetNestedTagDefinition(const NestedTypeRecord &Record, const CVTagRecord &parent, TpiStream &tpi)
static lldb::LanguageType TranslateLanguage(PDB_Lang lang)
static std::string GetUnqualifiedTypeName(const TagRecord &record)
static llvm::StringRef GetSimpleTypeName(SimpleTypeKind kind)
static bool IsClassRecord(TypeLeafKind kind)
static bool IsFunctionEpilogue(const CompilandIndexItem &cci, lldb::addr_t addr)
static bool NeedsResolvedCompileUnit(uint32_t resolve_scope)
static bool IsFunctionPrologue(const CompilandIndexItem &cci, lldb::addr_t addr)
static llvm::StringRef DropScope(llvm::StringRef name)
static bool UseNativePDB()
A section + offset based address class.
Definition Address.h:62
lldb::addr_t GetFileAddress() const
Get the file address.
Definition Address.cpp:281
bool IsValid() const
Check if the object state is valid.
Definition Address.h:355
A class that describes a single lexical block.
Definition Block.h:41
RangeList::Entry Range
Definition Block.h:44
lldb::VariableListSP GetBlockVariableList(bool can_create)
Get the variable list for this block only.
Definition Block.cpp:392
Block * FindInnermostBlockByOffset(const lldb::addr_t offset)
Definition Block.cpp:127
void SetBlockInfoHasBeenParsed(bool b, bool set_children)
Definition Block.cpp:479
lldb::BlockSP CreateChild(lldb::user_id_t uid)
Creates a block with the specified UID uid.
Definition Block.cpp:380
Function * CalculateSymbolContextFunction() override
Definition Block.cpp:150
void SetVariableList(lldb::VariableListSP &variable_list_sp)
Set accessor for the variable list.
Definition Block.h:319
Block * GetParent() const
Get the parent block.
Definition Block.cpp:202
bool GetStartAddress(Address &addr)
Definition Block.cpp:317
void SetDidParseVariables(bool b, bool set_children)
Definition Block.cpp:489
bool CanImport(const CompilerType &type)
Returns true iff the given type was copied from another TypeSystemClang and the original type in this...
bool CompleteType(const CompilerType &compiler_type)
A class that describes a compilation unit.
Definition CompileUnit.h:43
void SetVariableList(lldb::VariableListSP &variable_list_sp)
Set accessor for the variable list.
lldb::VariableListSP GetVariableList(bool can_create)
Get the variable list for a compile unit.
const FileSpec & GetPrimaryFile() const
Return the primary source spec associated with this compile unit.
void ResolveSymbolContext(const SourceLocationSpec &src_location_spec, lldb::SymbolContextItem resolve_scope, SymbolContextList &sc_list, RealpathPrefixes *realpath_prefixes=nullptr)
Resolve symbol contexts by file and line.
void SetLineTable(LineTable *line_table)
Set the line table for the compile unit.
void AddFunction(lldb::FunctionSP &function_sp)
Add a function to this compile unit.
size_t GetNumFunctions() const
Returns the number of functions in this compile unit.
lldb::LanguageType GetLanguage()
LineTable * GetLineTable()
Get the line table for the compile unit.
Represents a generic declaration context in a program.
Represents a generic declaration such as a function declaration.
Generic representation of a type in a programming language.
TypeSystemSPWrapper GetTypeSystem() const
Accessors.
lldb::opaque_compiler_type_t GetOpaqueQualType() const
A uniqued constant string class.
Definition ConstString.h:40
llvm::StringRef GetStringRef() const
Get the string value as a llvm::StringRef.
const char * GetCString() const
Get the string value as a C string.
"lldb/Expression/DWARFExpressionList.h" Encapsulates a range map from file address range to a single ...
bool IsValid() const
Return true if the location expression contains data.
void SetFuncFileAddress(lldb::addr_t func_file_addr)
"lldb/Expression/DWARFExpression.h" Encapsulates a DWARF location expression and interprets it.
A class to manage flag bits.
Definition Debugger.h:80
A class that describes the declaration location of a lldb object.
Definition Declaration.h:24
"lldb/Target/ExecutionContext.h" A class that contains an execution context.
A file utility class.
Definition FileSpec.h:57
static bool Match(const FileSpec &pattern, const FileSpec &file)
Match FileSpec pattern against FileSpec file.
Definition FileSpec.cpp:301
const ConstString & GetFilename() const
Filename string const get accessor.
Definition FileSpec.h:251
FileSpec CopyByRemovingLastPathComponent() const
Definition FileSpec.cpp:431
llvm::sys::path::Style Style
Definition FileSpec.h:59
static FileSystem & Instance()
A class that describes a function.
Definition Function.h:400
const Address & GetAddress() const
Return the address of the function (its entry point).
Definition Function.h:453
Block & GetBlock(bool can_create)
Get accessor for the block list.
Definition Function.cpp:382
static void AppendLineEntryToSequence(Sequence &sequence, lldb::addr_t file_addr, uint32_t line, uint16_t column, uint16_t file_idx, bool is_start_of_statement, bool is_start_of_basic_block, bool is_prologue_end, bool is_epilogue_begin, bool is_terminal_entry)
Definition LineTable.cpp:59
A class that handles mangled names.
Definition Mangled.h:34
static bool IsMangledName(llvm::StringRef name)
Definition Mangled.cpp:39
lldb::ModuleSP GetModule() const
Get const accessor for the module pointer.
A class that encapsulates name lookup information.
Definition Module.h:916
lldb::FunctionNameType GetNameTypeMask() const
Definition Module.h:931
ConstString GetLookupName() const
Definition Module.h:927
ConstString GetName() const
Definition Module.h:923
static std::unique_ptr< llvm::pdb::PDBFile > loadPDBFile(std::string PdbPath, llvm::BumpPtrAllocator &Allocator)
static bool RegisterPlugin(llvm::StringRef name, llvm::StringRef description, ABICreateInstance create_callback)
static bool UnregisterPlugin(ABICreateInstance create_callback)
RangeData< lldb::addr_t, uint32_t, std::pair< uint32_t, uint32_t > > Entry
Definition RangeMap.h:462
void Append(const Entry &entry)
Definition RangeMap.h:470
Entry * FindEntryThatContains(B addr)
Definition RangeMap.h:579
"lldb/Core/SourceLocationSpec.h" A source location specifier class.
A stream class that can stream formatted output to a file.
Definition Stream.h:28
A list of support files for a CompileUnit.
const FileSpec & GetFileSpecAtIndex(size_t idx) const
void Append(const FileSpec &file)
Defines a list of symbol context objects.
uint32_t GetSize() const
Get accessor for a symbol context list size.
void Append(const SymbolContext &sc)
Append a new symbol context to the list.
"lldb/Symbol/SymbolContextScope.h" Inherit from this if your object is part of a symbol context and c...
Defines a symbol context baton that can be handed other debug core functions.
Function * function
The Function for a given query.
Block * block
The Block for a given query.
CompileUnit * comp_unit
The CompileUnit for a given query.
LineEntry line_entry
The LineEntry for a given query.
lldb::CompUnitSP GetCompileUnitAtIndex(uint32_t idx) override
ObjectFile * GetObjectFile() override
Definition SymbolFile.h:566
virtual TypeList & GetTypeList()
Definition SymbolFile.h:639
lldb::ObjectFileSP m_objfile_sp
Definition SymbolFile.h:642
void SetCompileUnitAtIndex(uint32_t idx, const lldb::CompUnitSP &cu_sp)
SymbolFileCommon(lldb::ObjectFileSP objfile_sp)
Definition SymbolFile.h:551
uint32_t GetNumCompileUnits() override
lldb::TypeSP MakeType(lldb::user_id_t uid, ConstString name, std::optional< uint64_t > byte_size, SymbolContextScope *context, lldb::user_id_t encoding_uid, Type::EncodingDataType encoding_uid_type, const Declaration &decl, const CompilerType &compiler_qual_type, Type::ResolveState compiler_type_resolve_state, uint32_t opaque_payload=0) override
This function is used to create types that belong to a SymbolFile.
Definition SymbolFile.h:610
virtual std::recursive_mutex & GetModuleMutex() const
Symbols file subclasses should override this to return the Module that owns the TypeSystem that this ...
void SetByteSize(lldb::addr_t size)
Definition Symbol.h:213
Symbol * SymbolAtIndex(size_t idx)
Definition Symtab.cpp:228
uint32_t AddSymbol(const Symbol &symbol)
Definition Symtab.cpp:64
uint32_t GetSize() const
Definition TypeList.cpp:60
void Insert(const lldb::TypeSP &type)
Definition TypeList.cpp:27
void Insert(const lldb::TypeSP &type)
Definition TypeMap.cpp:27
A class that contains all state required for type lookups.
Definition Type.h:104
ConstString GetTypeBasename() const
Get the type basename to use when searching the type indexes in each SymbolFile object.
Definition Type.cpp:113
bool ContextMatches(llvm::ArrayRef< lldb_private::CompilerContext > context) const
Check of a CompilerContext array from matching type from a symbol file matches the m_context.
Definition Type.cpp:129
This class tracks the state and results of a TypeQuery.
Definition Type.h:344
bool InsertUnique(const lldb::TypeSP &type_sp)
When types that match a TypeQuery are found, this API is used to insert the matching types.
Definition Type.cpp:194
bool Done(const TypeQuery &query) const
Check if the type matching has found all of the matches that it needs.
Definition Type.cpp:200
bool AlreadySearched(lldb_private::SymbolFile *sym_file)
Check if a SymbolFile object has already been searched by this type match object.
Definition Type.cpp:190
A TypeSystem implementation based on Clang.
Interface for representing a type system.
Definition TypeSystem.h:70
virtual npdb::PdbAstBuilder * GetNativePDBParser()
Definition TypeSystem.h:92
@ eEncodingIsTypedefUID
This type is alias to a type whose UID is m_encoding_uid.
Definition Type.h:434
@ eEncodingIsUID
This type is the type whose UID is m_encoding_uid.
Definition Type.h:423
static std::optional< ParsedName > GetTypeScopeAndBasename(llvm::StringRef name)
Definition Type.cpp:792
void AddVariable(const lldb::VariableSP &var_sp)
RangeVector< lldb::addr_t, lldb::addr_t > RangeList
Definition Variable.h:27
ClangASTImporter & GetClangASTImporter()
clang::DeclContext * GetParentDeclContext(PdbSymUid uid)
CompilerDeclContext ToCompilerDeclContext(clang::DeclContext &context)
clang::DeclContext * FromCompilerDeclContext(CompilerDeclContext context)
CompilerType ToCompilerType(clang::QualType qt)
clang::NamespaceDecl * FindNamespaceDecl(const clang::DeclContext *parent, llvm::StringRef name)
bool CompleteType(clang::QualType qt)
clang::DeclContext * GetOrCreateDeclContextForUid(PdbSymUid uid)
void ParseDeclsForContext(clang::DeclContext &context)
clang::BlockDecl * GetOrCreateBlockDecl(PdbCompilandSymId block_id)
clang::QualType GetOrCreateType(PdbTypeSymId type)
clang::FunctionDecl * GetOrCreateInlinedFunctionDecl(PdbCompilandSymId inlinesite_id)
PdbIndex - Lazy access to the important parts of a PDB file.
Definition PdbIndex.h:47
static llvm::Expected< std::unique_ptr< PdbIndex > > create(llvm::pdb::PDBFile *)
Definition PdbIndex.cpp:43
llvm::pdb::TpiStream & tpi()
Definition PdbIndex.h:124
PdbCompilandId asCompiland() const
PdbCompilandSymId asCompilandSym() const
PdbTypeSymId asTypeSym() const
PdbSymUidKind kind() const
void CreateSimpleArgumentListTypes(llvm::codeview::TypeIndex arglist_ti)
lldb::VariableSP GetOrCreateGlobalVariable(PdbGlobalSymId var_id)
bool ParseLineTable(lldb_private::CompileUnit &comp_unit) override
lldb::TypeSP CreateArrayType(PdbTypeSymId type_id, const llvm::codeview::ArrayRecord &ar, CompilerType ct)
std::optional< ArrayInfo > GetDynamicArrayInfoForUID(lldb::user_id_t type_uid, const lldb_private::ExecutionContext *exe_ctx) override
If type_uid points to an array type, return its characteristics.
void CacheGlobalBaseNames()
Caches the basenames of symbols found in the globals stream.
llvm::Expected< Declaration > ResolveUdtDeclaration(PdbTypeSymId type_id)
lldb::VariableSP CreateGlobalVariable(PdbGlobalSymId var_id)
llvm::Expected< lldb::TypeSystemSP > GetTypeSystemForLanguage(lldb::LanguageType language) override
void InitializeObject() override
Initialize the SymbolFile object.
lldb_private::UniqueCStringMap< uint32_t > m_func_base_names
basename -> Global ID(s)
static SymbolFile * CreateInstance(lldb::ObjectFileSP objfile_sp)
llvm::DenseMap< lldb::user_id_t, lldb::TypeSP > m_types
bool CompleteType(CompilerType &compiler_type) override
lldb::LanguageType ParseLanguage(lldb_private::CompileUnit &comp_unit) override
CompilerDeclContext GetDeclContextForUID(lldb::user_id_t uid) override
void DumpClangAST(Stream &s, llvm::StringRef filter, bool show_color) override
lldb::VariableSP GetOrCreateLocalVariable(PdbCompilandSymId scope_id, PdbCompilandSymId var_id, bool is_param)
size_t ParseVariablesForContext(const SymbolContext &sc) override
size_t ParseFunctions(lldb_private::CompileUnit &comp_unit) override
lldb::TypeSP CreatePointerType(PdbTypeSymId type_id, const llvm::codeview::PointerRecord &pr, CompilerType ct)
lldb::FunctionSP CreateFunction(PdbCompilandSymId func_id, CompileUnit &comp_unit)
llvm::DenseMap< lldb::user_id_t, lldb::BlockSP > m_blocks
bool ParseSupportFiles(lldb_private::CompileUnit &comp_unit, SupportFileList &support_files) override
CompilerDecl GetDeclForUID(lldb::user_id_t uid) override
std::optional< llvm::StringRef > FindMangledFunctionName(PdbCompilandSymId id)
Find the mangled name for a function.
SymbolFileNativePDB(lldb::ObjectFileSP objfile_sp)
lldb::TypeSP GetOrCreateTypedef(PdbGlobalSymId id)
void FindTypesByName(llvm::StringRef name, uint32_t max_matches, TypeMap &types)
lldb::TypeSP CreateTagType(PdbTypeSymId type_id, const llvm::codeview::ClassRecord &cr, CompilerType ct)
lldb::TypeSP GetOrCreateType(PdbTypeSymId type_id)
void GetTypes(SymbolContextScope *sc_scope, lldb::TypeClass type_mask, TypeList &type_list) override
llvm::DenseMap< lldb::user_id_t, lldb::VariableSP > m_local_variables
lldb::VariableSP CreateConstantSymbol(PdbGlobalSymId var_id, const llvm::codeview::CVSymbol &cvs)
lldb::TypeSP CreateType(PdbTypeSymId type_id, CompilerType ct)
lldb_private::UniqueCStringMap< uint32_t > m_func_method_names
method basename -> Global ID(s)
std::optional< llvm::codeview::TypeIndex > GetParentType(llvm::codeview::TypeIndex ti)
lldb_private::UniqueCStringMap< uint32_t > m_global_variable_base_names
global variable basename -> Global ID(s)
void FindFunctions(const Module::LookupInfo &lookup_info, const CompilerDeclContext &parent_decl_ctx, bool include_inlines, SymbolContextList &sc_list) override
std::unique_ptr< llvm::pdb::PDBFile > m_file_up
lldb::VariableSP CreateLocalVariable(PdbCompilandSymId scope_id, PdbCompilandSymId var_id, bool is_param)
lldb::TypeSP CreateProcedureType(PdbTypeSymId type_id, const llvm::codeview::ProcedureRecord &pr, CompilerType ct)
lldb::TypeSP CreateModifierType(PdbTypeSymId type_id, const llvm::codeview::ModifierRecord &mr, CompilerType ct)
uint64_t GetDebugInfoSize(bool load_all_debug_info=false) override
Metrics gathering functions.
std::optional< llvm::StringRef > FindMangledSymbol(SegmentOffset so, llvm::codeview::TypeIndex function_type=llvm::codeview::TypeIndex())
Find a symbol name at a specific address (so).
size_t ParseTypes(lldb_private::CompileUnit &comp_unit) override
Block * GetOrCreateBlock(PdbCompilandSymId block_id)
size_t ParseBlocksRecursive(Function &func) override
lldb::CompUnitSP CreateCompileUnit(const CompilandIndexItem &cci)
std::optional< PdbCompilandSymId > FindSymbolScope(PdbCompilandSymId id)
size_t ParseSymbolArrayInScope(PdbCompilandSymId parent, llvm::function_ref< bool(llvm::codeview::SymbolKind, PdbCompilandSymId)> fn)
size_t ParseVariablesForCompileUnit(CompileUnit &comp_unit, VariableList &variables)
llvm::DenseMap< lldb::user_id_t, lldb::CompUnitSP > m_compilands
Block * CreateBlock(PdbCompilandSymId block_id)
std::vector< CompilerContext > GetContextForType(llvm::codeview::TypeIndex ti)
llvm::Expected< uint32_t > GetFileIndex(const CompilandIndexItem &cii, uint32_t file_id)
lldb::CompUnitSP GetOrCreateCompileUnit(const CompilandIndexItem &cci)
Type * ResolveTypeUID(lldb::user_id_t type_uid) override
llvm::DenseMap< lldb::user_id_t, lldb::FunctionSP > m_functions
bool ParseImportedModules(const SymbolContext &sc, std::vector< lldb_private::SourceModule > &imported_modules) override
llvm::StringRef StripMangledFunctionName(llvm::StringRef mangled, PdbTypeSymId func_ty)
static void DebuggerInitialize(Debugger &debugger)
llvm::DenseMap< lldb::user_id_t, std::shared_ptr< InlineSite > > m_inline_sites
void ParseInlineSite(PdbCompilandSymId inline_site_id, Address func_addr)
lldb::TypeSP CreateClassStructUnion(PdbTypeSymId type_id, const llvm::codeview::TagRecord &record, size_t size, CompilerType ct)
void FindGlobalVariables(ConstString name, const CompilerDeclContext &parent_decl_ctx, uint32_t max_matches, VariableList &variables) override
size_t ParseVariablesForBlock(PdbCompilandSymId block_id)
void ParseDeclsForContext(lldb_private::CompilerDeclContext decl_ctx) override
lldb::FunctionSP GetOrCreateFunction(PdbCompilandSymId func_id, CompileUnit &comp_unit)
llvm::DenseMap< llvm::codeview::TypeIndex, llvm::codeview::TypeIndex > m_parent_types
lldb_private::UniqueCStringMap< uint32_t > m_func_full_names
mangled name/full function name -> Global ID(s)
lldb::CompUnitSP ParseCompileUnitAtIndex(uint32_t index) override
lldb::TypeSP CreateFunctionType(PdbTypeSymId type_id, const llvm::codeview::MemberFunctionRecord &pr, CompilerType ct)
lldb_private::UniqueCStringMap< uint32_t > m_type_base_names
lldb::TypeSP CreateAndCacheType(PdbTypeSymId type_id)
CompilerDeclContext FindNamespace(ConstString name, const CompilerDeclContext &parent_decl_ctx, bool only_root_namespaces) override
Finds a namespace of name name and whose parent context is parent_decl_ctx.
CompilerDeclContext GetDeclContextContainingUID(lldb::user_id_t uid) override
bool ParseDebugMacros(lldb_private::CompileUnit &comp_unit) override
lldb::TypeSP CreateTypedef(PdbGlobalSymId id)
llvm::DenseMap< llvm::codeview::TypeIndex, UdtDeclaration > m_udt_declarations
void FindTypes(const lldb_private::TypeQuery &match, lldb_private::TypeResults &results) override
Find types using a type-matching object that contains all search parameters.
uint32_t ResolveSymbolContext(const Address &so_addr, lldb::SymbolContextItem resolve_scope, SymbolContext &sc) override
llvm::DenseMap< lldb::user_id_t, lldb::VariableSP > m_global_vars
lldb::TypeSP CreateSimpleType(llvm::codeview::TypeIndex ti, CompilerType ct)
#define LLDB_INVALID_UID
#define LLDB_INVALID_ADDRESS
uint64_t toOpaqueUid(const T &cid)
Definition PdbSymUid.h:114
size_t GetTypeSizeForSimpleKind(llvm::codeview::SimpleTypeKind kind)
SegmentOffsetLength GetSegmentOffsetAndLength(const llvm::codeview::CVSymbol &sym)
bool IsTagRecord(llvm::codeview::CVType cvt)
Definition PdbUtil.cpp:517
bool IsValidRecord(const RecordT &sym)
Definition PdbUtil.h:129
DWARFExpression MakeGlobalLocationExpression(uint16_t section, uint32_t offset, lldb::ModuleSP module)
VariableInfo GetVariableLocationInfo(PdbIndex &index, PdbCompilandSymId var_id, Block &func_block, lldb::ModuleSP module)
Definition PdbUtil.cpp:734
bool IsForwardRefUdt(llvm::codeview::CVType cvt)
llvm::pdb::PDB_SymType CVSymToPDBSym(llvm::codeview::SymbolKind kind)
DWARFExpression MakeConstantLocationExpression(llvm::codeview::TypeIndex underlying_ti, llvm::pdb::TpiStream &tpi, const llvm::APSInt &constant, lldb::ModuleSP module)
A class that represents a running process on the host machine.
Log * GetLog(Cat mask)
Retrieve the Log object for the channel associated with the given log enum.
Definition Log.h:332
std::shared_ptr< lldb_private::Function > FunctionSP
std::shared_ptr< lldb_private::Block > BlockSP
std::shared_ptr< lldb_private::ObjectFile > ObjectFileSP
LanguageType
Programming language type.
@ eLanguageTypeUnknown
Unknown or invalid language value.
@ eLanguageTypeRust
Rust.
@ eLanguageTypeObjC_plus_plus
Objective-C++.
@ eLanguageTypeSwift
Swift.
@ eLanguageTypeC
Non-standardized C, such as K&R.
@ eLanguageTypeObjC
Objective-C.
@ eLanguageTypeC_plus_plus
ISO C++:1998.
std::shared_ptr< lldb_private::Type > TypeSP
SymbolType
Symbol types.
std::shared_ptr< lldb_private::VariableList > VariableListSP
std::shared_ptr< lldb_private::SymbolFileType > SymbolFileTypeSP
std::shared_ptr< lldb_private::Variable > VariableSP
uint64_t user_id_t
Definition lldb-types.h:82
std::shared_ptr< lldb_private::Section > SectionSP
uint64_t addr_t
Definition lldb-types.h:80
std::shared_ptr< lldb_private::Module > ModuleSP
std::shared_ptr< lldb_private::CompileUnit > CompUnitSP
@ eValueTypeVariableGlobal
globals variable
@ eValueTypeVariableLocal
function local variables
@ eValueTypeVariableArgument
function argument variables
@ eValueTypeVariableStatic
static variable
@ eValueTypeVariableThreadLocal
thread local storage variable
BaseType GetRangeBase() const
Definition RangeMap.h:45
void SetRangeEnd(BaseType end)
Definition RangeMap.h:80
void SetRangeBase(BaseType b)
Set the start value for the range, and keep the same size.
Definition RangeMap.h:48
lldb::user_id_t GetID() const
Get accessor for the user ID.
Definition UserID.h:47
CompilerContextKind contextKind() const
Definition PdbUtil.h:75
static CVTagRecord create(llvm::codeview::CVType type)
Definition PdbUtil.cpp:198
const llvm::codeview::TagRecord & asTag() const
Definition PdbUtil.h:44
llvm::StringRef name() const
Definition PdbUtil.h:67
Represents a single compile unit.
std::map< llvm::codeview::TypeIndex, llvm::codeview::InlineeSourceLine > m_inline_map
std::optional< llvm::codeview::Compile3Sym > m_compile_opts
llvm::pdb::ModuleDebugStreamRef m_debug_stream
llvm::codeview::StringsAndChecksumsRef m_strings
std::vector< llvm::StringRef > m_file_list
llvm::codeview::TypeIndex index
Definition PdbSymUid.h:76
DWARFExpressionList location
Definition PdbUtil.h:115
llvm::codeview::TypeIndex type
Definition PdbUtil.h:114