1 //===-- DynamicLoaderDarwinKernel.cpp -----------------------------*- C++
2 //-*-===//
3 //
4 //                     The LLVM Compiler Infrastructure
5 //
6 // This file is distributed under the University of Illinois Open Source
7 // License. See LICENSE.TXT for details.
8 //
9 //===----------------------------------------------------------------------===//
10 
11 #include "lldb/Utility/SafeMachO.h"
12 
13 #include "Plugins/Platform/MacOSX/PlatformDarwinKernel.h"
14 #include "lldb/Breakpoint/StoppointCallbackContext.h"
15 #include "lldb/Core/Debugger.h"
16 #include "lldb/Core/Module.h"
17 #include "lldb/Core/ModuleSpec.h"
18 #include "lldb/Core/PluginManager.h"
19 #include "lldb/Core/Section.h"
20 #include "lldb/Core/State.h"
21 #include "lldb/Core/StreamFile.h"
22 #include "lldb/Host/Symbols.h"
23 #include "lldb/Interpreter/OptionValueProperties.h"
24 #include "lldb/Symbol/ObjectFile.h"
25 #include "lldb/Target/OperatingSystem.h"
26 #include "lldb/Target/RegisterContext.h"
27 #include "lldb/Target/StackFrame.h"
28 #include "lldb/Target/Target.h"
29 #include "lldb/Target/Thread.h"
30 #include "lldb/Target/ThreadPlanRunToAddress.h"
31 #include "lldb/Utility/DataBuffer.h"
32 #include "lldb/Utility/DataBufferHeap.h"
33 #include "lldb/Utility/Log.h"
34 
35 #include "DynamicLoaderDarwinKernel.h"
36 
37 //#define ENABLE_DEBUG_PRINTF // COMMENT THIS LINE OUT PRIOR TO CHECKIN
38 #ifdef ENABLE_DEBUG_PRINTF
39 #include <stdio.h>
40 #define DEBUG_PRINTF(fmt, ...) printf(fmt, ##__VA_ARGS__)
41 #else
42 #define DEBUG_PRINTF(fmt, ...)
43 #endif
44 
45 using namespace lldb;
46 using namespace lldb_private;
47 
48 // Progressively greater amounts of scanning we will allow
49 // For some targets very early in startup, we can't do any random reads of
50 // memory or we can crash the device
51 // so a setting is needed that can completely disable the KASLR scans.
52 
53 enum KASLRScanType {
54   eKASLRScanNone = 0,        // No reading into the inferior at all
55   eKASLRScanLowgloAddresses, // Check one word of memory for a possible kernel
56                              // addr, then see if a kernel is there
57   eKASLRScanNearPC, // Scan backwards from the current $pc looking for kernel;
58                     // checking at 96 locations total
59   eKASLRScanExhaustiveScan // Scan through the entire possible kernel address
60                            // range looking for a kernel
61 };
62 
63 OptionEnumValueElement g_kaslr_kernel_scan_enum_values[] = {
64     {eKASLRScanNone, "none",
65      "Do not read memory looking for a Darwin kernel when attaching."},
66     {eKASLRScanLowgloAddresses, "basic", "Check for the Darwin kernel's load "
67                                          "addr in the lowglo page "
68                                          "(boot-args=debug) only."},
69     {eKASLRScanNearPC, "fast-scan", "Scan near the pc value on attach to find "
70                                     "the Darwin kernel's load address."},
71     {eKASLRScanExhaustiveScan, "exhaustive-scan",
72      "Scan through the entire potential address range of Darwin kernel (only "
73      "on 32-bit targets)."},
74     {0, NULL, NULL}};
75 
76 static PropertyDefinition g_properties[] = {
77     {"load-kexts", OptionValue::eTypeBoolean, true, true, NULL, NULL,
78      "Automatically loads kext images when attaching to a kernel."},
79     {"scan-type", OptionValue::eTypeEnum, true, eKASLRScanNearPC, NULL,
80      g_kaslr_kernel_scan_enum_values, "Control how many reads lldb will make "
81                                       "while searching for a Darwin kernel on "
82                                       "attach."},
83     {NULL, OptionValue::eTypeInvalid, false, 0, NULL, NULL, NULL}};
84 
85 enum { ePropertyLoadKexts, ePropertyScanType };
86 
87 class DynamicLoaderDarwinKernelProperties : public Properties {
88 public:
89   static ConstString &GetSettingName() {
90     static ConstString g_setting_name("darwin-kernel");
91     return g_setting_name;
92   }
93 
94   DynamicLoaderDarwinKernelProperties() : Properties() {
95     m_collection_sp.reset(new OptionValueProperties(GetSettingName()));
96     m_collection_sp->Initialize(g_properties);
97   }
98 
99   virtual ~DynamicLoaderDarwinKernelProperties() {}
100 
101   bool GetLoadKexts() const {
102     const uint32_t idx = ePropertyLoadKexts;
103     return m_collection_sp->GetPropertyAtIndexAsBoolean(
104         NULL, idx, g_properties[idx].default_uint_value != 0);
105   }
106 
107   KASLRScanType GetScanType() const {
108     const uint32_t idx = ePropertyScanType;
109     return (KASLRScanType)m_collection_sp->GetPropertyAtIndexAsEnumeration(
110         NULL, idx, g_properties[idx].default_uint_value);
111   }
112 };
113 
114 typedef std::shared_ptr<DynamicLoaderDarwinKernelProperties>
115     DynamicLoaderDarwinKernelPropertiesSP;
116 
117 static const DynamicLoaderDarwinKernelPropertiesSP &GetGlobalProperties() {
118   static DynamicLoaderDarwinKernelPropertiesSP g_settings_sp;
119   if (!g_settings_sp)
120     g_settings_sp.reset(new DynamicLoaderDarwinKernelProperties());
121   return g_settings_sp;
122 }
123 
124 //----------------------------------------------------------------------
125 // Create an instance of this class. This function is filled into
126 // the plugin info class that gets handed out by the plugin factory and
127 // allows the lldb to instantiate an instance of this class.
128 //----------------------------------------------------------------------
129 DynamicLoader *DynamicLoaderDarwinKernel::CreateInstance(Process *process,
130                                                          bool force) {
131   if (!force) {
132     // If the user provided an executable binary and it is not a kernel,
133     // this plugin should not create an instance.
134     Module *exe_module = process->GetTarget().GetExecutableModulePointer();
135     if (exe_module) {
136       ObjectFile *object_file = exe_module->GetObjectFile();
137       if (object_file) {
138         if (object_file->GetStrata() != ObjectFile::eStrataKernel) {
139           return NULL;
140         }
141       }
142     }
143 
144     // If the target's architecture does not look like an Apple environment,
145     // this plugin should not create an instance.
146     const llvm::Triple &triple_ref =
147         process->GetTarget().GetArchitecture().GetTriple();
148     switch (triple_ref.getOS()) {
149     case llvm::Triple::Darwin:
150     case llvm::Triple::MacOSX:
151     case llvm::Triple::IOS:
152     case llvm::Triple::TvOS:
153     case llvm::Triple::WatchOS:
154       if (triple_ref.getVendor() != llvm::Triple::Apple) {
155         return NULL;
156       }
157       break;
158     // If we have triple like armv7-unknown-unknown, we should try looking for a
159     // Darwin kernel.
160     case llvm::Triple::UnknownOS:
161       break;
162     default:
163       return NULL;
164       break;
165     }
166   }
167 
168   // At this point if there is an ExecutableModule, it is a kernel and the
169   // Target is some variant of an Apple system.
170   // If the Process hasn't provided the kernel load address, we need to look
171   // around in memory to find it.
172 
173   const addr_t kernel_load_address = SearchForDarwinKernel(process);
174   if (CheckForKernelImageAtAddress(kernel_load_address, process).IsValid()) {
175     process->SetCanRunCode(false);
176     return new DynamicLoaderDarwinKernel(process, kernel_load_address);
177   }
178   return NULL;
179 }
180 
181 lldb::addr_t
182 DynamicLoaderDarwinKernel::SearchForDarwinKernel(Process *process) {
183   addr_t kernel_load_address = process->GetImageInfoAddress();
184   if (kernel_load_address == LLDB_INVALID_ADDRESS) {
185     kernel_load_address = SearchForKernelAtSameLoadAddr(process);
186     if (kernel_load_address == LLDB_INVALID_ADDRESS) {
187       kernel_load_address = SearchForKernelWithDebugHints(process);
188       if (kernel_load_address == LLDB_INVALID_ADDRESS) {
189         kernel_load_address = SearchForKernelNearPC(process);
190         if (kernel_load_address == LLDB_INVALID_ADDRESS) {
191           kernel_load_address = SearchForKernelViaExhaustiveSearch(process);
192         }
193       }
194     }
195   }
196   return kernel_load_address;
197 }
198 
199 //----------------------------------------------------------------------
200 // Check if the kernel binary is loaded in memory without a slide.
201 // First verify that the ExecutableModule is a kernel before we proceed.
202 // Returns the address of the kernel if one was found, else
203 // LLDB_INVALID_ADDRESS.
204 //----------------------------------------------------------------------
205 lldb::addr_t
206 DynamicLoaderDarwinKernel::SearchForKernelAtSameLoadAddr(Process *process) {
207   Module *exe_module = process->GetTarget().GetExecutableModulePointer();
208   if (exe_module == NULL)
209     return LLDB_INVALID_ADDRESS;
210 
211   ObjectFile *exe_objfile = exe_module->GetObjectFile();
212   if (exe_objfile == NULL)
213     return LLDB_INVALID_ADDRESS;
214 
215   if (exe_objfile->GetType() != ObjectFile::eTypeExecutable ||
216       exe_objfile->GetStrata() != ObjectFile::eStrataKernel)
217     return LLDB_INVALID_ADDRESS;
218 
219   if (!exe_objfile->GetHeaderAddress().IsValid())
220     return LLDB_INVALID_ADDRESS;
221 
222   if (CheckForKernelImageAtAddress(
223           exe_objfile->GetHeaderAddress().GetFileAddress(), process) ==
224       exe_module->GetUUID())
225     return exe_objfile->GetHeaderAddress().GetFileAddress();
226 
227   return LLDB_INVALID_ADDRESS;
228 }
229 
230 //----------------------------------------------------------------------
231 // If the debug flag is included in the boot-args nvram setting, the kernel's
232 // load address
233 // will be noted in the lowglo page at a fixed address
234 // Returns the address of the kernel if one was found, else
235 // LLDB_INVALID_ADDRESS.
236 //----------------------------------------------------------------------
237 lldb::addr_t
238 DynamicLoaderDarwinKernel::SearchForKernelWithDebugHints(Process *process) {
239   if (GetGlobalProperties()->GetScanType() == eKASLRScanNone)
240     return LLDB_INVALID_ADDRESS;
241 
242   Status read_err;
243   addr_t kernel_addresses_64[] = {
244       0xfffffff000004010ULL, // newest arm64 devices
245       0xffffff8000004010ULL, // 2014-2015-ish arm64 devices
246       0xffffff8000002010ULL, // oldest arm64 devices
247       LLDB_INVALID_ADDRESS};
248   addr_t kernel_addresses_32[] = {0xffff0110, // 2016 and earlier armv7 devices
249                                   0xffff1010,
250                                   LLDB_INVALID_ADDRESS};
251 
252   uint8_t uval[8];
253   if (process->GetAddressByteSize() == 8) {
254   for (size_t i = 0; kernel_addresses_64[i] != LLDB_INVALID_ADDRESS; i++) {
255       if (process->ReadMemoryFromInferior (kernel_addresses_64[i], uval, 8, read_err) == 8)
256       {
257           DataExtractor data (&uval, 8, process->GetByteOrder(), process->GetAddressByteSize());
258           offset_t offset = 0;
259           uint64_t addr = data.GetU64 (&offset);
260           if (CheckForKernelImageAtAddress(addr, process).IsValid()) {
261               return addr;
262           }
263       }
264   }
265   }
266 
267   if (process->GetAddressByteSize() == 4) {
268   for (size_t i = 0; kernel_addresses_32[i] != LLDB_INVALID_ADDRESS; i++) {
269       if (process->ReadMemoryFromInferior (kernel_addresses_32[i], uval, 4, read_err) == 4)
270       {
271           DataExtractor data (&uval, 4, process->GetByteOrder(), process->GetAddressByteSize());
272           offset_t offset = 0;
273           uint32_t addr = data.GetU32 (&offset);
274           if (CheckForKernelImageAtAddress(addr, process).IsValid()) {
275               return addr;
276           }
277       }
278   }
279   }
280 
281   return LLDB_INVALID_ADDRESS;
282 }
283 
284 //----------------------------------------------------------------------
285 // If the kernel is currently executing when lldb attaches, and we don't have
286 // a better way of finding the kernel's load address, try searching backwards
287 // from the current pc value looking for the kernel's Mach header in memory.
288 // Returns the address of the kernel if one was found, else
289 // LLDB_INVALID_ADDRESS.
290 //----------------------------------------------------------------------
291 lldb::addr_t
292 DynamicLoaderDarwinKernel::SearchForKernelNearPC(Process *process) {
293   if (GetGlobalProperties()->GetScanType() == eKASLRScanNone ||
294       GetGlobalProperties()->GetScanType() == eKASLRScanLowgloAddresses) {
295     return LLDB_INVALID_ADDRESS;
296   }
297 
298   ThreadSP thread = process->GetThreadList().GetSelectedThread();
299   if (thread.get() == NULL)
300     return LLDB_INVALID_ADDRESS;
301   addr_t pc = thread->GetRegisterContext()->GetPC(LLDB_INVALID_ADDRESS);
302 
303   if (pc == LLDB_INVALID_ADDRESS)
304     return LLDB_INVALID_ADDRESS;
305 
306   // The kernel will load at at one megabyte boundary (0x100000), or at that
307   // boundary plus
308   // an offset of one page (0x1000) or two, or four (0x4000), depending on the
309   // device.
310 
311   // Round the current pc down to the nearest one megabyte boundary - the place
312   // where we will start searching.
313   addr_t addr = pc & ~0xfffff;
314 
315   // Search backwards 32 megabytes, looking for the start of the kernel at each
316   // one-megabyte boundary.
317   for (int i = 0; i < 32; i++, addr -= 0x100000) {
318     if (CheckForKernelImageAtAddress(addr, process).IsValid())
319       return addr;
320     if (CheckForKernelImageAtAddress(addr + 0x1000, process).IsValid())
321       return addr + 0x1000;
322     if (CheckForKernelImageAtAddress(addr + 0x2000, process).IsValid())
323       return addr + 0x2000;
324     if (CheckForKernelImageAtAddress(addr + 0x4000, process).IsValid())
325       return addr + 0x4000;
326   }
327 
328   return LLDB_INVALID_ADDRESS;
329 }
330 
331 //----------------------------------------------------------------------
332 // Scan through the valid address range for a kernel binary.
333 // This is uselessly slow in 64-bit environments so we don't even try it.
334 // This scan is not enabled by default even for 32-bit targets.
335 // Returns the address of the kernel if one was found, else
336 // LLDB_INVALID_ADDRESS.
337 //----------------------------------------------------------------------
338 lldb::addr_t DynamicLoaderDarwinKernel::SearchForKernelViaExhaustiveSearch(
339     Process *process) {
340   if (GetGlobalProperties()->GetScanType() != eKASLRScanExhaustiveScan) {
341     return LLDB_INVALID_ADDRESS;
342   }
343 
344   addr_t kernel_range_low, kernel_range_high;
345   if (process->GetTarget().GetArchitecture().GetAddressByteSize() == 8) {
346     kernel_range_low = 1ULL << 63;
347     kernel_range_high = UINT64_MAX;
348   } else {
349     kernel_range_low = 1ULL << 31;
350     kernel_range_high = UINT32_MAX;
351   }
352 
353   // Stepping through memory at one-megabyte resolution looking for a kernel
354   // rarely works (fast enough) with a 64-bit address space -- for now, let's
355   // not even bother.  We may be attaching to something which *isn't* a kernel
356   // and we don't want to spin for minutes on-end looking for a kernel.
357   if (process->GetTarget().GetArchitecture().GetAddressByteSize() == 8)
358     return LLDB_INVALID_ADDRESS;
359 
360   addr_t addr = kernel_range_low;
361 
362   while (addr >= kernel_range_low && addr < kernel_range_high) {
363     if (CheckForKernelImageAtAddress(addr, process).IsValid())
364       return addr;
365     if (CheckForKernelImageAtAddress(addr + 0x1000, process).IsValid())
366       return addr + 0x1000;
367     if (CheckForKernelImageAtAddress(addr + 0x2000, process).IsValid())
368       return addr + 0x2000;
369     if (CheckForKernelImageAtAddress(addr + 0x4000, process).IsValid())
370       return addr + 0x4000;
371     addr += 0x100000;
372   }
373   return LLDB_INVALID_ADDRESS;
374 }
375 
376 //----------------------------------------------------------------------
377 // Given an address in memory, look to see if there is a kernel image at that
378 // address.
379 // Returns a UUID; if a kernel was not found at that address, UUID.IsValid()
380 // will be false.
381 //----------------------------------------------------------------------
382 lldb_private::UUID
383 DynamicLoaderDarwinKernel::CheckForKernelImageAtAddress(lldb::addr_t addr,
384                                                         Process *process) {
385   Log *log(lldb_private::GetLogIfAnyCategoriesSet(LIBLLDB_LOG_DYNAMIC_LOADER));
386   if (addr == LLDB_INVALID_ADDRESS)
387     return UUID();
388 
389   if (log)
390     log->Printf("DynamicLoaderDarwinKernel::CheckForKernelImageAtAddress: "
391                 "looking for kernel binary at 0x%" PRIx64,
392                 addr);
393 
394   // First try a quick test -- read the first 4 bytes and see if there is a
395   // valid Mach-O magic field there
396   // (the first field of the mach_header/mach_header_64 struct).
397 
398   Status read_error;
399   uint8_t magicbuf[4];
400   if (process->ReadMemoryFromInferior (addr, magicbuf, sizeof (magicbuf), read_error) != sizeof (magicbuf))
401       return UUID();
402 
403   const uint32_t magicks[] = { llvm::MachO::MH_MAGIC_64, llvm::MachO::MH_MAGIC, llvm::MachO::MH_CIGAM, llvm::MachO::MH_CIGAM_64};
404 
405   bool found_matching_pattern = false;
406   for (size_t i = 0; i < llvm::array_lengthof (magicks); i++)
407     if (::memcmp (magicbuf, &magicks[i], sizeof (magicbuf)) == 0)
408         found_matching_pattern = true;
409 
410   if (found_matching_pattern == false)
411       return UUID();
412 
413   // Read the mach header and see whether it looks like a kernel
414   llvm::MachO::mach_header header;
415   if (process->DoReadMemory(addr, &header, sizeof(header), read_error) !=
416       sizeof(header))
417     return UUID();
418 
419   if (header.magic == llvm::MachO::MH_CIGAM ||
420       header.magic == llvm::MachO::MH_CIGAM_64) {
421     header.magic = llvm::ByteSwap_32(header.magic);
422     header.cputype = llvm::ByteSwap_32(header.cputype);
423     header.cpusubtype = llvm::ByteSwap_32(header.cpusubtype);
424     header.filetype = llvm::ByteSwap_32(header.filetype);
425     header.ncmds = llvm::ByteSwap_32(header.ncmds);
426     header.sizeofcmds = llvm::ByteSwap_32(header.sizeofcmds);
427     header.flags = llvm::ByteSwap_32(header.flags);
428   }
429 
430   // A kernel is an executable which does not have the dynamic link object flag
431   // set.
432   if (header.filetype == llvm::MachO::MH_EXECUTE &&
433       (header.flags & llvm::MachO::MH_DYLDLINK) == 0) {
434     // Create a full module to get the UUID
435     ModuleSP memory_module_sp = process->ReadModuleFromMemory(
436         FileSpec("temp_mach_kernel", false), addr);
437     if (!memory_module_sp.get())
438       return UUID();
439 
440     ObjectFile *exe_objfile = memory_module_sp->GetObjectFile();
441     if (exe_objfile == NULL) {
442       if (log)
443         log->Printf("DynamicLoaderDarwinKernel::CheckForKernelImageAtAddress "
444                     "found a binary at 0x%" PRIx64
445                     " but could not create an object file from memory",
446                     addr);
447       return UUID();
448     }
449 
450     if (exe_objfile->GetType() == ObjectFile::eTypeExecutable &&
451         exe_objfile->GetStrata() == ObjectFile::eStrataKernel) {
452       ArchSpec kernel_arch(eArchTypeMachO, header.cputype, header.cpusubtype);
453       if (!process->GetTarget().GetArchitecture().IsCompatibleMatch(
454               kernel_arch)) {
455         process->GetTarget().SetArchitecture(kernel_arch);
456       }
457       if (log) {
458         std::string uuid_str;
459         if (memory_module_sp->GetUUID().IsValid()) {
460           uuid_str = "with UUID ";
461           uuid_str += memory_module_sp->GetUUID().GetAsString();
462         } else {
463           uuid_str = "and no LC_UUID found in load commands ";
464         }
465         log->Printf(
466             "DynamicLoaderDarwinKernel::CheckForKernelImageAtAddress: "
467             "kernel binary image found at 0x%" PRIx64 " with arch '%s' %s",
468             addr, kernel_arch.GetTriple().str().c_str(), uuid_str.c_str());
469       }
470       return memory_module_sp->GetUUID();
471     }
472   }
473 
474   return UUID();
475 }
476 
477 //----------------------------------------------------------------------
478 // Constructor
479 //----------------------------------------------------------------------
480 DynamicLoaderDarwinKernel::DynamicLoaderDarwinKernel(Process *process,
481                                                      lldb::addr_t kernel_addr)
482     : DynamicLoader(process), m_kernel_load_address(kernel_addr), m_kernel(),
483       m_kext_summary_header_ptr_addr(), m_kext_summary_header_addr(),
484       m_kext_summary_header(), m_known_kexts(), m_mutex(),
485       m_break_id(LLDB_INVALID_BREAK_ID) {
486   Status error;
487   PlatformSP platform_sp(
488       Platform::Create(PlatformDarwinKernel::GetPluginNameStatic(), error));
489   // Only select the darwin-kernel Platform if we've been asked to load kexts.
490   // It can take some time to scan over all of the kext info.plists and that
491   // shouldn't be done if kext loading is explicitly disabled.
492   if (platform_sp.get() && GetGlobalProperties()->GetLoadKexts()) {
493     process->GetTarget().SetPlatform(platform_sp);
494   }
495 }
496 
497 //----------------------------------------------------------------------
498 // Destructor
499 //----------------------------------------------------------------------
500 DynamicLoaderDarwinKernel::~DynamicLoaderDarwinKernel() { Clear(true); }
501 
502 void DynamicLoaderDarwinKernel::UpdateIfNeeded() {
503   LoadKernelModuleIfNeeded();
504   SetNotificationBreakpointIfNeeded();
505 }
506 //------------------------------------------------------------------
507 /// Called after attaching a process.
508 ///
509 /// Allow DynamicLoader plug-ins to execute some code after
510 /// attaching to a process.
511 //------------------------------------------------------------------
512 void DynamicLoaderDarwinKernel::DidAttach() {
513   PrivateInitialize(m_process);
514   UpdateIfNeeded();
515 }
516 
517 //------------------------------------------------------------------
518 /// Called after attaching a process.
519 ///
520 /// Allow DynamicLoader plug-ins to execute some code after
521 /// attaching to a process.
522 //------------------------------------------------------------------
523 void DynamicLoaderDarwinKernel::DidLaunch() {
524   PrivateInitialize(m_process);
525   UpdateIfNeeded();
526 }
527 
528 //----------------------------------------------------------------------
529 // Clear out the state of this class.
530 //----------------------------------------------------------------------
531 void DynamicLoaderDarwinKernel::Clear(bool clear_process) {
532   std::lock_guard<std::recursive_mutex> guard(m_mutex);
533 
534   if (m_process->IsAlive() && LLDB_BREAK_ID_IS_VALID(m_break_id))
535     m_process->ClearBreakpointSiteByID(m_break_id);
536 
537   if (clear_process)
538     m_process = NULL;
539   m_kernel.Clear();
540   m_known_kexts.clear();
541   m_kext_summary_header_ptr_addr.Clear();
542   m_kext_summary_header_addr.Clear();
543   m_break_id = LLDB_INVALID_BREAK_ID;
544 }
545 
546 bool DynamicLoaderDarwinKernel::KextImageInfo::LoadImageAtFileAddress(
547     Process *process) {
548   if (IsLoaded())
549     return true;
550 
551   if (m_module_sp) {
552     bool changed = false;
553     if (m_module_sp->SetLoadAddress(process->GetTarget(), 0, true, changed))
554       m_load_process_stop_id = process->GetStopID();
555   }
556   return false;
557 }
558 
559 void DynamicLoaderDarwinKernel::KextImageInfo::SetModule(ModuleSP module_sp) {
560   m_module_sp = module_sp;
561   if (module_sp.get() && module_sp->GetObjectFile()) {
562     if (module_sp->GetObjectFile()->GetType() == ObjectFile::eTypeExecutable &&
563         module_sp->GetObjectFile()->GetStrata() == ObjectFile::eStrataKernel) {
564       m_kernel_image = true;
565     } else {
566       m_kernel_image = false;
567     }
568   }
569 }
570 
571 ModuleSP DynamicLoaderDarwinKernel::KextImageInfo::GetModule() {
572   return m_module_sp;
573 }
574 
575 void DynamicLoaderDarwinKernel::KextImageInfo::SetLoadAddress(
576     addr_t load_addr) {
577   m_load_address = load_addr;
578 }
579 
580 addr_t DynamicLoaderDarwinKernel::KextImageInfo::GetLoadAddress() const {
581   return m_load_address;
582 }
583 
584 uint64_t DynamicLoaderDarwinKernel::KextImageInfo::GetSize() const {
585   return m_size;
586 }
587 
588 void DynamicLoaderDarwinKernel::KextImageInfo::SetSize(uint64_t size) {
589   m_size = size;
590 }
591 
592 uint32_t DynamicLoaderDarwinKernel::KextImageInfo::GetProcessStopId() const {
593   return m_load_process_stop_id;
594 }
595 
596 void DynamicLoaderDarwinKernel::KextImageInfo::SetProcessStopId(
597     uint32_t stop_id) {
598   m_load_process_stop_id = stop_id;
599 }
600 
601 bool DynamicLoaderDarwinKernel::KextImageInfo::
602 operator==(const KextImageInfo &rhs) {
603   if (m_uuid.IsValid() || rhs.GetUUID().IsValid()) {
604     if (m_uuid == rhs.GetUUID()) {
605       return true;
606     }
607     return false;
608   }
609 
610   if (m_name == rhs.GetName() && m_load_address == rhs.GetLoadAddress())
611     return true;
612 
613   return false;
614 }
615 
616 void DynamicLoaderDarwinKernel::KextImageInfo::SetName(const char *name) {
617   m_name = name;
618 }
619 
620 std::string DynamicLoaderDarwinKernel::KextImageInfo::GetName() const {
621   return m_name;
622 }
623 
624 void DynamicLoaderDarwinKernel::KextImageInfo::SetUUID(const UUID &uuid) {
625   m_uuid = uuid;
626 }
627 
628 UUID DynamicLoaderDarwinKernel::KextImageInfo::GetUUID() const {
629   return m_uuid;
630 }
631 
632 // Given the m_load_address from the kext summaries, and a UUID, try to create
633 // an in-memory
634 // Module at that address.  Require that the MemoryModule have a matching UUID
635 // and detect
636 // if this MemoryModule is a kernel or a kext.
637 //
638 // Returns true if m_memory_module_sp is now set to a valid Module.
639 
640 bool DynamicLoaderDarwinKernel::KextImageInfo::ReadMemoryModule(
641     Process *process) {
642   Log *log = lldb_private::GetLogIfAllCategoriesSet(LIBLLDB_LOG_HOST);
643   if (m_memory_module_sp.get() != NULL)
644     return true;
645   if (m_load_address == LLDB_INVALID_ADDRESS)
646     return false;
647 
648   FileSpec file_spec;
649   file_spec.SetFile(m_name.c_str(), false);
650 
651   ModuleSP memory_module_sp =
652       process->ReadModuleFromMemory(file_spec, m_load_address);
653 
654   if (memory_module_sp.get() == NULL)
655     return false;
656 
657   bool is_kernel = false;
658   if (memory_module_sp->GetObjectFile()) {
659     if (memory_module_sp->GetObjectFile()->GetType() ==
660             ObjectFile::eTypeExecutable &&
661         memory_module_sp->GetObjectFile()->GetStrata() ==
662             ObjectFile::eStrataKernel) {
663       is_kernel = true;
664     } else if (memory_module_sp->GetObjectFile()->GetType() ==
665                ObjectFile::eTypeSharedLibrary) {
666       is_kernel = false;
667     }
668   }
669 
670   // If this is a kext, and the kernel specified what UUID we should find at
671   // this
672   // load address, require that the memory module have a matching UUID or
673   // something
674   // has gone wrong and we should discard it.
675   if (m_uuid.IsValid()) {
676     if (m_uuid != memory_module_sp->GetUUID()) {
677       if (log) {
678         log->Printf("KextImageInfo::ReadMemoryModule the kernel said to find "
679                     "uuid %s at 0x%" PRIx64
680                     " but instead we found uuid %s, throwing it away",
681                     m_uuid.GetAsString().c_str(), m_load_address,
682                     memory_module_sp->GetUUID().GetAsString().c_str());
683       }
684       return false;
685     }
686   }
687 
688   // If the in-memory Module has a UUID, let's use that.
689   if (!m_uuid.IsValid() && memory_module_sp->GetUUID().IsValid()) {
690     m_uuid = memory_module_sp->GetUUID();
691   }
692 
693   m_memory_module_sp = memory_module_sp;
694   m_kernel_image = is_kernel;
695   if (is_kernel) {
696     if (log) {
697       // This is unusual and probably not intended
698       log->Printf("KextImageInfo::ReadMemoryModule read the kernel binary out "
699                   "of memory");
700     }
701     if (memory_module_sp->GetArchitecture().IsValid()) {
702       process->GetTarget().SetArchitecture(memory_module_sp->GetArchitecture());
703     }
704     if (m_uuid.IsValid()) {
705       ModuleSP exe_module_sp = process->GetTarget().GetExecutableModule();
706       if (exe_module_sp.get() && exe_module_sp->GetUUID().IsValid()) {
707         if (m_uuid != exe_module_sp->GetUUID()) {
708           // The user specified a kernel binary that has a different UUID than
709           // the kernel actually running in memory.  This never ends well;
710           // clear the user specified kernel binary from the Target.
711 
712           m_module_sp.reset();
713 
714           ModuleList user_specified_kernel_list;
715           user_specified_kernel_list.Append(exe_module_sp);
716           process->GetTarget().GetImages().Remove(user_specified_kernel_list);
717         }
718       }
719     }
720   }
721 
722   return true;
723 }
724 
725 bool DynamicLoaderDarwinKernel::KextImageInfo::IsKernel() const {
726   return m_kernel_image == true;
727 }
728 
729 void DynamicLoaderDarwinKernel::KextImageInfo::SetIsKernel(bool is_kernel) {
730   m_kernel_image = is_kernel;
731 }
732 
733 bool DynamicLoaderDarwinKernel::KextImageInfo::LoadImageUsingMemoryModule(
734     Process *process) {
735   if (IsLoaded())
736     return true;
737 
738   Target &target = process->GetTarget();
739 
740   // If we don't have / can't create a memory module for this kext, don't try to
741   // load it - we won't
742   // have the correct segment load addresses.
743   if (!ReadMemoryModule(process)) {
744     Log *log(GetLogIfAnyCategoriesSet(LIBLLDB_LOG_DYNAMIC_LOADER));
745     if (log)
746       log->Printf("Unable to read '%s' from memory at address 0x%" PRIx64
747                   " to get the segment load addresses.",
748                   m_name.c_str(), m_load_address);
749     return false;
750   }
751 
752   bool uuid_is_valid = m_uuid.IsValid();
753 
754   if (IsKernel() && uuid_is_valid && m_memory_module_sp.get()) {
755     Stream *s = target.GetDebugger().GetOutputFile().get();
756     if (s) {
757       s->Printf("Kernel UUID: %s\n",
758                 m_memory_module_sp->GetUUID().GetAsString().c_str());
759       s->Printf("Load Address: 0x%" PRIx64 "\n", m_load_address);
760     }
761   }
762 
763   if (!m_module_sp) {
764     // See if the kext has already been loaded into the target, probably by the
765     // user doing target modules add.
766     const ModuleList &target_images = target.GetImages();
767     m_module_sp = target_images.FindModule(m_uuid);
768 
769     // Search for the kext on the local filesystem via the UUID
770     if (!m_module_sp && uuid_is_valid) {
771       ModuleSpec module_spec;
772       module_spec.GetUUID() = m_uuid;
773       module_spec.GetArchitecture() = target.GetArchitecture();
774 
775       // For the kernel, we really do need an on-disk file copy of the binary to
776       // do anything useful.
777       // This will force a clal to
778       if (IsKernel()) {
779         if (Symbols::DownloadObjectAndSymbolFile(module_spec, true)) {
780           if (module_spec.GetFileSpec().Exists()) {
781             m_module_sp.reset(new Module(module_spec.GetFileSpec(),
782                                          target.GetArchitecture()));
783             if (m_module_sp.get() &&
784                 m_module_sp->MatchesModuleSpec(module_spec)) {
785               ModuleList loaded_module_list;
786               loaded_module_list.Append(m_module_sp);
787               target.ModulesDidLoad(loaded_module_list);
788             }
789           }
790         }
791       }
792 
793       // If the current platform is PlatformDarwinKernel, create a ModuleSpec
794       // with the filename set
795       // to be the bundle ID for this kext, e.g.
796       // "com.apple.filesystems.msdosfs", and ask the platform
797       // to find it.
798       PlatformSP platform_sp(target.GetPlatform());
799       if (!m_module_sp && platform_sp) {
800         ConstString platform_name(platform_sp->GetPluginName());
801         static ConstString g_platform_name(
802             PlatformDarwinKernel::GetPluginNameStatic());
803         if (platform_name == g_platform_name) {
804           ModuleSpec kext_bundle_module_spec(module_spec);
805           FileSpec kext_filespec(m_name.c_str(), false);
806           kext_bundle_module_spec.GetFileSpec() = kext_filespec;
807           platform_sp->GetSharedModule(
808               kext_bundle_module_spec, process, m_module_sp,
809               &target.GetExecutableSearchPaths(), NULL, NULL);
810         }
811       }
812 
813       // Ask the Target to find this file on the local system, if possible.
814       // This will search in the list of currently-loaded files, look in the
815       // standard search paths on the system, and on a Mac it will try calling
816       // the DebugSymbols framework with the UUID to find the binary via its
817       // search methods.
818       if (!m_module_sp) {
819         m_module_sp = target.GetSharedModule(module_spec);
820       }
821 
822       if (IsKernel() && !m_module_sp) {
823         Stream *s = target.GetDebugger().GetOutputFile().get();
824         if (s) {
825           s->Printf("WARNING: Unable to locate kernel binary on the debugger "
826                     "system.\n");
827         }
828       }
829     }
830 
831     // If we managed to find a module, append it to the target's list of images.
832     // If we also have a memory module, require that they have matching UUIDs
833     if (m_module_sp) {
834       bool uuid_match_ok = true;
835       if (m_memory_module_sp) {
836         if (m_module_sp->GetUUID() != m_memory_module_sp->GetUUID()) {
837           uuid_match_ok = false;
838         }
839       }
840       if (uuid_match_ok) {
841         target.GetImages().AppendIfNeeded(m_module_sp);
842         if (IsKernel() &&
843             target.GetExecutableModulePointer() != m_module_sp.get()) {
844           target.SetExecutableModule(m_module_sp, false);
845         }
846       }
847     }
848   }
849 
850   if (!m_module_sp && !IsKernel() && m_uuid.IsValid() && !m_name.empty()) {
851     Stream *s = target.GetDebugger().GetOutputFile().get();
852     if (s) {
853       s->Printf("warning: Can't find binary/dSYM for %s (%s)\n", m_name.c_str(),
854                 m_uuid.GetAsString().c_str());
855     }
856   }
857 
858   static ConstString g_section_name_LINKEDIT("__LINKEDIT");
859 
860   if (m_memory_module_sp && m_module_sp) {
861     if (m_module_sp->GetUUID() == m_memory_module_sp->GetUUID()) {
862       ObjectFile *ondisk_object_file = m_module_sp->GetObjectFile();
863       ObjectFile *memory_object_file = m_memory_module_sp->GetObjectFile();
864 
865       if (memory_object_file && ondisk_object_file) {
866         // The memory_module for kexts may have an invalid __LINKEDIT seg; skip
867         // it.
868         const bool ignore_linkedit = !IsKernel();
869 
870         SectionList *ondisk_section_list = ondisk_object_file->GetSectionList();
871         SectionList *memory_section_list = memory_object_file->GetSectionList();
872         if (memory_section_list && ondisk_section_list) {
873           const uint32_t num_ondisk_sections = ondisk_section_list->GetSize();
874           // There may be CTF sections in the memory image so we can't
875           // always just compare the number of sections (which are actually
876           // segments in mach-o parlance)
877           uint32_t sect_idx = 0;
878 
879           // Use the memory_module's addresses for each section to set the
880           // file module's load address as appropriate.  We don't want to use
881           // a single slide value for the entire kext - different segments may
882           // be slid different amounts by the kext loader.
883 
884           uint32_t num_sections_loaded = 0;
885           for (sect_idx = 0; sect_idx < num_ondisk_sections; ++sect_idx) {
886             SectionSP ondisk_section_sp(
887                 ondisk_section_list->GetSectionAtIndex(sect_idx));
888             if (ondisk_section_sp) {
889               // Don't ever load __LINKEDIT as it may or may not be actually
890               // mapped into memory and there is no current way to tell.
891               // I filed rdar://problem/12851706 to track being able to tell
892               // if the __LINKEDIT is actually mapped, but until then, we need
893               // to not load the __LINKEDIT
894               if (ignore_linkedit &&
895                   ondisk_section_sp->GetName() == g_section_name_LINKEDIT)
896                 continue;
897 
898               const Section *memory_section =
899                   memory_section_list
900                       ->FindSectionByName(ondisk_section_sp->GetName())
901                       .get();
902               if (memory_section) {
903                 target.SetSectionLoadAddress(ondisk_section_sp,
904                                              memory_section->GetFileAddress());
905                 ++num_sections_loaded;
906               }
907             }
908           }
909           if (num_sections_loaded > 0)
910             m_load_process_stop_id = process->GetStopID();
911           else
912             m_module_sp.reset(); // No sections were loaded
913         } else
914           m_module_sp.reset(); // One or both section lists
915       } else
916         m_module_sp.reset(); // One or both object files missing
917     } else
918       m_module_sp.reset(); // UUID mismatch
919   }
920 
921   bool is_loaded = IsLoaded();
922 
923   if (is_loaded && m_module_sp && IsKernel()) {
924     Stream *s = target.GetDebugger().GetOutputFile().get();
925     if (s) {
926       ObjectFile *kernel_object_file = m_module_sp->GetObjectFile();
927       if (kernel_object_file) {
928         addr_t file_address =
929             kernel_object_file->GetHeaderAddress().GetFileAddress();
930         if (m_load_address != LLDB_INVALID_ADDRESS &&
931             file_address != LLDB_INVALID_ADDRESS) {
932           s->Printf("Kernel slid 0x%" PRIx64 " in memory.\n",
933                     m_load_address - file_address);
934         }
935       }
936       {
937         s->Printf("Loaded kernel file %s\n",
938                   m_module_sp->GetFileSpec().GetPath().c_str());
939       }
940       s->Flush();
941     }
942   }
943   return is_loaded;
944 }
945 
946 uint32_t DynamicLoaderDarwinKernel::KextImageInfo::GetAddressByteSize() {
947   if (m_memory_module_sp)
948     return m_memory_module_sp->GetArchitecture().GetAddressByteSize();
949   if (m_module_sp)
950     return m_module_sp->GetArchitecture().GetAddressByteSize();
951   return 0;
952 }
953 
954 lldb::ByteOrder DynamicLoaderDarwinKernel::KextImageInfo::GetByteOrder() {
955   if (m_memory_module_sp)
956     return m_memory_module_sp->GetArchitecture().GetByteOrder();
957   if (m_module_sp)
958     return m_module_sp->GetArchitecture().GetByteOrder();
959   return endian::InlHostByteOrder();
960 }
961 
962 lldb_private::ArchSpec
963 DynamicLoaderDarwinKernel::KextImageInfo::GetArchitecture() const {
964   if (m_memory_module_sp)
965     return m_memory_module_sp->GetArchitecture();
966   if (m_module_sp)
967     return m_module_sp->GetArchitecture();
968   return lldb_private::ArchSpec();
969 }
970 
971 //----------------------------------------------------------------------
972 // Load the kernel module and initialize the "m_kernel" member. Return
973 // true _only_ if the kernel is loaded the first time through (subsequent
974 // calls to this function should return false after the kernel has been
975 // already loaded).
976 //----------------------------------------------------------------------
977 void DynamicLoaderDarwinKernel::LoadKernelModuleIfNeeded() {
978   if (!m_kext_summary_header_ptr_addr.IsValid()) {
979     m_kernel.Clear();
980     m_kernel.SetModule(m_process->GetTarget().GetExecutableModule());
981     m_kernel.SetIsKernel(true);
982 
983     ConstString kernel_name("mach_kernel");
984     if (m_kernel.GetModule().get() && m_kernel.GetModule()->GetObjectFile() &&
985         !m_kernel.GetModule()
986              ->GetObjectFile()
987              ->GetFileSpec()
988              .GetFilename()
989              .IsEmpty()) {
990       kernel_name =
991           m_kernel.GetModule()->GetObjectFile()->GetFileSpec().GetFilename();
992     }
993     m_kernel.SetName(kernel_name.AsCString());
994 
995     if (m_kernel.GetLoadAddress() == LLDB_INVALID_ADDRESS) {
996       m_kernel.SetLoadAddress(m_kernel_load_address);
997       if (m_kernel.GetLoadAddress() == LLDB_INVALID_ADDRESS &&
998           m_kernel.GetModule()) {
999         // We didn't get a hint from the process, so we will
1000         // try the kernel at the address that it exists at in
1001         // the file if we have one
1002         ObjectFile *kernel_object_file = m_kernel.GetModule()->GetObjectFile();
1003         if (kernel_object_file) {
1004           addr_t load_address =
1005               kernel_object_file->GetHeaderAddress().GetLoadAddress(
1006                   &m_process->GetTarget());
1007           addr_t file_address =
1008               kernel_object_file->GetHeaderAddress().GetFileAddress();
1009           if (load_address != LLDB_INVALID_ADDRESS && load_address != 0) {
1010             m_kernel.SetLoadAddress(load_address);
1011             if (load_address != file_address) {
1012               // Don't accidentally relocate the kernel to the File address --
1013               // the Load address has already been set to its actual in-memory
1014               // address.
1015               // Mark it as IsLoaded.
1016               m_kernel.SetProcessStopId(m_process->GetStopID());
1017             }
1018           } else {
1019             m_kernel.SetLoadAddress(file_address);
1020           }
1021         }
1022       }
1023     }
1024 
1025     if (m_kernel.GetLoadAddress() != LLDB_INVALID_ADDRESS) {
1026       if (!m_kernel.LoadImageUsingMemoryModule(m_process)) {
1027         m_kernel.LoadImageAtFileAddress(m_process);
1028       }
1029     }
1030 
1031     // The operating system plugin gets loaded and initialized in
1032     // LoadImageUsingMemoryModule when we discover the kernel dSYM.  For a
1033     // core file in particular, that's the wrong place to do this, since
1034     // we haven't fixed up the section addresses yet.  So let's redo it here.
1035     LoadOperatingSystemPlugin(false);
1036 
1037     if (m_kernel.IsLoaded() && m_kernel.GetModule()) {
1038       static ConstString kext_summary_symbol("gLoadedKextSummaries");
1039       const Symbol *symbol =
1040           m_kernel.GetModule()->FindFirstSymbolWithNameAndType(
1041               kext_summary_symbol, eSymbolTypeData);
1042       if (symbol) {
1043         m_kext_summary_header_ptr_addr = symbol->GetAddress();
1044         // Update all image infos
1045         ReadAllKextSummaries();
1046       }
1047     } else {
1048       m_kernel.Clear();
1049     }
1050   }
1051 }
1052 
1053 //----------------------------------------------------------------------
1054 // Static callback function that gets called when our DYLD notification
1055 // breakpoint gets hit. We update all of our image infos and then
1056 // let our super class DynamicLoader class decide if we should stop
1057 // or not (based on global preference).
1058 //----------------------------------------------------------------------
1059 bool DynamicLoaderDarwinKernel::BreakpointHitCallback(
1060     void *baton, StoppointCallbackContext *context, user_id_t break_id,
1061     user_id_t break_loc_id) {
1062   return static_cast<DynamicLoaderDarwinKernel *>(baton)->BreakpointHit(
1063       context, break_id, break_loc_id);
1064 }
1065 
1066 bool DynamicLoaderDarwinKernel::BreakpointHit(StoppointCallbackContext *context,
1067                                               user_id_t break_id,
1068                                               user_id_t break_loc_id) {
1069   Log *log(GetLogIfAnyCategoriesSet(LIBLLDB_LOG_DYNAMIC_LOADER));
1070   if (log)
1071     log->Printf("DynamicLoaderDarwinKernel::BreakpointHit (...)\n");
1072 
1073   ReadAllKextSummaries();
1074 
1075   if (log)
1076     PutToLog(log);
1077 
1078   return GetStopWhenImagesChange();
1079 }
1080 
1081 bool DynamicLoaderDarwinKernel::ReadKextSummaryHeader() {
1082   std::lock_guard<std::recursive_mutex> guard(m_mutex);
1083 
1084   // the all image infos is already valid for this process stop ID
1085 
1086   if (m_kext_summary_header_ptr_addr.IsValid()) {
1087     const uint32_t addr_size = m_kernel.GetAddressByteSize();
1088     const ByteOrder byte_order = m_kernel.GetByteOrder();
1089     Status error;
1090     // Read enough bytes for a "OSKextLoadedKextSummaryHeader" structure
1091     // which is currently 4 uint32_t and a pointer.
1092     uint8_t buf[24];
1093     DataExtractor data(buf, sizeof(buf), byte_order, addr_size);
1094     const size_t count = 4 * sizeof(uint32_t) + addr_size;
1095     const bool prefer_file_cache = false;
1096     if (m_process->GetTarget().ReadPointerFromMemory(
1097             m_kext_summary_header_ptr_addr, prefer_file_cache, error,
1098             m_kext_summary_header_addr)) {
1099       // We got a valid address for our kext summary header and make sure it
1100       // isn't NULL
1101       if (m_kext_summary_header_addr.IsValid() &&
1102           m_kext_summary_header_addr.GetFileAddress() != 0) {
1103         const size_t bytes_read = m_process->GetTarget().ReadMemory(
1104             m_kext_summary_header_addr, prefer_file_cache, buf, count, error);
1105         if (bytes_read == count) {
1106           lldb::offset_t offset = 0;
1107           m_kext_summary_header.version = data.GetU32(&offset);
1108           if (m_kext_summary_header.version > 128) {
1109             Stream *s =
1110                 m_process->GetTarget().GetDebugger().GetOutputFile().get();
1111             s->Printf("WARNING: Unable to read kext summary header, got "
1112                       "improbable version number %u\n",
1113                       m_kext_summary_header.version);
1114             // If we get an improbably large version number, we're probably
1115             // getting bad memory.
1116             m_kext_summary_header_addr.Clear();
1117             return false;
1118           }
1119           if (m_kext_summary_header.version >= 2) {
1120             m_kext_summary_header.entry_size = data.GetU32(&offset);
1121             if (m_kext_summary_header.entry_size > 4096) {
1122               // If we get an improbably large entry_size, we're probably
1123               // getting bad memory.
1124               Stream *s =
1125                   m_process->GetTarget().GetDebugger().GetOutputFile().get();
1126               s->Printf("WARNING: Unable to read kext summary header, got "
1127                         "improbable entry_size %u\n",
1128                         m_kext_summary_header.entry_size);
1129               m_kext_summary_header_addr.Clear();
1130               return false;
1131             }
1132           } else {
1133             // Versions less than 2 didn't have an entry size, it was hard coded
1134             m_kext_summary_header.entry_size =
1135                 KERNEL_MODULE_ENTRY_SIZE_VERSION_1;
1136           }
1137           m_kext_summary_header.entry_count = data.GetU32(&offset);
1138           if (m_kext_summary_header.entry_count > 10000) {
1139             // If we get an improbably large number of kexts, we're probably
1140             // getting bad memory.
1141             Stream *s =
1142                 m_process->GetTarget().GetDebugger().GetOutputFile().get();
1143             s->Printf("WARNING: Unable to read kext summary header, got "
1144                       "improbable number of kexts %u\n",
1145                       m_kext_summary_header.entry_count);
1146             m_kext_summary_header_addr.Clear();
1147             return false;
1148           }
1149           return true;
1150         }
1151       }
1152     }
1153   }
1154   m_kext_summary_header_addr.Clear();
1155   return false;
1156 }
1157 
1158 // We've either (a) just attached to a new kernel, or (b) the kexts-changed
1159 // breakpoint was hit
1160 // and we need to figure out what kexts have been added or removed.
1161 // Read the kext summaries from the inferior kernel memory, compare them against
1162 // the
1163 // m_known_kexts vector and update the m_known_kexts vector as needed to keep in
1164 // sync with the
1165 // inferior.
1166 
1167 bool DynamicLoaderDarwinKernel::ParseKextSummaries(
1168     const Address &kext_summary_addr, uint32_t count) {
1169   KextImageInfo::collection kext_summaries;
1170   Log *log(GetLogIfAnyCategoriesSet(LIBLLDB_LOG_DYNAMIC_LOADER));
1171   if (log)
1172     log->Printf("Kexts-changed breakpoint hit, there are %d kexts currently.\n",
1173                 count);
1174 
1175   std::lock_guard<std::recursive_mutex> guard(m_mutex);
1176 
1177   if (!ReadKextSummaries(kext_summary_addr, count, kext_summaries))
1178     return false;
1179 
1180   // read the plugin.dynamic-loader.darwin-kernel.load-kexts setting -- if the
1181   // user requested no
1182   // kext loading, don't print any messages about kexts & don't try to read
1183   // them.
1184   const bool load_kexts = GetGlobalProperties()->GetLoadKexts();
1185 
1186   // By default, all kexts we've loaded in the past are marked as "remove" and
1187   // all of the kexts
1188   // we just found out about from ReadKextSummaries are marked as "add".
1189   std::vector<bool> to_be_removed(m_known_kexts.size(), true);
1190   std::vector<bool> to_be_added(count, true);
1191 
1192   int number_of_new_kexts_being_added = 0;
1193   int number_of_old_kexts_being_removed = m_known_kexts.size();
1194 
1195   const uint32_t new_kexts_size = kext_summaries.size();
1196   const uint32_t old_kexts_size = m_known_kexts.size();
1197 
1198   // The m_known_kexts vector may have entries that have been Cleared,
1199   // or are a kernel.
1200   for (uint32_t old_kext = 0; old_kext < old_kexts_size; old_kext++) {
1201     bool ignore = false;
1202     KextImageInfo &image_info = m_known_kexts[old_kext];
1203     if (image_info.IsKernel()) {
1204       ignore = true;
1205     } else if (image_info.GetLoadAddress() == LLDB_INVALID_ADDRESS &&
1206                !image_info.GetModule()) {
1207       ignore = true;
1208     }
1209 
1210     if (ignore) {
1211       number_of_old_kexts_being_removed--;
1212       to_be_removed[old_kext] = false;
1213     }
1214   }
1215 
1216   // Scan over the list of kexts we just read from the kernel, note those that
1217   // need to be added and those already loaded.
1218   for (uint32_t new_kext = 0; new_kext < new_kexts_size; new_kext++) {
1219     bool add_this_one = true;
1220     for (uint32_t old_kext = 0; old_kext < old_kexts_size; old_kext++) {
1221       if (m_known_kexts[old_kext] == kext_summaries[new_kext]) {
1222         // We already have this kext, don't re-load it.
1223         to_be_added[new_kext] = false;
1224         // This kext is still present, do not remove it.
1225         to_be_removed[old_kext] = false;
1226 
1227         number_of_old_kexts_being_removed--;
1228         add_this_one = false;
1229         break;
1230       }
1231     }
1232     // If this "kext" entry is actually an alias for the kernel --
1233     // the kext was compiled into the kernel or something -- then
1234     // we don't want to load the kernel's text section at a different
1235     // address.  Ignore this kext entry.
1236     if (kext_summaries[new_kext].GetUUID().IsValid()
1237         && m_kernel.GetUUID().IsValid()
1238         && kext_summaries[new_kext].GetUUID() == m_kernel.GetUUID()) {
1239       to_be_added[new_kext] = false;
1240       break;
1241     }
1242     if (add_this_one) {
1243       number_of_new_kexts_being_added++;
1244     }
1245   }
1246 
1247   if (number_of_new_kexts_being_added == 0 &&
1248       number_of_old_kexts_being_removed == 0)
1249     return true;
1250 
1251   Stream *s = m_process->GetTarget().GetDebugger().GetOutputFile().get();
1252   if (s && load_kexts) {
1253     if (number_of_new_kexts_being_added > 0 &&
1254         number_of_old_kexts_being_removed > 0) {
1255       s->Printf("Loading %d kext modules and unloading %d kext modules ",
1256                 number_of_new_kexts_being_added,
1257                 number_of_old_kexts_being_removed);
1258     } else if (number_of_new_kexts_being_added > 0) {
1259       s->Printf("Loading %d kext modules ", number_of_new_kexts_being_added);
1260     } else if (number_of_old_kexts_being_removed > 0) {
1261       s->Printf("Unloading %d kext modules ",
1262                 number_of_old_kexts_being_removed);
1263     }
1264   }
1265 
1266   if (log) {
1267     if (load_kexts) {
1268       log->Printf("DynamicLoaderDarwinKernel::ParseKextSummaries: %d kexts "
1269                   "added, %d kexts removed",
1270                   number_of_new_kexts_being_added,
1271                   number_of_old_kexts_being_removed);
1272     } else {
1273       log->Printf(
1274           "DynamicLoaderDarwinKernel::ParseKextSummaries kext loading is "
1275           "disabled, else would have %d kexts added, %d kexts removed",
1276           number_of_new_kexts_being_added, number_of_old_kexts_being_removed);
1277     }
1278   }
1279 
1280   if (number_of_new_kexts_being_added > 0) {
1281     ModuleList loaded_module_list;
1282 
1283     const uint32_t num_of_new_kexts = kext_summaries.size();
1284     for (uint32_t new_kext = 0; new_kext < num_of_new_kexts; new_kext++) {
1285       if (to_be_added[new_kext] == true) {
1286         KextImageInfo &image_info = kext_summaries[new_kext];
1287         if (load_kexts) {
1288           if (!image_info.LoadImageUsingMemoryModule(m_process)) {
1289             image_info.LoadImageAtFileAddress(m_process);
1290           }
1291         }
1292 
1293         m_known_kexts.push_back(image_info);
1294 
1295         if (image_info.GetModule() &&
1296             m_process->GetStopID() == image_info.GetProcessStopId())
1297           loaded_module_list.AppendIfNeeded(image_info.GetModule());
1298 
1299         if (s && load_kexts)
1300           s->Printf(".");
1301 
1302         if (log)
1303           kext_summaries[new_kext].PutToLog(log);
1304       }
1305     }
1306     m_process->GetTarget().ModulesDidLoad(loaded_module_list);
1307   }
1308 
1309   if (number_of_old_kexts_being_removed > 0) {
1310     ModuleList loaded_module_list;
1311     const uint32_t num_of_old_kexts = m_known_kexts.size();
1312     for (uint32_t old_kext = 0; old_kext < num_of_old_kexts; old_kext++) {
1313       ModuleList unloaded_module_list;
1314       if (to_be_removed[old_kext]) {
1315         KextImageInfo &image_info = m_known_kexts[old_kext];
1316         // You can't unload the kernel.
1317         if (!image_info.IsKernel()) {
1318           if (image_info.GetModule()) {
1319             unloaded_module_list.AppendIfNeeded(image_info.GetModule());
1320           }
1321           if (s)
1322             s->Printf(".");
1323           image_info.Clear();
1324           // should pull it out of the KextImageInfos vector but that would
1325           // mutate the list and invalidate
1326           // the to_be_removed bool vector; leaving it in place once Cleared()
1327           // is relatively harmless.
1328         }
1329       }
1330       m_process->GetTarget().ModulesDidUnload(unloaded_module_list, false);
1331     }
1332   }
1333 
1334   if (s && load_kexts) {
1335     s->Printf(" done.\n");
1336     s->Flush();
1337   }
1338 
1339   return true;
1340 }
1341 
1342 uint32_t DynamicLoaderDarwinKernel::ReadKextSummaries(
1343     const Address &kext_summary_addr, uint32_t image_infos_count,
1344     KextImageInfo::collection &image_infos) {
1345   const ByteOrder endian = m_kernel.GetByteOrder();
1346   const uint32_t addr_size = m_kernel.GetAddressByteSize();
1347 
1348   image_infos.resize(image_infos_count);
1349   const size_t count = image_infos.size() * m_kext_summary_header.entry_size;
1350   DataBufferHeap data(count, 0);
1351   Status error;
1352 
1353   const bool prefer_file_cache = false;
1354   const size_t bytes_read = m_process->GetTarget().ReadMemory(
1355       kext_summary_addr, prefer_file_cache, data.GetBytes(), data.GetByteSize(),
1356       error);
1357   if (bytes_read == count) {
1358 
1359     DataExtractor extractor(data.GetBytes(), data.GetByteSize(), endian,
1360                             addr_size);
1361     uint32_t i = 0;
1362     for (uint32_t kext_summary_offset = 0;
1363          i < image_infos.size() &&
1364          extractor.ValidOffsetForDataOfSize(kext_summary_offset,
1365                                             m_kext_summary_header.entry_size);
1366          ++i, kext_summary_offset += m_kext_summary_header.entry_size) {
1367       lldb::offset_t offset = kext_summary_offset;
1368       const void *name_data =
1369           extractor.GetData(&offset, KERNEL_MODULE_MAX_NAME);
1370       if (name_data == NULL)
1371         break;
1372       image_infos[i].SetName((const char *)name_data);
1373       UUID uuid(extractor.GetData(&offset, 16), 16);
1374       image_infos[i].SetUUID(uuid);
1375       image_infos[i].SetLoadAddress(extractor.GetU64(&offset));
1376       image_infos[i].SetSize(extractor.GetU64(&offset));
1377     }
1378     if (i < image_infos.size())
1379       image_infos.resize(i);
1380   } else {
1381     image_infos.clear();
1382   }
1383   return image_infos.size();
1384 }
1385 
1386 bool DynamicLoaderDarwinKernel::ReadAllKextSummaries() {
1387   std::lock_guard<std::recursive_mutex> guard(m_mutex);
1388 
1389   if (ReadKextSummaryHeader()) {
1390     if (m_kext_summary_header.entry_count > 0 &&
1391         m_kext_summary_header_addr.IsValid()) {
1392       Address summary_addr(m_kext_summary_header_addr);
1393       summary_addr.Slide(m_kext_summary_header.GetSize());
1394       if (!ParseKextSummaries(summary_addr,
1395                               m_kext_summary_header.entry_count)) {
1396         m_known_kexts.clear();
1397       }
1398       return true;
1399     }
1400   }
1401   return false;
1402 }
1403 
1404 //----------------------------------------------------------------------
1405 // Dump an image info structure to the file handle provided.
1406 //----------------------------------------------------------------------
1407 void DynamicLoaderDarwinKernel::KextImageInfo::PutToLog(Log *log) const {
1408   if (log == NULL)
1409     return;
1410   const uint8_t *u = static_cast<const uint8_t *>(m_uuid.GetBytes());
1411 
1412   if (m_load_address == LLDB_INVALID_ADDRESS) {
1413     if (u) {
1414       log->Printf("\tuuid=%2.2X%2.2X%2.2X%2.2X-%2.2X%2.2X-%2.2X%2.2X-%2.2X%2."
1415                   "2X-%2.2X%2.2X%2.2X%2.2X%2.2X%2.2X name=\"%s\" (UNLOADED)",
1416                   u[0], u[1], u[2], u[3], u[4], u[5], u[6], u[7], u[8], u[9],
1417                   u[10], u[11], u[12], u[13], u[14], u[15], m_name.c_str());
1418     } else
1419       log->Printf("\tname=\"%s\" (UNLOADED)", m_name.c_str());
1420   } else {
1421     if (u) {
1422       log->Printf("\taddr=0x%16.16" PRIx64 " size=0x%16.16" PRIx64
1423                   " uuid=%2.2X%2.2X%2.2X%2.2X-%2.2X%2.2X-%2.2X%2.2X-%2.2X%2.2X-"
1424                   "%2.2X%2.2X%2.2X%2.2X%2.2X%2.2X name=\"%s\"",
1425                   m_load_address, m_size, u[0], u[1], u[2], u[3], u[4], u[5],
1426                   u[6], u[7], u[8], u[9], u[10], u[11], u[12], u[13], u[14],
1427                   u[15], m_name.c_str());
1428     } else {
1429       log->Printf("\t[0x%16.16" PRIx64 " - 0x%16.16" PRIx64 ") name=\"%s\"",
1430                   m_load_address, m_load_address + m_size, m_name.c_str());
1431     }
1432   }
1433 }
1434 
1435 //----------------------------------------------------------------------
1436 // Dump the _dyld_all_image_infos members and all current image infos
1437 // that we have parsed to the file handle provided.
1438 //----------------------------------------------------------------------
1439 void DynamicLoaderDarwinKernel::PutToLog(Log *log) const {
1440   if (log == NULL)
1441     return;
1442 
1443   std::lock_guard<std::recursive_mutex> guard(m_mutex);
1444   log->Printf("gLoadedKextSummaries = 0x%16.16" PRIx64
1445               " { version=%u, entry_size=%u, entry_count=%u }",
1446               m_kext_summary_header_addr.GetFileAddress(),
1447               m_kext_summary_header.version, m_kext_summary_header.entry_size,
1448               m_kext_summary_header.entry_count);
1449 
1450   size_t i;
1451   const size_t count = m_known_kexts.size();
1452   if (count > 0) {
1453     log->PutCString("Loaded:");
1454     for (i = 0; i < count; i++)
1455       m_known_kexts[i].PutToLog(log);
1456   }
1457 }
1458 
1459 void DynamicLoaderDarwinKernel::PrivateInitialize(Process *process) {
1460   DEBUG_PRINTF("DynamicLoaderDarwinKernel::%s() process state = %s\n",
1461                __FUNCTION__, StateAsCString(m_process->GetState()));
1462   Clear(true);
1463   m_process = process;
1464 }
1465 
1466 void DynamicLoaderDarwinKernel::SetNotificationBreakpointIfNeeded() {
1467   if (m_break_id == LLDB_INVALID_BREAK_ID && m_kernel.GetModule()) {
1468     DEBUG_PRINTF("DynamicLoaderDarwinKernel::%s() process state = %s\n",
1469                  __FUNCTION__, StateAsCString(m_process->GetState()));
1470 
1471     const bool internal_bp = true;
1472     const bool hardware = false;
1473     const LazyBool skip_prologue = eLazyBoolNo;
1474     FileSpecList module_spec_list;
1475     module_spec_list.Append(m_kernel.GetModule()->GetFileSpec());
1476     Breakpoint *bp =
1477         m_process->GetTarget()
1478             .CreateBreakpoint(&module_spec_list, NULL,
1479                               "OSKextLoadedKextSummariesUpdated",
1480                               eFunctionNameTypeFull, eLanguageTypeUnknown, 0,
1481                               skip_prologue, internal_bp, hardware)
1482             .get();
1483 
1484     bp->SetCallback(DynamicLoaderDarwinKernel::BreakpointHitCallback, this,
1485                     true);
1486     m_break_id = bp->GetID();
1487   }
1488 }
1489 
1490 //----------------------------------------------------------------------
1491 // Member function that gets called when the process state changes.
1492 //----------------------------------------------------------------------
1493 void DynamicLoaderDarwinKernel::PrivateProcessStateChanged(Process *process,
1494                                                            StateType state) {
1495   DEBUG_PRINTF("DynamicLoaderDarwinKernel::%s(%s)\n", __FUNCTION__,
1496                StateAsCString(state));
1497   switch (state) {
1498   case eStateConnected:
1499   case eStateAttaching:
1500   case eStateLaunching:
1501   case eStateInvalid:
1502   case eStateUnloaded:
1503   case eStateExited:
1504   case eStateDetached:
1505     Clear(false);
1506     break;
1507 
1508   case eStateStopped:
1509     UpdateIfNeeded();
1510     break;
1511 
1512   case eStateRunning:
1513   case eStateStepping:
1514   case eStateCrashed:
1515   case eStateSuspended:
1516     break;
1517   }
1518 }
1519 
1520 ThreadPlanSP
1521 DynamicLoaderDarwinKernel::GetStepThroughTrampolinePlan(Thread &thread,
1522                                                         bool stop_others) {
1523   ThreadPlanSP thread_plan_sp;
1524   Log *log(GetLogIfAllCategoriesSet(LIBLLDB_LOG_STEP));
1525   if (log)
1526     log->Printf("Could not find symbol for step through.");
1527   return thread_plan_sp;
1528 }
1529 
1530 Status DynamicLoaderDarwinKernel::CanLoadImage() {
1531   Status error;
1532   error.SetErrorString(
1533       "always unsafe to load or unload shared libraries in the darwin kernel");
1534   return error;
1535 }
1536 
1537 void DynamicLoaderDarwinKernel::Initialize() {
1538   PluginManager::RegisterPlugin(GetPluginNameStatic(),
1539                                 GetPluginDescriptionStatic(), CreateInstance,
1540                                 DebuggerInitialize);
1541 }
1542 
1543 void DynamicLoaderDarwinKernel::Terminate() {
1544   PluginManager::UnregisterPlugin(CreateInstance);
1545 }
1546 
1547 void DynamicLoaderDarwinKernel::DebuggerInitialize(
1548     lldb_private::Debugger &debugger) {
1549   if (!PluginManager::GetSettingForDynamicLoaderPlugin(
1550           debugger, DynamicLoaderDarwinKernelProperties::GetSettingName())) {
1551     const bool is_global_setting = true;
1552     PluginManager::CreateSettingForDynamicLoaderPlugin(
1553         debugger, GetGlobalProperties()->GetValueProperties(),
1554         ConstString("Properties for the DynamicLoaderDarwinKernel plug-in."),
1555         is_global_setting);
1556   }
1557 }
1558 
1559 lldb_private::ConstString DynamicLoaderDarwinKernel::GetPluginNameStatic() {
1560   static ConstString g_name("darwin-kernel");
1561   return g_name;
1562 }
1563 
1564 const char *DynamicLoaderDarwinKernel::GetPluginDescriptionStatic() {
1565   return "Dynamic loader plug-in that watches for shared library loads/unloads "
1566          "in the MacOSX kernel.";
1567 }
1568 
1569 //------------------------------------------------------------------
1570 // PluginInterface protocol
1571 //------------------------------------------------------------------
1572 lldb_private::ConstString DynamicLoaderDarwinKernel::GetPluginName() {
1573   return GetPluginNameStatic();
1574 }
1575 
1576 uint32_t DynamicLoaderDarwinKernel::GetPluginVersion() { return 1; }
1577 
1578 lldb::ByteOrder
1579 DynamicLoaderDarwinKernel::GetByteOrderFromMagic(uint32_t magic) {
1580   switch (magic) {
1581   case llvm::MachO::MH_MAGIC:
1582   case llvm::MachO::MH_MAGIC_64:
1583     return endian::InlHostByteOrder();
1584 
1585   case llvm::MachO::MH_CIGAM:
1586   case llvm::MachO::MH_CIGAM_64:
1587     if (endian::InlHostByteOrder() == lldb::eByteOrderBig)
1588       return lldb::eByteOrderLittle;
1589     else
1590       return lldb::eByteOrderBig;
1591 
1592   default:
1593     break;
1594   }
1595   return lldb::eByteOrderInvalid;
1596 }
1597