1 //===-- ProcessMinidump.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 
9 #include "ProcessMinidump.h"
10 
11 #include "ThreadMinidump.h"
12 
13 #include "lldb/Core/DumpDataExtractor.h"
14 #include "lldb/Core/Module.h"
15 #include "lldb/Core/ModuleSpec.h"
16 #include "lldb/Core/PluginManager.h"
17 #include "lldb/Core/Section.h"
18 #include "lldb/Interpreter/CommandInterpreter.h"
19 #include "lldb/Interpreter/CommandObject.h"
20 #include "lldb/Interpreter/CommandObjectMultiword.h"
21 #include "lldb/Interpreter/CommandReturnObject.h"
22 #include "lldb/Interpreter/OptionArgParser.h"
23 #include "lldb/Interpreter/OptionGroupBoolean.h"
24 #include "lldb/Target/JITLoaderList.h"
25 #include "lldb/Target/MemoryRegionInfo.h"
26 #include "lldb/Target/SectionLoadList.h"
27 #include "lldb/Target/Target.h"
28 #include "lldb/Target/UnixSignals.h"
29 #include "lldb/Utility/LLDBAssert.h"
30 #include "lldb/Utility/Log.h"
31 #include "lldb/Utility/State.h"
32 #include "llvm/BinaryFormat/Magic.h"
33 #include "llvm/Support/MemoryBuffer.h"
34 #include "llvm/Support/Threading.h"
35 
36 #include "Plugins/Process/Utility/StopInfoMachException.h"
37 
38 #include <memory>
39 
40 using namespace lldb;
41 using namespace lldb_private;
42 using namespace minidump;
43 
44 LLDB_PLUGIN_DEFINE(ProcessMinidump)
45 
46 namespace {
47 
48 /// A minimal ObjectFile implementation providing a dummy object file for the
49 /// cases when the real module binary is not available. This allows the module
50 /// to show up in "image list" and symbols to be added to it.
51 class PlaceholderObjectFile : public ObjectFile {
52 public:
53   PlaceholderObjectFile(const lldb::ModuleSP &module_sp,
54                         const ModuleSpec &module_spec, lldb::addr_t base,
55                         lldb::addr_t size)
56       : ObjectFile(module_sp, &module_spec.GetFileSpec(), /*file_offset*/ 0,
57                    /*length*/ 0, /*data_sp*/ nullptr, /*data_offset*/ 0),
58         m_arch(module_spec.GetArchitecture()), m_uuid(module_spec.GetUUID()),
59         m_base(base), m_size(size) {
60     m_symtab_up = std::make_unique<Symtab>(this);
61   }
62 
63   static ConstString GetStaticPluginName() {
64     return ConstString("placeholder");
65   }
66   ConstString GetPluginName() override { return GetStaticPluginName(); }
67   uint32_t GetPluginVersion() override { return 1; }
68   bool ParseHeader() override { return true; }
69   Type CalculateType() override { return eTypeUnknown; }
70   Strata CalculateStrata() override { return eStrataUnknown; }
71   uint32_t GetDependentModules(FileSpecList &file_list) override { return 0; }
72   bool IsExecutable() const override { return false; }
73   ArchSpec GetArchitecture() override { return m_arch; }
74   UUID GetUUID() override { return m_uuid; }
75   Symtab *GetSymtab() override { return m_symtab_up.get(); }
76   bool IsStripped() override { return true; }
77   ByteOrder GetByteOrder() const override { return m_arch.GetByteOrder(); }
78 
79   uint32_t GetAddressByteSize() const override {
80     return m_arch.GetAddressByteSize();
81   }
82 
83   Address GetBaseAddress() override {
84     return Address(m_sections_up->GetSectionAtIndex(0), 0);
85   }
86 
87   void CreateSections(SectionList &unified_section_list) override {
88     m_sections_up = std::make_unique<SectionList>();
89     auto section_sp = std::make_shared<Section>(
90         GetModule(), this, /*sect_id*/ 0, ConstString(".module_image"),
91         eSectionTypeOther, m_base, m_size, /*file_offset*/ 0, /*file_size*/ 0,
92         /*log2align*/ 0, /*flags*/ 0);
93     section_sp->SetPermissions(ePermissionsReadable | ePermissionsExecutable);
94     m_sections_up->AddSection(section_sp);
95     unified_section_list.AddSection(std::move(section_sp));
96   }
97 
98   bool SetLoadAddress(Target &target, addr_t value,
99                       bool value_is_offset) override {
100     assert(!value_is_offset);
101     assert(value == m_base);
102 
103     // Create sections if they haven't been created already.
104     GetModule()->GetSectionList();
105     assert(m_sections_up->GetNumSections(0) == 1);
106 
107     target.GetSectionLoadList().SetSectionLoadAddress(
108         m_sections_up->GetSectionAtIndex(0), m_base);
109     return true;
110   }
111 
112   void Dump(Stream *s) override {
113     s->Format("Placeholder object file for {0} loaded at [{1:x}-{2:x})\n",
114               GetFileSpec(), m_base, m_base + m_size);
115   }
116 
117   lldb::addr_t GetBaseImageAddress() const { return m_base; }
118 private:
119   ArchSpec m_arch;
120   UUID m_uuid;
121   lldb::addr_t m_base;
122   lldb::addr_t m_size;
123 };
124 
125 /// Duplicate the HashElfTextSection() from the breakpad sources.
126 ///
127 /// Breakpad, a Google crash log reporting tool suite, creates minidump files
128 /// for many different architectures. When using Breakpad to create ELF
129 /// minidumps, it will check for a GNU build ID when creating a minidump file
130 /// and if one doesn't exist in the file, it will say the UUID of the file is a
131 /// checksum of up to the first 4096 bytes of the .text section. Facebook also
132 /// uses breakpad and modified this hash to avoid collisions so we can
133 /// calculate and check for this as well.
134 ///
135 /// The breakpad code might end up hashing up to 15 bytes that immediately
136 /// follow the .text section in the file, so this code must do exactly what it
137 /// does so we can get an exact match for the UUID.
138 ///
139 /// \param[in] module_sp The module to grab the .text section from.
140 ///
141 /// \param[in/out] breakpad_uuid A vector that will receive the calculated
142 ///                breakpad .text hash.
143 ///
144 /// \param[in/out] facebook_uuid A vector that will receive the calculated
145 ///                facebook .text hash.
146 ///
147 void HashElfTextSection(ModuleSP module_sp, std::vector<uint8_t> &breakpad_uuid,
148                         std::vector<uint8_t> &facebook_uuid) {
149   SectionList *sect_list = module_sp->GetSectionList();
150   if (sect_list == nullptr)
151     return;
152   SectionSP sect_sp = sect_list->FindSectionByName(ConstString(".text"));
153   if (!sect_sp)
154     return;
155   constexpr size_t kMDGUIDSize = 16;
156   constexpr size_t kBreakpadPageSize = 4096;
157   // The breakpad code has a bug where it might access beyond the end of a
158   // .text section by up to 15 bytes, so we must ensure we round up to the
159   // next kMDGUIDSize byte boundary.
160   DataExtractor data;
161   const size_t text_size = sect_sp->GetFileSize();
162   const size_t read_size = std::min<size_t>(
163       llvm::alignTo(text_size, kMDGUIDSize), kBreakpadPageSize);
164   sect_sp->GetObjectFile()->GetData(sect_sp->GetFileOffset(), read_size, data);
165 
166   breakpad_uuid.assign(kMDGUIDSize, 0);
167   facebook_uuid.assign(kMDGUIDSize, 0);
168 
169   // The only difference between the breakpad hash and the facebook hash is the
170   // hashing of the text section size into the hash prior to hashing the .text
171   // contents.
172   for (size_t i = 0; i < kMDGUIDSize; i++)
173     facebook_uuid[i] ^= text_size % 255;
174 
175   // This code carefully duplicates how the hash was created in Breakpad
176   // sources, including the error where it might has an extra 15 bytes past the
177   // end of the .text section if the .text section is less than a page size in
178   // length.
179   const uint8_t *ptr = data.GetDataStart();
180   const uint8_t *ptr_end = data.GetDataEnd();
181   while (ptr < ptr_end) {
182     for (unsigned i = 0; i < kMDGUIDSize; i++) {
183       breakpad_uuid[i] ^= ptr[i];
184       facebook_uuid[i] ^= ptr[i];
185     }
186     ptr += kMDGUIDSize;
187   }
188 }
189 
190 } // namespace
191 
192 ConstString ProcessMinidump::GetPluginNameStatic() {
193   static ConstString g_name("minidump");
194   return g_name;
195 }
196 
197 const char *ProcessMinidump::GetPluginDescriptionStatic() {
198   return "Minidump plug-in.";
199 }
200 
201 lldb::ProcessSP ProcessMinidump::CreateInstance(lldb::TargetSP target_sp,
202                                                 lldb::ListenerSP listener_sp,
203                                                 const FileSpec *crash_file) {
204   if (!crash_file)
205     return nullptr;
206 
207   lldb::ProcessSP process_sp;
208   // Read enough data for the Minidump header
209   constexpr size_t header_size = sizeof(Header);
210   auto DataPtr = FileSystem::Instance().CreateDataBuffer(crash_file->GetPath(),
211                                                          header_size, 0);
212   if (!DataPtr)
213     return nullptr;
214 
215   lldbassert(DataPtr->GetByteSize() == header_size);
216   if (identify_magic(toStringRef(DataPtr->GetData())) != llvm::file_magic::minidump)
217     return nullptr;
218 
219   auto AllData =
220       FileSystem::Instance().CreateDataBuffer(crash_file->GetPath(), -1, 0);
221   if (!AllData)
222     return nullptr;
223 
224   return std::make_shared<ProcessMinidump>(target_sp, listener_sp, *crash_file,
225                                            std::move(AllData));
226 }
227 
228 bool ProcessMinidump::CanDebug(lldb::TargetSP target_sp,
229                                bool plugin_specified_by_name) {
230   return true;
231 }
232 
233 ProcessMinidump::ProcessMinidump(lldb::TargetSP target_sp,
234                                  lldb::ListenerSP listener_sp,
235                                  const FileSpec &core_file,
236                                  DataBufferSP core_data)
237     : Process(target_sp, listener_sp), m_core_file(core_file),
238       m_core_data(std::move(core_data)), m_is_wow64(false) {}
239 
240 ProcessMinidump::~ProcessMinidump() {
241   Clear();
242   // We need to call finalize on the process before destroying ourselves to
243   // make sure all of the broadcaster cleanup goes as planned. If we destruct
244   // this class, then Process::~Process() might have problems trying to fully
245   // destroy the broadcaster.
246   Finalize();
247 }
248 
249 void ProcessMinidump::Initialize() {
250   static llvm::once_flag g_once_flag;
251 
252   llvm::call_once(g_once_flag, []() {
253     PluginManager::RegisterPlugin(GetPluginNameStatic(),
254                                   GetPluginDescriptionStatic(),
255                                   ProcessMinidump::CreateInstance);
256   });
257 }
258 
259 void ProcessMinidump::Terminate() {
260   PluginManager::UnregisterPlugin(ProcessMinidump::CreateInstance);
261 }
262 
263 Status ProcessMinidump::DoLoadCore() {
264   auto expected_parser = MinidumpParser::Create(m_core_data);
265   if (!expected_parser)
266     return Status(expected_parser.takeError());
267   m_minidump_parser = std::move(*expected_parser);
268 
269   Status error;
270 
271   // Do we support the minidump's architecture?
272   ArchSpec arch = GetArchitecture();
273   switch (arch.GetMachine()) {
274   case llvm::Triple::x86:
275   case llvm::Triple::x86_64:
276   case llvm::Triple::arm:
277   case llvm::Triple::aarch64:
278     // Any supported architectures must be listed here and also supported in
279     // ThreadMinidump::CreateRegisterContextForFrame().
280     break;
281   default:
282     error.SetErrorStringWithFormat("unsupported minidump architecture: %s",
283                                    arch.GetArchitectureName());
284     return error;
285   }
286   GetTarget().SetArchitecture(arch, true /*set_platform*/);
287 
288   m_thread_list = m_minidump_parser->GetThreads();
289   m_active_exception = m_minidump_parser->GetExceptionStream();
290 
291   SetUnixSignals(UnixSignals::Create(GetArchitecture()));
292 
293   ReadModuleList();
294 
295   llvm::Optional<lldb::pid_t> pid = m_minidump_parser->GetPid();
296   if (!pid) {
297     GetTarget().GetDebugger().GetAsyncErrorStream()->PutCString(
298         "Unable to retrieve process ID from minidump file, setting process ID "
299         "to 1.\n");
300     pid = 1;
301   }
302   SetID(pid.getValue());
303 
304   return error;
305 }
306 
307 ConstString ProcessMinidump::GetPluginName() { return GetPluginNameStatic(); }
308 
309 uint32_t ProcessMinidump::GetPluginVersion() { return 1; }
310 
311 Status ProcessMinidump::DoDestroy() { return Status(); }
312 
313 void ProcessMinidump::RefreshStateAfterStop() {
314 
315   if (!m_active_exception)
316     return;
317 
318   constexpr uint32_t BreakpadDumpRequested = 0xFFFFFFFF;
319   if (m_active_exception->ExceptionRecord.ExceptionCode ==
320       BreakpadDumpRequested) {
321     // This "ExceptionCode" value is a sentinel that is sometimes used
322     // when generating a dump for a process that hasn't crashed.
323 
324     // TODO: The definition and use of this "dump requested" constant
325     // in Breakpad are actually Linux-specific, and for similar use
326     // cases on Mac/Windows it defines different constants, referring
327     // to them as "simulated" exceptions; consider moving this check
328     // down to the OS-specific paths and checking each OS for its own
329     // constant.
330     return;
331   }
332 
333   lldb::StopInfoSP stop_info;
334   lldb::ThreadSP stop_thread;
335 
336   Process::m_thread_list.SetSelectedThreadByID(m_active_exception->ThreadId);
337   stop_thread = Process::m_thread_list.GetSelectedThread();
338   ArchSpec arch = GetArchitecture();
339 
340   if (arch.GetTriple().getOS() == llvm::Triple::Linux) {
341     uint32_t signo = m_active_exception->ExceptionRecord.ExceptionCode;
342 
343     if (signo == 0) {
344       // No stop.
345       return;
346     }
347 
348     stop_info = StopInfo::CreateStopReasonWithSignal(
349         *stop_thread, signo);
350   } else if (arch.GetTriple().getVendor() == llvm::Triple::Apple) {
351     stop_info = StopInfoMachException::CreateStopReasonWithMachException(
352         *stop_thread, m_active_exception->ExceptionRecord.ExceptionCode, 2,
353         m_active_exception->ExceptionRecord.ExceptionFlags,
354         m_active_exception->ExceptionRecord.ExceptionAddress, 0);
355   } else {
356     std::string desc;
357     llvm::raw_string_ostream desc_stream(desc);
358     desc_stream << "Exception "
359                 << llvm::format_hex(
360                        m_active_exception->ExceptionRecord.ExceptionCode, 8)
361                 << " encountered at address "
362                 << llvm::format_hex(
363                        m_active_exception->ExceptionRecord.ExceptionAddress, 8);
364     stop_info = StopInfo::CreateStopReasonWithException(
365         *stop_thread, desc_stream.str().c_str());
366   }
367 
368   stop_thread->SetStopInfo(stop_info);
369 }
370 
371 bool ProcessMinidump::IsAlive() { return true; }
372 
373 bool ProcessMinidump::WarnBeforeDetach() const { return false; }
374 
375 size_t ProcessMinidump::ReadMemory(lldb::addr_t addr, void *buf, size_t size,
376                                    Status &error) {
377   // Don't allow the caching that lldb_private::Process::ReadMemory does since
378   // we have it all cached in our dump file anyway.
379   return DoReadMemory(addr, buf, size, error);
380 }
381 
382 size_t ProcessMinidump::DoReadMemory(lldb::addr_t addr, void *buf, size_t size,
383                                      Status &error) {
384 
385   llvm::ArrayRef<uint8_t> mem = m_minidump_parser->GetMemory(addr, size);
386   if (mem.empty()) {
387     error.SetErrorString("could not parse memory info");
388     return 0;
389   }
390 
391   std::memcpy(buf, mem.data(), mem.size());
392   return mem.size();
393 }
394 
395 ArchSpec ProcessMinidump::GetArchitecture() {
396   if (!m_is_wow64) {
397     return m_minidump_parser->GetArchitecture();
398   }
399 
400   llvm::Triple triple;
401   triple.setVendor(llvm::Triple::VendorType::UnknownVendor);
402   triple.setArch(llvm::Triple::ArchType::x86);
403   triple.setOS(llvm::Triple::OSType::Win32);
404   return ArchSpec(triple);
405 }
406 
407 void ProcessMinidump::BuildMemoryRegions() {
408   if (m_memory_regions)
409     return;
410   m_memory_regions.emplace();
411   bool is_complete;
412   std::tie(*m_memory_regions, is_complete) =
413       m_minidump_parser->BuildMemoryRegions();
414 
415   if (is_complete)
416     return;
417 
418   MemoryRegionInfos to_add;
419   ModuleList &modules = GetTarget().GetImages();
420   SectionLoadList &load_list = GetTarget().GetSectionLoadList();
421   modules.ForEach([&](const ModuleSP &module_sp) {
422     SectionList *sections = module_sp->GetSectionList();
423     for (size_t i = 0; i < sections->GetSize(); ++i) {
424       SectionSP section_sp = sections->GetSectionAtIndex(i);
425       addr_t load_addr = load_list.GetSectionLoadAddress(section_sp);
426       if (load_addr == LLDB_INVALID_ADDRESS)
427         continue;
428       MemoryRegionInfo::RangeType section_range(load_addr,
429                                                 section_sp->GetByteSize());
430       MemoryRegionInfo region =
431           MinidumpParser::GetMemoryRegionInfo(*m_memory_regions, load_addr);
432       if (region.GetMapped() != MemoryRegionInfo::eYes &&
433           region.GetRange().GetRangeBase() <= section_range.GetRangeBase() &&
434           section_range.GetRangeEnd() <= region.GetRange().GetRangeEnd()) {
435         to_add.emplace_back();
436         to_add.back().GetRange() = section_range;
437         to_add.back().SetLLDBPermissions(section_sp->GetPermissions());
438         to_add.back().SetMapped(MemoryRegionInfo::eYes);
439         to_add.back().SetName(module_sp->GetFileSpec().GetPath().c_str());
440       }
441     }
442     return true;
443   });
444   m_memory_regions->insert(m_memory_regions->end(), to_add.begin(),
445                            to_add.end());
446   llvm::sort(*m_memory_regions);
447 }
448 
449 Status ProcessMinidump::GetMemoryRegionInfo(lldb::addr_t load_addr,
450                                             MemoryRegionInfo &region) {
451   BuildMemoryRegions();
452   region = MinidumpParser::GetMemoryRegionInfo(*m_memory_regions, load_addr);
453   return Status();
454 }
455 
456 Status ProcessMinidump::GetMemoryRegions(MemoryRegionInfos &region_list) {
457   BuildMemoryRegions();
458   region_list = *m_memory_regions;
459   return Status();
460 }
461 
462 void ProcessMinidump::Clear() { Process::m_thread_list.Clear(); }
463 
464 bool ProcessMinidump::UpdateThreadList(ThreadList &old_thread_list,
465                                        ThreadList &new_thread_list) {
466   for (const minidump::Thread &thread : m_thread_list) {
467     LocationDescriptor context_location = thread.Context;
468 
469     // If the minidump contains an exception context, use it
470     if (m_active_exception != nullptr &&
471         m_active_exception->ThreadId == thread.ThreadId) {
472       context_location = m_active_exception->ThreadContext;
473     }
474 
475     llvm::ArrayRef<uint8_t> context;
476     if (!m_is_wow64)
477       context = m_minidump_parser->GetThreadContext(context_location);
478     else
479       context = m_minidump_parser->GetThreadContextWow64(thread);
480 
481     lldb::ThreadSP thread_sp(new ThreadMinidump(*this, thread, context));
482     new_thread_list.AddThread(thread_sp);
483   }
484   return new_thread_list.GetSize(false) > 0;
485 }
486 
487 void ProcessMinidump::ReadModuleList() {
488   std::vector<const minidump::Module *> filtered_modules =
489       m_minidump_parser->GetFilteredModuleList();
490 
491   Log *log(GetLogIfAllCategoriesSet(LIBLLDB_LOG_DYNAMIC_LOADER));
492 
493   for (auto module : filtered_modules) {
494     std::string name = cantFail(m_minidump_parser->GetMinidumpFile().getString(
495         module->ModuleNameRVA));
496     const uint64_t load_addr = module->BaseOfImage;
497     const uint64_t load_size = module->SizeOfImage;
498     LLDB_LOG(log, "found module: name: {0} {1:x10}-{2:x10} size: {3}", name,
499              load_addr, load_addr + load_size, load_size);
500 
501     // check if the process is wow64 - a 32 bit windows process running on a
502     // 64 bit windows
503     if (llvm::StringRef(name).endswith_lower("wow64.dll")) {
504       m_is_wow64 = true;
505     }
506 
507     const auto uuid = m_minidump_parser->GetModuleUUID(module);
508     auto file_spec = FileSpec(name, GetArchitecture().GetTriple());
509     ModuleSpec module_spec(file_spec, uuid);
510     module_spec.GetArchitecture() = GetArchitecture();
511     Status error;
512     // Try and find a module with a full UUID that matches. This function will
513     // add the module to the target if it finds one.
514     lldb::ModuleSP module_sp = GetTarget().GetOrCreateModule(module_spec,
515                                                      true /* notify */, &error);
516     if (!module_sp) {
517       // Try and find a module without specifying the UUID and only looking for
518       // the file given a basename. We then will look for a partial UUID match
519       // if we find any matches. This function will add the module to the
520       // target if it finds one, so we need to remove the module from the target
521       // if the UUID doesn't match during our manual UUID verification. This
522       // allows the "target.exec-search-paths" setting to specify one or more
523       // directories that contain executables that can be searched for matches.
524       ModuleSpec basename_module_spec(module_spec);
525       basename_module_spec.GetUUID().Clear();
526       basename_module_spec.GetFileSpec().GetDirectory().Clear();
527       module_sp = GetTarget().GetOrCreateModule(basename_module_spec,
528                                                 true /* notify */, &error);
529       if (module_sp) {
530         // We consider the module to be a match if the minidump UUID is a
531         // prefix of the actual UUID, or if either of the UUIDs are empty.
532         const auto dmp_bytes = uuid.GetBytes();
533         const auto mod_bytes = module_sp->GetUUID().GetBytes();
534         const bool match = dmp_bytes.empty() || mod_bytes.empty() ||
535             mod_bytes.take_front(dmp_bytes.size()) == dmp_bytes;
536         if (!match) {
537           // Breakpad generates minindump files, and if there is no GNU build
538           // ID in the binary, it will calculate a UUID by hashing first 4096
539           // bytes of the .text section and using that as the UUID for a module
540           // in the minidump. Facebook uses a modified breakpad client that
541           // uses a slightly modified this hash to avoid collisions. Check for
542           // UUIDs from the minindump that match these cases and accept the
543           // module we find if they do match.
544           std::vector<uint8_t> breakpad_uuid;
545           std::vector<uint8_t> facebook_uuid;
546           HashElfTextSection(module_sp, breakpad_uuid, facebook_uuid);
547           if (dmp_bytes == llvm::ArrayRef<uint8_t>(breakpad_uuid)) {
548             LLDB_LOG(log, "Breakpad .text hash match for {0}.", name);
549           } else if (dmp_bytes == llvm::ArrayRef<uint8_t>(facebook_uuid)) {
550             LLDB_LOG(log, "Facebook .text hash match for {0}.", name);
551           } else {
552             // The UUID wasn't a partial match and didn't match the .text hash
553             // so remove the module from the target, we will need to create a
554             // placeholder object file.
555             GetTarget().GetImages().Remove(module_sp);
556             module_sp.reset();
557           }
558         } else {
559           LLDB_LOG(log, "Partial uuid match for {0}.", name);
560         }
561       }
562     } else {
563       LLDB_LOG(log, "Full uuid match for {0}.", name);
564     }
565     if (module_sp) {
566       // Watch out for place holder modules that have different paths, but the
567       // same UUID. If the base address is different, create a new module. If
568       // we don't then we will end up setting the load address of a different
569       // PlaceholderObjectFile and an assertion will fire.
570       auto *objfile = module_sp->GetObjectFile();
571       if (objfile && objfile->GetPluginName() ==
572           PlaceholderObjectFile::GetStaticPluginName()) {
573         if (((PlaceholderObjectFile *)objfile)->GetBaseImageAddress() !=
574             load_addr)
575           module_sp.reset();
576       }
577     }
578     if (!module_sp) {
579       // We failed to locate a matching local object file. Fortunately, the
580       // minidump format encodes enough information about each module's memory
581       // range to allow us to create placeholder modules.
582       //
583       // This enables most LLDB functionality involving address-to-module
584       // translations (ex. identifing the module for a stack frame PC) and
585       // modules/sections commands (ex. target modules list, ...)
586       LLDB_LOG(log,
587                "Unable to locate the matching object file, creating a "
588                "placeholder module for: {0}",
589                name);
590 
591       module_sp = Module::CreateModuleFromObjectFile<PlaceholderObjectFile>(
592           module_spec, load_addr, load_size);
593       GetTarget().GetImages().Append(module_sp, true /* notify */);
594     }
595 
596     bool load_addr_changed = false;
597     module_sp->SetLoadAddress(GetTarget(), load_addr, false,
598                               load_addr_changed);
599   }
600 }
601 
602 bool ProcessMinidump::GetProcessInfo(ProcessInstanceInfo &info) {
603   info.Clear();
604   info.SetProcessID(GetID());
605   info.SetArchitecture(GetArchitecture());
606   lldb::ModuleSP module_sp = GetTarget().GetExecutableModule();
607   if (module_sp) {
608     const bool add_exe_file_as_first_arg = false;
609     info.SetExecutableFile(GetTarget().GetExecutableModule()->GetFileSpec(),
610                            add_exe_file_as_first_arg);
611   }
612   return true;
613 }
614 
615 // For minidumps there's no runtime generated code so we don't need JITLoader(s)
616 // Avoiding them will also speed up minidump loading since JITLoaders normally
617 // try to set up symbolic breakpoints, which in turn may force loading more
618 // debug information than needed.
619 JITLoaderList &ProcessMinidump::GetJITLoaders() {
620   if (!m_jit_loaders_up) {
621     m_jit_loaders_up = std::make_unique<JITLoaderList>();
622   }
623   return *m_jit_loaders_up;
624 }
625 
626 #define INIT_BOOL(VAR, LONG, SHORT, DESC) \
627     VAR(LLDB_OPT_SET_1, false, LONG, SHORT, DESC, false, true)
628 #define APPEND_OPT(VAR) \
629     m_option_group.Append(&VAR, LLDB_OPT_SET_ALL, LLDB_OPT_SET_1)
630 
631 class CommandObjectProcessMinidumpDump : public CommandObjectParsed {
632 private:
633   OptionGroupOptions m_option_group;
634   OptionGroupBoolean m_dump_all;
635   OptionGroupBoolean m_dump_directory;
636   OptionGroupBoolean m_dump_linux_cpuinfo;
637   OptionGroupBoolean m_dump_linux_proc_status;
638   OptionGroupBoolean m_dump_linux_lsb_release;
639   OptionGroupBoolean m_dump_linux_cmdline;
640   OptionGroupBoolean m_dump_linux_environ;
641   OptionGroupBoolean m_dump_linux_auxv;
642   OptionGroupBoolean m_dump_linux_maps;
643   OptionGroupBoolean m_dump_linux_proc_stat;
644   OptionGroupBoolean m_dump_linux_proc_uptime;
645   OptionGroupBoolean m_dump_linux_proc_fd;
646   OptionGroupBoolean m_dump_linux_all;
647   OptionGroupBoolean m_fb_app_data;
648   OptionGroupBoolean m_fb_build_id;
649   OptionGroupBoolean m_fb_version;
650   OptionGroupBoolean m_fb_java_stack;
651   OptionGroupBoolean m_fb_dalvik;
652   OptionGroupBoolean m_fb_unwind;
653   OptionGroupBoolean m_fb_error_log;
654   OptionGroupBoolean m_fb_app_state;
655   OptionGroupBoolean m_fb_abort;
656   OptionGroupBoolean m_fb_thread;
657   OptionGroupBoolean m_fb_logcat;
658   OptionGroupBoolean m_fb_all;
659 
660   void SetDefaultOptionsIfNoneAreSet() {
661     if (m_dump_all.GetOptionValue().GetCurrentValue() ||
662         m_dump_linux_all.GetOptionValue().GetCurrentValue() ||
663         m_fb_all.GetOptionValue().GetCurrentValue() ||
664         m_dump_directory.GetOptionValue().GetCurrentValue() ||
665         m_dump_linux_cpuinfo.GetOptionValue().GetCurrentValue() ||
666         m_dump_linux_proc_status.GetOptionValue().GetCurrentValue() ||
667         m_dump_linux_lsb_release.GetOptionValue().GetCurrentValue() ||
668         m_dump_linux_cmdline.GetOptionValue().GetCurrentValue() ||
669         m_dump_linux_environ.GetOptionValue().GetCurrentValue() ||
670         m_dump_linux_auxv.GetOptionValue().GetCurrentValue() ||
671         m_dump_linux_maps.GetOptionValue().GetCurrentValue() ||
672         m_dump_linux_proc_stat.GetOptionValue().GetCurrentValue() ||
673         m_dump_linux_proc_uptime.GetOptionValue().GetCurrentValue() ||
674         m_dump_linux_proc_fd.GetOptionValue().GetCurrentValue() ||
675         m_fb_app_data.GetOptionValue().GetCurrentValue() ||
676         m_fb_build_id.GetOptionValue().GetCurrentValue() ||
677         m_fb_version.GetOptionValue().GetCurrentValue() ||
678         m_fb_java_stack.GetOptionValue().GetCurrentValue() ||
679         m_fb_dalvik.GetOptionValue().GetCurrentValue() ||
680         m_fb_unwind.GetOptionValue().GetCurrentValue() ||
681         m_fb_error_log.GetOptionValue().GetCurrentValue() ||
682         m_fb_app_state.GetOptionValue().GetCurrentValue() ||
683         m_fb_abort.GetOptionValue().GetCurrentValue() ||
684         m_fb_thread.GetOptionValue().GetCurrentValue() ||
685         m_fb_logcat.GetOptionValue().GetCurrentValue())
686       return;
687     // If no options were set, then dump everything
688     m_dump_all.GetOptionValue().SetCurrentValue(true);
689   }
690   bool DumpAll() const {
691     return m_dump_all.GetOptionValue().GetCurrentValue();
692   }
693   bool DumpDirectory() const {
694     return DumpAll() ||
695         m_dump_directory.GetOptionValue().GetCurrentValue();
696   }
697   bool DumpLinux() const {
698     return DumpAll() || m_dump_linux_all.GetOptionValue().GetCurrentValue();
699   }
700   bool DumpLinuxCPUInfo() const {
701     return DumpLinux() ||
702         m_dump_linux_cpuinfo.GetOptionValue().GetCurrentValue();
703   }
704   bool DumpLinuxProcStatus() const {
705     return DumpLinux() ||
706         m_dump_linux_proc_status.GetOptionValue().GetCurrentValue();
707   }
708   bool DumpLinuxProcStat() const {
709     return DumpLinux() ||
710         m_dump_linux_proc_stat.GetOptionValue().GetCurrentValue();
711   }
712   bool DumpLinuxLSBRelease() const {
713     return DumpLinux() ||
714         m_dump_linux_lsb_release.GetOptionValue().GetCurrentValue();
715   }
716   bool DumpLinuxCMDLine() const {
717     return DumpLinux() ||
718         m_dump_linux_cmdline.GetOptionValue().GetCurrentValue();
719   }
720   bool DumpLinuxEnviron() const {
721     return DumpLinux() ||
722         m_dump_linux_environ.GetOptionValue().GetCurrentValue();
723   }
724   bool DumpLinuxAuxv() const {
725     return DumpLinux() ||
726         m_dump_linux_auxv.GetOptionValue().GetCurrentValue();
727   }
728   bool DumpLinuxMaps() const {
729     return DumpLinux() ||
730         m_dump_linux_maps.GetOptionValue().GetCurrentValue();
731   }
732   bool DumpLinuxProcUptime() const {
733     return DumpLinux() ||
734         m_dump_linux_proc_uptime.GetOptionValue().GetCurrentValue();
735   }
736   bool DumpLinuxProcFD() const {
737     return DumpLinux() ||
738         m_dump_linux_proc_fd.GetOptionValue().GetCurrentValue();
739   }
740   bool DumpFacebook() const {
741     return DumpAll() || m_fb_all.GetOptionValue().GetCurrentValue();
742   }
743   bool DumpFacebookAppData() const {
744     return DumpFacebook() || m_fb_app_data.GetOptionValue().GetCurrentValue();
745   }
746   bool DumpFacebookBuildID() const {
747     return DumpFacebook() || m_fb_build_id.GetOptionValue().GetCurrentValue();
748   }
749   bool DumpFacebookVersionName() const {
750     return DumpFacebook() || m_fb_version.GetOptionValue().GetCurrentValue();
751   }
752   bool DumpFacebookJavaStack() const {
753     return DumpFacebook() || m_fb_java_stack.GetOptionValue().GetCurrentValue();
754   }
755   bool DumpFacebookDalvikInfo() const {
756     return DumpFacebook() || m_fb_dalvik.GetOptionValue().GetCurrentValue();
757   }
758   bool DumpFacebookUnwindSymbols() const {
759     return DumpFacebook() || m_fb_unwind.GetOptionValue().GetCurrentValue();
760   }
761   bool DumpFacebookErrorLog() const {
762     return DumpFacebook() || m_fb_error_log.GetOptionValue().GetCurrentValue();
763   }
764   bool DumpFacebookAppStateLog() const {
765     return DumpFacebook() || m_fb_app_state.GetOptionValue().GetCurrentValue();
766   }
767   bool DumpFacebookAbortReason() const {
768     return DumpFacebook() || m_fb_abort.GetOptionValue().GetCurrentValue();
769   }
770   bool DumpFacebookThreadName() const {
771     return DumpFacebook() || m_fb_thread.GetOptionValue().GetCurrentValue();
772   }
773   bool DumpFacebookLogcat() const {
774     return DumpFacebook() || m_fb_logcat.GetOptionValue().GetCurrentValue();
775   }
776 public:
777   CommandObjectProcessMinidumpDump(CommandInterpreter &interpreter)
778   : CommandObjectParsed(interpreter, "process plugin dump",
779       "Dump information from the minidump file.", nullptr),
780     m_option_group(),
781     INIT_BOOL(m_dump_all, "all", 'a',
782               "Dump the everything in the minidump."),
783     INIT_BOOL(m_dump_directory, "directory", 'd',
784               "Dump the minidump directory map."),
785     INIT_BOOL(m_dump_linux_cpuinfo, "cpuinfo", 'C',
786               "Dump linux /proc/cpuinfo."),
787     INIT_BOOL(m_dump_linux_proc_status, "status", 's',
788               "Dump linux /proc/<pid>/status."),
789     INIT_BOOL(m_dump_linux_lsb_release, "lsb-release", 'r',
790               "Dump linux /etc/lsb-release."),
791     INIT_BOOL(m_dump_linux_cmdline, "cmdline", 'c',
792               "Dump linux /proc/<pid>/cmdline."),
793     INIT_BOOL(m_dump_linux_environ, "environ", 'e',
794               "Dump linux /proc/<pid>/environ."),
795     INIT_BOOL(m_dump_linux_auxv, "auxv", 'x',
796               "Dump linux /proc/<pid>/auxv."),
797     INIT_BOOL(m_dump_linux_maps, "maps", 'm',
798               "Dump linux /proc/<pid>/maps."),
799     INIT_BOOL(m_dump_linux_proc_stat, "stat", 'S',
800               "Dump linux /proc/<pid>/stat."),
801     INIT_BOOL(m_dump_linux_proc_uptime, "uptime", 'u',
802               "Dump linux process uptime."),
803     INIT_BOOL(m_dump_linux_proc_fd, "fd", 'f',
804               "Dump linux /proc/<pid>/fd."),
805     INIT_BOOL(m_dump_linux_all, "linux", 'l',
806               "Dump all linux streams."),
807     INIT_BOOL(m_fb_app_data, "fb-app-data", 1,
808               "Dump Facebook application custom data."),
809     INIT_BOOL(m_fb_build_id, "fb-build-id", 2,
810               "Dump the Facebook build ID."),
811     INIT_BOOL(m_fb_version, "fb-version", 3,
812               "Dump Facebook application version string."),
813     INIT_BOOL(m_fb_java_stack, "fb-java-stack", 4,
814               "Dump Facebook java stack."),
815     INIT_BOOL(m_fb_dalvik, "fb-dalvik-info", 5,
816               "Dump Facebook Dalvik info."),
817     INIT_BOOL(m_fb_unwind, "fb-unwind-symbols", 6,
818               "Dump Facebook unwind symbols."),
819     INIT_BOOL(m_fb_error_log, "fb-error-log", 7,
820               "Dump Facebook error log."),
821     INIT_BOOL(m_fb_app_state, "fb-app-state-log", 8,
822               "Dump Facebook java stack."),
823     INIT_BOOL(m_fb_abort, "fb-abort-reason", 9,
824               "Dump Facebook abort reason."),
825     INIT_BOOL(m_fb_thread, "fb-thread-name", 10,
826               "Dump Facebook thread name."),
827     INIT_BOOL(m_fb_logcat, "fb-logcat", 11,
828               "Dump Facebook logcat."),
829     INIT_BOOL(m_fb_all, "facebook", 12, "Dump all Facebook streams.") {
830     APPEND_OPT(m_dump_all);
831     APPEND_OPT(m_dump_directory);
832     APPEND_OPT(m_dump_linux_cpuinfo);
833     APPEND_OPT(m_dump_linux_proc_status);
834     APPEND_OPT(m_dump_linux_lsb_release);
835     APPEND_OPT(m_dump_linux_cmdline);
836     APPEND_OPT(m_dump_linux_environ);
837     APPEND_OPT(m_dump_linux_auxv);
838     APPEND_OPT(m_dump_linux_maps);
839     APPEND_OPT(m_dump_linux_proc_stat);
840     APPEND_OPT(m_dump_linux_proc_uptime);
841     APPEND_OPT(m_dump_linux_proc_fd);
842     APPEND_OPT(m_dump_linux_all);
843     APPEND_OPT(m_fb_app_data);
844     APPEND_OPT(m_fb_build_id);
845     APPEND_OPT(m_fb_version);
846     APPEND_OPT(m_fb_java_stack);
847     APPEND_OPT(m_fb_dalvik);
848     APPEND_OPT(m_fb_unwind);
849     APPEND_OPT(m_fb_error_log);
850     APPEND_OPT(m_fb_app_state);
851     APPEND_OPT(m_fb_abort);
852     APPEND_OPT(m_fb_thread);
853     APPEND_OPT(m_fb_logcat);
854     APPEND_OPT(m_fb_all);
855     m_option_group.Finalize();
856   }
857 
858   ~CommandObjectProcessMinidumpDump() override {}
859 
860   Options *GetOptions() override { return &m_option_group; }
861 
862   bool DoExecute(Args &command, CommandReturnObject &result) override {
863     const size_t argc = command.GetArgumentCount();
864     if (argc > 0) {
865       result.AppendErrorWithFormat("'%s' take no arguments, only options",
866                                    m_cmd_name.c_str());
867       result.SetStatus(eReturnStatusFailed);
868       return false;
869     }
870     SetDefaultOptionsIfNoneAreSet();
871 
872     ProcessMinidump *process = static_cast<ProcessMinidump *>(
873         m_interpreter.GetExecutionContext().GetProcessPtr());
874     result.SetStatus(eReturnStatusSuccessFinishResult);
875     Stream &s = result.GetOutputStream();
876     MinidumpParser &minidump = *process->m_minidump_parser;
877     if (DumpDirectory()) {
878       s.Printf("RVA        SIZE       TYPE       StreamType\n");
879       s.Printf("---------- ---------- ---------- --------------------------\n");
880       for (const auto &stream_desc : minidump.GetMinidumpFile().streams())
881         s.Printf(
882             "0x%8.8x 0x%8.8x 0x%8.8x %s\n", (uint32_t)stream_desc.Location.RVA,
883             (uint32_t)stream_desc.Location.DataSize,
884             (unsigned)(StreamType)stream_desc.Type,
885             MinidumpParser::GetStreamTypeAsString(stream_desc.Type).data());
886       s.Printf("\n");
887     }
888     auto DumpTextStream = [&](StreamType stream_type,
889                               llvm::StringRef label) -> void {
890       auto bytes = minidump.GetStream(stream_type);
891       if (!bytes.empty()) {
892         if (label.empty())
893           label = MinidumpParser::GetStreamTypeAsString(stream_type);
894         s.Printf("%s:\n%s\n\n", label.data(), bytes.data());
895       }
896     };
897     auto DumpBinaryStream = [&](StreamType stream_type,
898                                 llvm::StringRef label) -> void {
899       auto bytes = minidump.GetStream(stream_type);
900       if (!bytes.empty()) {
901         if (label.empty())
902           label = MinidumpParser::GetStreamTypeAsString(stream_type);
903         s.Printf("%s:\n", label.data());
904         DataExtractor data(bytes.data(), bytes.size(), eByteOrderLittle,
905                            process->GetAddressByteSize());
906         DumpDataExtractor(data, &s, 0, lldb::eFormatBytesWithASCII, 1,
907                           bytes.size(), 16, 0, 0, 0);
908         s.Printf("\n\n");
909       }
910     };
911 
912     if (DumpLinuxCPUInfo())
913       DumpTextStream(StreamType::LinuxCPUInfo, "/proc/cpuinfo");
914     if (DumpLinuxProcStatus())
915       DumpTextStream(StreamType::LinuxProcStatus, "/proc/PID/status");
916     if (DumpLinuxLSBRelease())
917       DumpTextStream(StreamType::LinuxLSBRelease, "/etc/lsb-release");
918     if (DumpLinuxCMDLine())
919       DumpTextStream(StreamType::LinuxCMDLine, "/proc/PID/cmdline");
920     if (DumpLinuxEnviron())
921       DumpTextStream(StreamType::LinuxEnviron, "/proc/PID/environ");
922     if (DumpLinuxAuxv())
923       DumpBinaryStream(StreamType::LinuxAuxv, "/proc/PID/auxv");
924     if (DumpLinuxMaps())
925       DumpTextStream(StreamType::LinuxMaps, "/proc/PID/maps");
926     if (DumpLinuxProcStat())
927       DumpTextStream(StreamType::LinuxProcStat, "/proc/PID/stat");
928     if (DumpLinuxProcUptime())
929       DumpTextStream(StreamType::LinuxProcUptime, "uptime");
930     if (DumpLinuxProcFD())
931       DumpTextStream(StreamType::LinuxProcFD, "/proc/PID/fd");
932     if (DumpFacebookAppData())
933       DumpTextStream(StreamType::FacebookAppCustomData,
934                      "Facebook App Data");
935     if (DumpFacebookBuildID()) {
936       auto bytes = minidump.GetStream(StreamType::FacebookBuildID);
937       if (bytes.size() >= 4) {
938         DataExtractor data(bytes.data(), bytes.size(), eByteOrderLittle,
939                            process->GetAddressByteSize());
940         lldb::offset_t offset = 0;
941         uint32_t build_id = data.GetU32(&offset);
942         s.Printf("Facebook Build ID:\n");
943         s.Printf("%u\n", build_id);
944         s.Printf("\n");
945       }
946     }
947     if (DumpFacebookVersionName())
948       DumpTextStream(StreamType::FacebookAppVersionName,
949                      "Facebook Version String");
950     if (DumpFacebookJavaStack())
951       DumpTextStream(StreamType::FacebookJavaStack,
952                      "Facebook Java Stack");
953     if (DumpFacebookDalvikInfo())
954       DumpTextStream(StreamType::FacebookDalvikInfo,
955                      "Facebook Dalvik Info");
956     if (DumpFacebookUnwindSymbols())
957       DumpBinaryStream(StreamType::FacebookUnwindSymbols,
958                        "Facebook Unwind Symbols Bytes");
959     if (DumpFacebookErrorLog())
960       DumpTextStream(StreamType::FacebookDumpErrorLog,
961                      "Facebook Error Log");
962     if (DumpFacebookAppStateLog())
963       DumpTextStream(StreamType::FacebookAppStateLog,
964                      "Faceook Application State Log");
965     if (DumpFacebookAbortReason())
966       DumpTextStream(StreamType::FacebookAbortReason,
967                      "Facebook Abort Reason");
968     if (DumpFacebookThreadName())
969       DumpTextStream(StreamType::FacebookThreadName,
970                      "Facebook Thread Name");
971     if (DumpFacebookLogcat())
972       DumpTextStream(StreamType::FacebookLogcat,
973                      "Facebook Logcat");
974     return true;
975   }
976 };
977 
978 class CommandObjectMultiwordProcessMinidump : public CommandObjectMultiword {
979 public:
980   CommandObjectMultiwordProcessMinidump(CommandInterpreter &interpreter)
981     : CommandObjectMultiword(interpreter, "process plugin",
982           "Commands for operating on a ProcessMinidump process.",
983           "process plugin <subcommand> [<subcommand-options>]") {
984     LoadSubCommand("dump",
985         CommandObjectSP(new CommandObjectProcessMinidumpDump(interpreter)));
986   }
987 
988   ~CommandObjectMultiwordProcessMinidump() override {}
989 };
990 
991 CommandObject *ProcessMinidump::GetPluginCommandObject() {
992   if (!m_command_sp)
993     m_command_sp = std::make_shared<CommandObjectMultiwordProcessMinidump>(
994         GetTarget().GetDebugger().GetCommandInterpreter());
995   return m_command_sp.get();
996 }
997