LLDB mainline
HostInfoMacOSX.mm
Go to the documentation of this file.
1//===-- HostInfoMacOSX.mm ---------------------------------------*- C++ -*-===//
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
11#include "lldb/Host/Host.h"
12#include "lldb/Host/HostInfo.h"
13#include "lldb/Utility/Args.h"
19#include "lldb/Utility/Log.h"
20#include "lldb/Utility/Timer.h"
22
23#include "llvm/ADT/DenseMap.h"
24#include "llvm/ADT/ScopeExit.h"
25#include "llvm/ADT/SmallString.h"
26#include "llvm/ADT/StringMap.h"
27#include "llvm/Support/FileSystem.h"
28#include "llvm/Support/Path.h"
29#include "llvm/Support/RWMutex.h"
30#include "llvm/Support/raw_ostream.h"
31
32// C++ Includes
33#include <optional>
34#include <string>
35
36// C inclues
37#include <cstdlib>
38#include <dlfcn.h>
39#include <sys/sysctl.h>
40#include <sys/syslimits.h>
41#include <sys/types.h>
42#include <uuid/uuid.h>
43
44// Objective-C/C++ includes
45#include <AvailabilityMacros.h>
46#include <CoreFoundation/CoreFoundation.h>
47#include <Foundation/Foundation.h>
48#include <Security/Security.h>
49#include <mach-o/dyld.h>
50#if defined(MAC_OS_X_VERSION_MIN_REQUIRED) && \
51 MAC_OS_X_VERSION_MIN_REQUIRED >= MAC_OS_VERSION_12_0
52#if __has_include(<mach-o/dyld_introspection.h>)
53#include <mach-o/dyld_introspection.h>
54#define SDK_HAS_NEW_DYLD_INTROSPECTION_SPIS
55#endif
56#endif
57#include <objc/objc-auto.h>
58
59// These are needed when compiling on systems
60// that do not yet have these definitions
61#ifndef CPU_SUBTYPE_X86_64_H
62#define CPU_SUBTYPE_X86_64_H ((cpu_subtype_t)8)
63#endif
64#ifndef CPU_TYPE_ARM64
65#define CPU_TYPE_ARM64 (CPU_TYPE_ARM | CPU_ARCH_ABI64)
66#endif
67
68#ifndef CPU_TYPE_ARM64_32
69#define CPU_ARCH_ABI64_32 0x02000000
70#define CPU_TYPE_ARM64_32 (CPU_TYPE_ARM | CPU_ARCH_ABI64_32)
71#endif
72
73#include <TargetConditionals.h> // for TARGET_OS_TV, TARGET_OS_WATCH
74
75using namespace lldb;
76using namespace lldb_private;
77
78std::optional<std::string> HostInfoMacOSX::GetOSBuildString() {
79 int mib[2] = {CTL_KERN, KERN_OSVERSION};
80 char cstr[PATH_MAX];
81 size_t cstr_len = sizeof(cstr);
82 if (::sysctl(mib, 2, cstr, &cstr_len, NULL, 0) == 0)
83 return std::string(cstr, cstr_len - 1);
84
85 return std::nullopt;
86}
87
88static void ParseOSVersion(llvm::VersionTuple &version, NSString *Key) {
89 @autoreleasepool {
90 NSDictionary *version_info =
91 [NSDictionary dictionaryWithContentsOfFile:
92 @"/System/Library/CoreServices/SystemVersion.plist"];
93 NSString *version_value = [version_info objectForKey: Key];
94 const char *version_str = [version_value UTF8String];
95 version.tryParse(version_str);
96 }
97}
98
99llvm::VersionTuple HostInfoMacOSX::GetOSVersion() {
100 static llvm::VersionTuple g_version;
101 if (g_version.empty())
102 ParseOSVersion(g_version, @"ProductVersion");
103 return g_version;
104}
105
107 static llvm::VersionTuple g_version;
108 if (g_version.empty())
109 ParseOSVersion(g_version, @"iOSSupportVersion");
110 return g_version;
111}
112
113
115 static FileSpec g_program_filespec;
116 if (!g_program_filespec) {
117 char program_fullpath[PATH_MAX];
118 // If DST is NULL, then return the number of bytes needed.
119 uint32_t len = sizeof(program_fullpath);
120 int err = _NSGetExecutablePath(program_fullpath, &len);
121 if (err == 0)
122 g_program_filespec.SetFile(program_fullpath, FileSpec::Style::native);
123 else if (err == -1) {
124 char *large_program_fullpath = (char *)::malloc(len + 1);
125
126 err = _NSGetExecutablePath(large_program_fullpath, &len);
127 if (err == 0)
128 g_program_filespec.SetFile(large_program_fullpath,
129 FileSpec::Style::native);
130
131 ::free(large_program_fullpath);
132 }
133 }
134 return g_program_filespec;
135}
136
137/// Resolve the given candidate support dir and return true if it's valid.
142
144 FileSpec lldb_file_spec = GetShlibDir();
145 if (!lldb_file_spec)
146 return false;
147
148 std::string raw_path = lldb_file_spec.GetPath();
149
150 size_t framework_pos = raw_path.find("LLDB.framework");
151 if (framework_pos != std::string::npos) {
152 framework_pos += strlen("LLDB.framework");
153#if TARGET_OS_IPHONE
154 // Shallow bundle
155 raw_path.resize(framework_pos);
156#else
157 // Normal bundle
158 raw_path.resize(framework_pos);
159 raw_path.append("/Resources");
160#endif
161 } else {
162 // Find the bin path relative to the lib path where the cmake-based
163 // OS X .dylib lives. We try looking first at a possible sibling `bin`
164 // directory, and then at the `lib` directory itself. This last case is
165 // useful for supporting build systems like Bazel which in many cases prefer
166 // to place support binaries right next to dylibs.
167 //
168 // It is not going to work to do it by the executable path,
169 // as in the case of a python script, the executable is python, not
170 // the lldb driver.
171 FileSpec support_dir_spec_lib(raw_path);
172 FileSpec support_dir_spec_bin =
173 support_dir_spec_lib.CopyByAppendingPathComponent("/../bin");
174 FileSpec support_dir_spec;
175
176 if (ResolveAndVerifyCandidateSupportDir(support_dir_spec_bin)) {
177 support_dir_spec = support_dir_spec_bin;
178 } else if (ResolveAndVerifyCandidateSupportDir(support_dir_spec_lib)) {
179 support_dir_spec = support_dir_spec_lib;
180 } else {
181 Log *log = GetLog(LLDBLog::Host);
182 LLDB_LOG(log, "failed to find support directory");
183 return false;
184 }
185
186 // Get normalization from support_dir_spec. Note the FileSpec resolve
187 // does not remove '..' in the path.
188 char *const dir_realpath =
189 realpath(support_dir_spec.GetPath().c_str(), NULL);
190 if (dir_realpath) {
191 raw_path = dir_realpath;
192 free(dir_realpath);
193 } else {
194 raw_path = support_dir_spec.GetPath();
195 }
196 }
197
198 file_spec.SetDirectory(raw_path);
199 return (bool)file_spec.GetDirectory();
200}
201
203 FileSpec lldb_file_spec = GetShlibDir();
204 if (!lldb_file_spec)
205 return false;
206
207 std::string raw_path = lldb_file_spec.GetPath();
208
209 size_t framework_pos = raw_path.find("LLDB.framework");
210 if (framework_pos != std::string::npos) {
211 framework_pos += strlen("LLDB.framework");
212 raw_path.resize(framework_pos);
213 raw_path.append("/Headers");
214 }
215 file_spec.SetDirectory(raw_path);
216 return true;
217}
218
220 FileSpec lldb_file_spec = GetShlibDir();
221 if (!lldb_file_spec)
222 return false;
223
224 std::string raw_path = lldb_file_spec.GetPath();
225
226 size_t framework_pos = raw_path.find("LLDB.framework");
227 if (framework_pos == std::string::npos)
228 return false;
229
230 framework_pos += strlen("LLDB.framework");
231 raw_path.resize(framework_pos);
232 raw_path.append("/Resources/PlugIns");
233 file_spec.SetDirectory(raw_path);
234 return true;
235}
236
238 FileSpec home_dir_spec = GetUserHomeDir();
239 home_dir_spec.AppendPathComponent("Library/Application Support/LLDB/PlugIns");
240 file_spec.SetDirectory(home_dir_spec.GetPathAsConstString());
241 return true;
242}
243
245 ArchSpec &arch_64) {
246 // All apple systems support 32 bit execution.
247 uint32_t cputype, cpusubtype;
248 uint32_t is_64_bit_capable = false;
249 size_t len = sizeof(cputype);
250 ArchSpec host_arch;
251 // These will tell us about the kernel architecture, which even on a 64
252 // bit machine can be 32 bit...
253 if (::sysctlbyname("hw.cputype", &cputype, &len, NULL, 0) == 0) {
254 len = sizeof(cpusubtype);
255 if (::sysctlbyname("hw.cpusubtype", &cpusubtype, &len, NULL, 0) != 0)
256 cpusubtype = CPU_TYPE_ANY;
257
258 len = sizeof(is_64_bit_capable);
259 ::sysctlbyname("hw.cpu64bit_capable", &is_64_bit_capable, &len, NULL, 0);
260
261 if (cputype == CPU_TYPE_ARM64 && cpusubtype == CPU_SUBTYPE_ARM64E) {
262 // The arm64e architecture is a preview. Pretend the host architecture
263 // is arm64.
264 cpusubtype = CPU_SUBTYPE_ARM64_ALL;
265 }
266
267 if (is_64_bit_capable) {
268 if (cputype & CPU_ARCH_ABI64) {
269 // We have a 64 bit kernel on a 64 bit system
270 arch_64.SetArchitecture(eArchTypeMachO, cputype, cpusubtype);
271 } else {
272 // We have a 64 bit kernel that is returning a 32 bit cputype, the
273 // cpusubtype will be correct as if it were for a 64 bit architecture
274 arch_64.SetArchitecture(eArchTypeMachO, cputype | CPU_ARCH_ABI64,
275 cpusubtype);
276 }
277
278 // Now we need modify the cpusubtype for the 32 bit slices.
279 uint32_t cpusubtype32 = cpusubtype;
280#if defined(__i386__) || defined(__x86_64__)
281 if (cpusubtype == CPU_SUBTYPE_486 || cpusubtype == CPU_SUBTYPE_X86_64_H)
282 cpusubtype32 = CPU_SUBTYPE_I386_ALL;
283#elif defined(__arm__) || defined(__arm64__) || defined(__aarch64__)
284 if (cputype == CPU_TYPE_ARM || cputype == CPU_TYPE_ARM64)
285 cpusubtype32 = CPU_SUBTYPE_ARM_V7S;
286#endif
287 arch_32.SetArchitecture(eArchTypeMachO, cputype & ~(CPU_ARCH_MASK),
288 cpusubtype32);
289
290 if (cputype == CPU_TYPE_ARM ||
291 cputype == CPU_TYPE_ARM64 ||
292 cputype == CPU_TYPE_ARM64_32) {
293// When running on a watch or tv, report the host os correctly
294#if defined(TARGET_OS_TV) && TARGET_OS_TV == 1
295 arch_32.GetTriple().setOS(llvm::Triple::TvOS);
296 arch_64.GetTriple().setOS(llvm::Triple::TvOS);
297#elif defined(TARGET_OS_BRIDGE) && TARGET_OS_BRIDGE == 1
298 arch_32.GetTriple().setOS(llvm::Triple::BridgeOS);
299 arch_64.GetTriple().setOS(llvm::Triple::BridgeOS);
300#elif defined(TARGET_OS_WATCHOS) && TARGET_OS_WATCHOS == 1
301 arch_32.GetTriple().setOS(llvm::Triple::WatchOS);
302 arch_64.GetTriple().setOS(llvm::Triple::WatchOS);
303#elif defined(TARGET_OS_XR) && TARGET_OS_XR == 1
304 arch_32.GetTriple().setOS(llvm::Triple::XROS);
305 arch_64.GetTriple().setOS(llvm::Triple::XROS);
306#elif defined(TARGET_OS_OSX) && TARGET_OS_OSX == 1
307 arch_32.GetTriple().setOS(llvm::Triple::MacOSX);
308 arch_64.GetTriple().setOS(llvm::Triple::MacOSX);
309#else
310 arch_32.GetTriple().setOS(llvm::Triple::IOS);
311 arch_64.GetTriple().setOS(llvm::Triple::IOS);
312#endif
313 } else {
314 arch_32.GetTriple().setOS(llvm::Triple::MacOSX);
315 arch_64.GetTriple().setOS(llvm::Triple::MacOSX);
316 }
317 } else {
318 // We have a 32 bit kernel on a 32 bit system
319 arch_32.SetArchitecture(eArchTypeMachO, cputype, cpusubtype);
320#if defined(TARGET_OS_WATCH) && TARGET_OS_WATCH == 1
321 arch_32.GetTriple().setOS(llvm::Triple::WatchOS);
322#else
323 arch_32.GetTriple().setOS(llvm::Triple::IOS);
324#endif
325 arch_64.Clear();
326 }
327 }
328}
329
330/// Return and cache $DEVELOPER_DIR if it is set and exists.
331static std::string GetEnvDeveloperDir() {
332 static std::string g_env_developer_dir;
333 static std::once_flag g_once_flag;
334 std::call_once(g_once_flag, [&]() {
335 if (const char *developer_dir_env_var = getenv("DEVELOPER_DIR")) {
336 FileSpec fspec(developer_dir_env_var);
337 if (FileSystem::Instance().Exists(fspec))
338 g_env_developer_dir = fspec.GetPath();
339 }});
340 return g_env_developer_dir;
341}
342
344 static FileSpec g_xcode_contents_path;
345 static std::once_flag g_once_flag;
346 std::call_once(g_once_flag, [&]() {
347 // Try the shlib dir first.
348 if (FileSpec fspec = HostInfo::GetShlibDir()) {
349 if (FileSystem::Instance().Exists(fspec)) {
350 std::string xcode_contents_dir =
352 if (!xcode_contents_dir.empty()) {
353 g_xcode_contents_path = FileSpec(xcode_contents_dir);
354 return;
355 }
356 }
357 }
358
359 llvm::SmallString<128> env_developer_dir(GetEnvDeveloperDir());
360 if (!env_developer_dir.empty()) {
361 llvm::sys::path::append(env_developer_dir, "Contents");
362 std::string xcode_contents_dir =
364 if (!xcode_contents_dir.empty()) {
365 g_xcode_contents_path = FileSpec(xcode_contents_dir);
366 return;
367 }
368 }
369
370 auto sdk_path_or_err =
371 HostInfo::GetSDKRoot(SDKOptions{XcodeSDK::GetAnyMacOS()});
372 if (!sdk_path_or_err) {
373 Log *log = GetLog(LLDBLog::Host);
374 LLDB_LOG_ERROR(log, sdk_path_or_err.takeError(),
375 "Error while searching for Xcode SDK: {0}");
376 return;
377 }
378 FileSpec fspec(*sdk_path_or_err);
379 if (fspec) {
380 if (FileSystem::Instance().Exists(fspec)) {
381 std::string xcode_contents_dir =
383 if (!xcode_contents_dir.empty()) {
384 g_xcode_contents_path = FileSpec(xcode_contents_dir);
385 return;
386 }
387 }
388 }
389 });
390 return g_xcode_contents_path;
391}
392
394 static lldb_private::FileSpec g_developer_directory;
395 static llvm::once_flag g_once_flag;
396 llvm::call_once(g_once_flag, []() {
397 if (FileSpec fspec = GetXcodeContentsDirectory()) {
398 fspec.AppendPathComponent("Developer");
399 if (FileSystem::Instance().Exists(fspec))
400 g_developer_directory = fspec;
401 }
402 });
403 return g_developer_directory;
404}
405
406std::string HostInfoMacOSX::FindComponentInPath(llvm::StringRef path,
407 llvm::StringRef component) {
408 auto begin = llvm::sys::path::begin(path);
409 auto end = llvm::sys::path::end(path);
410 for (auto it = begin; it != end; ++it) {
411 if (it->contains(component)) {
412 llvm::SmallString<128> buffer;
413 llvm::sys::path::append(buffer, begin, ++it,
414 llvm::sys::path::Style::posix);
415 return buffer.str().str();
416 }
417 }
418 return {};
419}
420
422 if (FileSpec fspec = HostInfo::GetShlibDir())
423 return FileSpec(FindComponentInPath(fspec.GetPath(), ".xctoolchain"));
424 return {};
425}
426
428 if (FileSpec fspec = HostInfo::GetShlibDir())
429 return FileSpec(FindComponentInPath(fspec.GetPath(), "CommandLineTools"));
430 return {};
431}
432
433static llvm::Expected<std::string>
434xcrun(const std::string &sdk, llvm::ArrayRef<llvm::StringRef> arguments,
435 llvm::StringRef developer_dir = "") {
436 Args args;
437 if (!developer_dir.empty()) {
438 args.AppendArgument("/usr/bin/env");
439 args.AppendArgument("DEVELOPER_DIR=" + developer_dir.str());
440 }
441 args.AppendArgument("/usr/bin/xcrun");
442 args.AppendArgument("--sdk");
443 args.AppendArgument(sdk);
444 for (auto arg: arguments)
445 args.AppendArgument(arg);
446
447 Log *log = GetLog(LLDBLog::Host);
448 if (log) {
449 std::string cmdstr;
450 args.GetCommandString(cmdstr);
451 LLDB_LOG(log, "GetXcodeSDK() running shell cmd '{0}'", cmdstr);
452 }
453
454 int status = 0;
455 int signo = 0;
456 std::string output_str;
457 // The first time after Xcode was updated or freshly installed,
458 // xcrun can take surprisingly long to build up its database.
459 auto timeout = std::chrono::seconds(60);
460 bool run_in_shell = false;
462 Host::RunShellCommand(args, FileSpec(), &status, &signo, &output_str,
463 nullptr, timeout, run_in_shell);
464
465 // Check that xcrun returned something useful.
466 if (error.Fail()) {
467 // Catastrophic error.
468 LLDB_LOG(log, "xcrun failed to execute: {0}", error);
469 return error.ToError();
470 }
471 if (status != 0) {
472 // xcrun didn't find a matching SDK. Not an error, we'll try
473 // different spellings.
474 LLDB_LOG(log, "xcrun returned exit code {0}", status);
475 if (!output_str.empty())
476 LLDB_LOG(log, "xcrun output was:\n{0}", output_str);
477 return "";
478 }
479 if (output_str.empty()) {
480 LLDB_LOG(log, "xcrun returned no results");
481 return "";
482 }
483
484 // Convert to a StringRef so we can manipulate the string without modifying
485 // the underlying data.
486 llvm::StringRef output(output_str);
487
488 // Remove any trailing newline characters.
489 output = output.rtrim();
490
491 // Strip any leading newline characters and everything before them.
492 const size_t last_newline = output.rfind('\n');
493 if (last_newline != llvm::StringRef::npos)
494 output = output.substr(last_newline + 1);
495
496 return output.str();
497}
498
499static llvm::Expected<std::string> GetXcodeSDK(XcodeSDK sdk) {
500 XcodeSDK::Info info = sdk.Parse();
501 std::string sdk_name = XcodeSDK::GetCanonicalName(info);
502 if (sdk_name.empty())
503 return llvm::createStringError(llvm::inconvertibleErrorCode(),
504 "Unrecognized SDK type: " + sdk.GetString());
505
506 Log *log = GetLog(LLDBLog::Host);
507
508 auto find_sdk =
509 [](const std::string &sdk_name) -> llvm::Expected<std::string> {
510 llvm::SmallVector<llvm::StringRef, 1> show_sdk_path = {"--show-sdk-path"};
511 // Invoke xcrun with the developer dir specified in the environment.
512 std::string developer_dir = GetEnvDeveloperDir();
513 if (!developer_dir.empty()) {
514 // Don't fallback if DEVELOPER_DIR was set.
515 return xcrun(sdk_name, show_sdk_path, developer_dir);
516 }
517
518 // Invoke xcrun with the shlib dir.
519 if (FileSpec fspec = HostInfo::GetShlibDir()) {
520 if (FileSystem::Instance().Exists(fspec)) {
521 llvm::SmallString<0> shlib_developer_dir(
523 llvm::sys::path::append(shlib_developer_dir, "Developer");
524 if (FileSystem::Instance().Exists(shlib_developer_dir)) {
525 auto sdk = xcrun(sdk_name, show_sdk_path, shlib_developer_dir);
526 if (!sdk)
527 return sdk.takeError();
528 if (!sdk->empty())
529 return sdk;
530 }
531 }
532 }
533
534 // Invoke xcrun without a developer dir as a last resort.
535 return xcrun(sdk_name, show_sdk_path);
536 };
537
538 auto path_or_err = find_sdk(sdk_name);
539 if (!path_or_err)
540 return path_or_err.takeError();
541 std::string path = *path_or_err;
542 while (path.empty()) {
543 // Try an alternate spelling of the name ("macosx10.9internal").
544 if (info.type == XcodeSDK::Type::MacOSX && !info.version.empty() &&
545 info.internal) {
546 llvm::StringRef fixed(sdk_name);
547 if (fixed.consume_back(".internal"))
548 sdk_name = fixed.str() + "internal";
549 path_or_err = find_sdk(sdk_name);
550 if (!path_or_err)
551 return path_or_err.takeError();
552 path = *path_or_err;
553 if (!path.empty())
554 break;
555 }
556 LLDB_LOG(log, "Couldn't find SDK {0} on host", sdk_name);
557
558 // Try without the version.
559 if (!info.version.empty()) {
560 info.version = {};
561 sdk_name = XcodeSDK::GetCanonicalName(info);
562 path_or_err = find_sdk(sdk_name);
563 if (!path_or_err)
564 return path_or_err.takeError();
565 path = *path_or_err;
566 if (!path.empty())
567 break;
568 }
569
570 LLDB_LOG(log, "Couldn't find any matching SDK on host");
571 return "";
572 }
573
574 // Whatever is left in output should be a valid path.
575 if (!FileSystem::Instance().Exists(path)) {
576 LLDB_LOG(log, "SDK returned by xcrun doesn't exist");
577 return llvm::createStringError(llvm::inconvertibleErrorCode(),
578 "SDK returned by xcrun doesn't exist");
579 }
580 return path;
581}
582
583namespace {
584struct ErrorOrPath {
585 std::string str;
586 bool is_error;
587};
588} // namespace
589
590static llvm::Expected<llvm::StringRef>
591find_cached_path(llvm::StringMap<ErrorOrPath> &cache, std::mutex &mutex,
592 llvm::StringRef key,
593 std::function<llvm::Expected<std::string>(void)> compute) {
594 std::lock_guard<std::mutex> guard(mutex);
596
597 auto it = cache.find(key);
598 if (it != cache.end()) {
599 if (it->second.is_error)
600 return llvm::createStringError(llvm::inconvertibleErrorCode(),
601 it->second.str);
602 return it->second.str;
603 }
604 auto path_or_err = compute();
605 if (!path_or_err) {
606 std::string error = toString(path_or_err.takeError());
607 cache.insert({key, {error, true}});
608 return llvm::createStringError(llvm::inconvertibleErrorCode(), error);
609 }
610 auto it_new = cache.insert({key, {*path_or_err, false}});
611 return it_new.first->second.str;
612}
613
614llvm::Expected<llvm::StringRef> HostInfoMacOSX::GetSDKRoot(SDKOptions options) {
615 static llvm::StringMap<ErrorOrPath> g_sdk_path;
616 static std::mutex g_sdk_path_mutex;
617 if (!options.XcodeSDKSelection)
618 return llvm::createStringError(llvm::inconvertibleErrorCode(),
619 "XcodeSDK not specified");
620 XcodeSDK sdk = *options.XcodeSDKSelection;
621 auto key = sdk.GetString();
622 return find_cached_path(g_sdk_path, g_sdk_path_mutex, key, [&](){
623 return GetXcodeSDK(sdk);
624 });
625}
626
627llvm::Expected<llvm::StringRef>
628HostInfoMacOSX::FindSDKTool(XcodeSDK sdk, llvm::StringRef tool) {
629 static llvm::StringMap<ErrorOrPath> g_tool_path;
630 static std::mutex g_tool_path_mutex;
631 std::string key;
632 llvm::raw_string_ostream(key) << sdk.GetString() << ":" << tool;
633 return find_cached_path(
634 g_tool_path, g_tool_path_mutex, key,
635 [&]() -> llvm::Expected<std::string> {
636 std::string sdk_name = XcodeSDK::GetCanonicalName(sdk.Parse());
637 if (sdk_name.empty())
638 return llvm::createStringError(llvm::inconvertibleErrorCode(),
639 "Unrecognized SDK type: " +
640 sdk.GetString());
641 llvm::SmallVector<llvm::StringRef, 2> find = {"-find", tool};
642 return xcrun(sdk_name, find);
643 });
644}
645
646namespace {
647struct dyld_shared_cache_dylib_text_info {
648 uint64_t version; // current version 1
649 // following fields all exist in version 1
650 uint64_t loadAddressUnslid;
651 uint64_t textSegmentSize;
652 uuid_t dylibUuid;
653 const char *path; // pointer invalid at end of iterations
654 // following fields all exist in version 2
655 uint64_t textSegmentOffset; // offset from start of cache
656};
657typedef struct dyld_shared_cache_dylib_text_info
658 dyld_shared_cache_dylib_text_info;
659}
660
661// All available on at least macOS 12
662extern "C" {
663typedef struct dyld_process_s *dyld_process_t;
664typedef struct dyld_process_snapshot_s *dyld_process_snapshot_t;
665typedef struct dyld_shared_cache_s *dyld_shared_cache_t;
666typedef struct dyld_image_s *dyld_image_t;
667
669 const uuid_t cacheUuid,
670 void (^callback)(const dyld_shared_cache_dylib_text_info *info));
671uint8_t *_dyld_get_shared_cache_range(size_t *length);
674 void (^)(const char *segmentName,
675 uint64_t vmAddr, uint64_t vmSize,
676 int perm));
678bool dyld_shared_cache_for_file(const char *filePath,
679 void (^block)(dyld_shared_cache_t cache));
683 void (^block)(dyld_image_t image));
687}
688
689namespace {
690class SharedCacheInfo {
691public:
692 SharedCacheImageInfo GetByFilename(UUID sc_uuid, ConstString filename) {
693 llvm::sys::ScopedReader guard(m_mutex);
694 if (!sc_uuid)
695 sc_uuid = m_host_uuid;
696 if (!m_filename_map.contains(sc_uuid))
697 return {};
698 if (!m_filename_map[sc_uuid].contains(filename))
699 return {};
700 size_t idx = m_filename_map[sc_uuid][filename];
701 return m_file_infos[sc_uuid][idx];
702 }
703
704 SharedCacheImageInfo GetByUUID(UUID sc_uuid, UUID file_uuid) {
705 llvm::sys::ScopedReader guard(m_mutex);
706 if (!sc_uuid)
707 sc_uuid = m_host_uuid;
708 if (!m_uuid_map.contains(sc_uuid))
709 return {};
710 if (!m_uuid_map[sc_uuid].contains(file_uuid))
711 return {};
712 size_t idx = m_uuid_map[sc_uuid][file_uuid];
713 return m_file_infos[sc_uuid][idx];
714 }
715
716 /// Given the UUID and filepath to a shared cache on the local debug host
717 /// system, open it and add all of the binary images to m_caches.
718 bool CreateSharedCacheImageList(UUID uuid, std::string filepath);
719
720 SharedCacheInfo(SymbolSharedCacheUse sc_mode);
721
722private:
723 bool CreateSharedCacheInfoWithInstrospectionSPIs();
724 void CreateSharedCacheInfoLLDBsVirtualMemory();
725 bool CreateHostSharedCacheImageList();
726
727 // These three ivars have an initial key of a shared cache UUID.
728 // All of the entries for a given shared cache are in m_file_infos.
729 // m_filename_map and m_uuid_map have pointers into those entries.
730 llvm::SmallDenseMap<UUID, std::vector<SharedCacheImageInfo>> m_file_infos;
731 llvm::SmallDenseMap<UUID, llvm::DenseMap<ConstString, size_t>> m_filename_map;
732 llvm::SmallDenseMap<UUID, llvm::DenseMap<UUID, size_t>> m_uuid_map;
733
734 UUID m_host_uuid;
735
736 llvm::sys::RWMutex m_mutex;
737
738 // macOS 26.4 and newer
739 void (*m_dyld_image_retain_4HWTrace)(void *image);
740 void (*m_dyld_image_release_4HWTrace)(void *image);
741 dispatch_data_t (*m_dyld_image_segment_data_4HWTrace)(
742 void *image, const char *segmentName);
743};
744
745} // namespace
746
747SharedCacheInfo::SharedCacheInfo(SymbolSharedCacheUse sc_mode) {
748 // macOS 26.4 and newer
749 m_dyld_image_retain_4HWTrace =
750 (void (*)(void *))dlsym(RTLD_DEFAULT, "dyld_image_retain_4HWTrace");
751 m_dyld_image_release_4HWTrace =
752 (void (*)(void *))dlsym(RTLD_DEFAULT, "dyld_image_release_4HWTrace");
753 m_dyld_image_segment_data_4HWTrace =
754 (dispatch_data_t(*)(void *image, const char *segmentName))dlsym(
755 RTLD_DEFAULT, "dyld_image_segment_data_4HWTrace");
756
757 uuid_t dsc_uuid;
759 m_host_uuid = UUID(dsc_uuid);
760
761 // Don't scan/index lldb's own shared cache at all, in-memory or
762 // via libdyld SPI.
764 return;
765
766 // Check if the settings allow the use of the libdyld SPI.
767 bool use_libdyld_spi =
770 if (use_libdyld_spi && CreateHostSharedCacheImageList())
771 return;
772
773 // Scan lldb's shared cache memory if we're built against the
774 // internal SDK and have those headers.
775 if (CreateSharedCacheInfoWithInstrospectionSPIs())
776 return;
777
778 // Scan lldb's shared cache memory if we're built against the public
779 // SDK.
780 CreateSharedCacheInfoLLDBsVirtualMemory();
781}
782
783struct segment {
784 std::string name;
785 uint64_t vmaddr;
786 size_t vmsize;
787
788 // Mapped into lldb's own address space via libdispatch:
789 const void *data;
790 size_t size;
791};
792
794 // dyld_image_segment_data_4HWTrace can't be called on
795 // multiple threads simultaneously.
796 static std::mutex g_mutex;
797 std::lock_guard<std::mutex> guard(g_mutex);
798
799 static dispatch_data_t (*g_dyld_image_segment_data_4HWTrace)(
800 void *image, const char *segmentName);
801 static std::once_flag g_once_flag;
802 std::call_once(g_once_flag, [&]() {
803 g_dyld_image_segment_data_4HWTrace =
804 (dispatch_data_t(*)(void *, const char *))dlsym(
805 RTLD_DEFAULT, "dyld_image_segment_data_4HWTrace");
806 });
807 if (!g_dyld_image_segment_data_4HWTrace)
808 return {};
809
810 __block std::vector<segment> segments;
811 __block dyld_image_t image_copy = (dyld_image_t)image;
813 (dyld_image_t)image,
814 ^(const char *segmentName, uint64_t vmAddr, uint64_t vmSize, int perm) {
815 segment seg;
816 seg.name = segmentName;
817 seg.vmaddr = vmAddr;
818 seg.vmsize = vmSize;
819
820 dispatch_data_t data_from_libdyld =
821 g_dyld_image_segment_data_4HWTrace(image_copy, segmentName);
822 (void)dispatch_data_create_map(data_from_libdyld, &seg.data, &seg.size);
823
824 if (seg.size > 0 && seg.data != 0)
825 segments.push_back(seg);
826 });
827
828 if (!segments.size())
829 return {};
830
832 LLDB_LOGF(log,
833 "map_shared_cache_binary_segments() mapping segments of "
834 "dyld_image_t %p into lldb address space",
835 image);
836 for (const segment &seg : segments) {
838 log, "image %p %s vmaddr 0x%llx vmsize 0x%zx mapped to lldb vm addr %p",
839 image, seg.name.c_str(), seg.vmaddr, seg.vmsize, seg.data);
840 }
841
842 // Calculate the virtual address range in lldb's
843 // address space (lowest memory address to highest) so
844 // we can contain the entire range in an unowned data buffer.
845 uint64_t min_lldb_vm_addr = UINT64_MAX;
846 uint64_t max_lldb_vm_addr = 0;
847 // Calculate the minimum shared cache address seen; we want the first
848 // segment, __TEXT, at "vm offset" 0 in our DataExtractor.
849 // A __DATA segment which is at the __TEXT vm addr + 0x1000 needs to be
850 // listed as offset 0x1000.
851 uint64_t min_file_vm_addr = UINT64_MAX;
852 for (const segment &seg : segments) {
853 min_lldb_vm_addr = std::min(min_lldb_vm_addr, (uint64_t)seg.data);
854 max_lldb_vm_addr =
855 std::max(max_lldb_vm_addr, (uint64_t)seg.data + seg.vmsize);
856 min_file_vm_addr = std::min(min_file_vm_addr, (uint64_t)seg.vmaddr);
857 }
858 DataBufferSP data_sp = std::make_shared<DataBufferUnowned>(
859 (uint8_t *)min_lldb_vm_addr, max_lldb_vm_addr - min_lldb_vm_addr);
861 for (const segment &seg : segments)
863 (uint64_t)seg.vmaddr - min_file_vm_addr, (uint64_t)seg.vmsize,
864 (uint64_t)seg.data - (uint64_t)min_lldb_vm_addr));
865
866 return std::make_shared<VirtualDataExtractor>(data_sp, remap_table);
867}
868
869// Scan the binaries in the specified shared cache filepath
870// if the UUID matches, using the macOS 26.4 libdyld SPI,
871// create a new entry in m_caches.
872bool SharedCacheInfo::CreateSharedCacheImageList(UUID sc_uuid,
873 std::string filepath) {
874 llvm::sys::ScopedWriter guard(m_mutex);
875 if (!m_dyld_image_retain_4HWTrace || !m_dyld_image_release_4HWTrace ||
876 !m_dyld_image_segment_data_4HWTrace)
877 return false;
878
879 if (filepath.empty())
880 return false;
881
883
884 // Have we already indexed this shared cache.
885 if (m_file_infos.contains(sc_uuid)) {
886 LLDB_LOGF(log, "Have already indexed shared cache UUID %s",
887 sc_uuid.GetAsString().c_str());
888 return true;
889 }
890
891 LLDB_LOGF(log, "Opening shared cache at %s to check for matching UUID %s",
892 filepath.c_str(), sc_uuid.GetAsString().c_str());
893
894 __block bool return_failed = false;
895 dyld_shared_cache_for_file(filepath.c_str(), ^(dyld_shared_cache_t cache) {
896 uuid_t uuid;
897 dyld_shared_cache_copy_uuid(cache, &uuid);
898 UUID this_cache(uuid, sizeof(uuid_t));
899 if (this_cache != sc_uuid) {
900 return_failed = true;
901 return;
902 }
903
904 // In macOS 26, a shared cache has around 3500 files.
905 m_file_infos[sc_uuid].reserve(4000);
906
908 uuid_t uuid_tmp;
909 if (!dyld_image_copy_uuid(image, &uuid_tmp))
910 return;
911 UUID image_uuid(uuid_tmp, sizeof(uuid_t));
912
913 // Copy the filename into the const string pool to
914 // ensure lifetime.
915 ConstString installname(dyld_image_get_installname(image));
917 LLDB_LOGF_VERBOSE(log, "sc file %s image %p", installname.GetCString(),
918 (void *)image);
919
920 m_dyld_image_retain_4HWTrace(image);
921 m_file_infos[sc_uuid].push_back(SharedCacheImageInfo(
922 installname, image_uuid, map_shared_cache_binary_segments, image));
923 });
924 });
925 if (return_failed)
926 return false;
927
928 // Vector of SharedCacheImageInfos has been fully populated, we can
929 // take pointers to the objects now.
930 size_t file_info_size = m_file_infos[sc_uuid].size();
931 for (size_t i = 0; i < file_info_size; i++) {
932 SharedCacheImageInfo *entry = &m_file_infos[sc_uuid][i];
933 m_filename_map[sc_uuid][entry->GetFilename()] = i;
934 m_uuid_map[sc_uuid][entry->GetUUID()] = i;
935 }
936
937 return true;
938}
939
940// Get the filename and uuid of lldb's own shared cache, scan
941// the files in it using the macOS 26.4 and newer libdyld SPI.
942bool SharedCacheInfo::CreateHostSharedCacheImageList() {
943 std::string host_shared_cache_file = dyld_shared_cache_file_path();
944 __block UUID host_sc_uuid;
945 dyld_shared_cache_for_file(host_shared_cache_file.c_str(),
946 ^(dyld_shared_cache_t cache) {
947 uuid_t sc_uuid;
948 dyld_shared_cache_copy_uuid(cache, &sc_uuid);
949 host_sc_uuid = UUID(sc_uuid, sizeof(uuid_t));
950 });
951
952 if (host_sc_uuid.IsValid())
953 return CreateSharedCacheImageList(host_sc_uuid, host_shared_cache_file);
954
955 return false;
956}
957
958// Index the binaries in lldb's own shared cache memory, using
959// libdyld SPI present on macOS 12 and newer, when building against
960// the internal SDK, and add an entry to the m_caches map.
961bool SharedCacheInfo::CreateSharedCacheInfoWithInstrospectionSPIs() {
962 llvm::sys::ScopedWriter guard(m_mutex);
963#if defined(SDK_HAS_NEW_DYLD_INTROSPECTION_SPIS)
964 dyld_process_t dyld_process = dyld_process_create_for_current_task();
965 if (!dyld_process)
966 return false;
967
968 llvm::scope_exit cleanup_process_on_exit(
969 [&]() { dyld_process_dispose(dyld_process); });
970
971 dyld_process_snapshot_t snapshot =
972 dyld_process_snapshot_create_for_process(dyld_process, nullptr);
973 if (!snapshot)
974 return false;
975
976 llvm::scope_exit cleanup_snapshot_on_exit(
977 [&]() { dyld_process_snapshot_dispose(snapshot); });
978
979 dyld_shared_cache_t shared_cache =
980 dyld_process_snapshot_get_shared_cache(snapshot);
981 if (!shared_cache)
982 return false;
983
984 // In macOS 26, a shared cache has around 3500 files.
985 m_file_infos[m_host_uuid].reserve(4000);
986
987 dyld_shared_cache_for_each_image(shared_cache, ^(dyld_image_t image) {
988 __block uint64_t minVmAddr = UINT64_MAX;
989 __block uint64_t maxVmAddr = 0;
990 uuid_t uuidStore;
991 __block uuid_t *uuid = &uuidStore;
992
994 image,
995 ^(const char *segmentName, uint64_t vmAddr, uint64_t vmSize, int perm) {
996 minVmAddr = std::min(minVmAddr, vmAddr);
997 maxVmAddr = std::max(maxVmAddr, vmAddr + vmSize);
998 dyld_image_copy_uuid(image, uuid);
999 });
1000 assert(minVmAddr != UINT_MAX);
1001 assert(maxVmAddr != 0);
1002 lldb::DataBufferSP data_sp = std::make_shared<DataBufferUnowned>(
1003 (uint8_t *)minVmAddr, maxVmAddr - minVmAddr);
1004 lldb::DataExtractorSP extractor_sp = std::make_shared<DataExtractor>(data_sp);
1005 // Copy the filename into the const string pool to
1006 // ensure lifetime.
1007 ConstString installname(dyld_image_get_installname(image));
1008 m_file_infos[m_host_uuid].push_back(
1009 SharedCacheImageInfo(installname, UUID(uuid, 16), extractor_sp));
1010 });
1011
1012 // std::vector of SharedCacheImageInfos has been fully populated, we can
1013 // take pointers to the objects now.
1014 size_t file_info_size = m_file_infos[m_host_uuid].size();
1015 for (size_t i = 0; i < file_info_size; i++) {
1016 SharedCacheImageInfo *entry = &m_file_infos[m_host_uuid][i];
1017 m_filename_map[m_host_uuid][entry->GetFilename()] = i;
1018 m_uuid_map[m_host_uuid][entry->GetUUID()] = i;
1019 }
1020 return true;
1021#endif
1022 return false;
1023}
1024
1025// Index the binaries in lldb's own shared cache memory using
1026// libdyld SPI available on macOS 10.13 or newer, add an entry to
1027// m_caches.
1028void SharedCacheInfo::CreateSharedCacheInfoLLDBsVirtualMemory() {
1029 llvm::sys::ScopedWriter guard(m_mutex);
1030 size_t shared_cache_size;
1031 uint8_t *shared_cache_start =
1032 _dyld_get_shared_cache_range(&shared_cache_size);
1033
1034 // In macOS 26, a shared cache has around 3500 files.
1035 m_file_infos[m_host_uuid].reserve(4000);
1036
1038 m_host_uuid.GetBytes().data(),
1039 ^(const dyld_shared_cache_dylib_text_info *info) {
1040 lldb::DataBufferSP buffer_sp = std::make_shared<DataBufferUnowned>(
1041 shared_cache_start + info->textSegmentOffset,
1042 shared_cache_size - info->textSegmentOffset);
1043 lldb::DataExtractorSP extractor_sp =
1044 std::make_shared<DataExtractor>(buffer_sp);
1045 ConstString filepath(info->path);
1046 m_file_infos[m_host_uuid].push_back(SharedCacheImageInfo(
1047 filepath, UUID(info->dylibUuid, 16), extractor_sp));
1048 });
1049
1050 // std::vector of SharedCacheImageInfos has been fully populated, we can
1051 // take pointers to the objects now.
1052 size_t file_info_size = m_file_infos[m_host_uuid].size();
1053 for (size_t i = 0; i < file_info_size; i++) {
1054 SharedCacheImageInfo *entry = &m_file_infos[m_host_uuid][i];
1055 m_filename_map[m_host_uuid][entry->GetFilename()] = i;
1056 m_uuid_map[m_host_uuid][entry->GetUUID()] = i;
1057 }
1058}
1059
1061 static SharedCacheInfo g_shared_cache_info(sc_mode);
1062 return g_shared_cache_info;
1063}
1064
1067 SymbolSharedCacheUse sc_mode) {
1068 return GetSharedCacheSingleton(sc_mode).GetByFilename(UUID(), filepath);
1069}
1070
1073 SymbolSharedCacheUse sc_mode) {
1074 return GetSharedCacheSingleton(sc_mode).GetByUUID(UUID(), file_uuid);
1075}
1076
1078 ConstString filepath, const UUID &sc_uuid, SymbolSharedCacheUse sc_mode) {
1079 return GetSharedCacheSingleton(sc_mode).GetByFilename(sc_uuid, filepath);
1080}
1081
1083 const UUID &file_uuid, const UUID &sc_uuid, SymbolSharedCacheUse sc_mode) {
1084 return GetSharedCacheSingleton(sc_mode).GetByUUID(sc_uuid, file_uuid);
1085}
1086
1088 SymbolSharedCacheUse sc_mode) {
1090 return false;
1091
1092 // There is a libdyld SPI to iterate over all installed shared caches,
1093 // but it can have performance problems if an older Simulator SDK shared
1094 // cache is installed. So require that we are given a filepath of
1095 // the shared cache.
1096 if (FileSystem::Instance().Exists(filepath))
1097 return GetSharedCacheSingleton(sc_mode).CreateSharedCacheImageList(
1098 uuid, filepath.GetPath());
1099 return false;
1100}
1101
1103 std::string path = bundle_path.GetPath();
1104 CFURLRef url = CFURLCreateFromFileSystemRepresentation(
1105 kCFAllocatorDefault, reinterpret_cast<const UInt8 *>(path.data()),
1106 path.size(), /*isDirectory=*/true);
1107 if (!url)
1108 return false;
1109 auto url_cleanup = llvm::make_scope_exit([&]() { CFRelease(url); });
1110
1111 SecStaticCodeRef static_code = nullptr;
1112 if (SecStaticCodeCreateWithPath(url, kSecCSDefaultFlags, &static_code) !=
1113 errSecSuccess)
1114 return false;
1115 auto code_cleanup = llvm::make_scope_exit([&]() { CFRelease(static_code); });
1116
1117 // Check that the signature chains to a trusted root CA.
1118 SecRequirementRef requirement = nullptr;
1119 if (SecRequirementCreateWithString(CFSTR("anchor trusted"),
1120 kSecCSDefaultFlags,
1121 &requirement) != errSecSuccess)
1122 return false;
1123 auto req_cleanup = llvm::make_scope_exit([&]() { CFRelease(requirement); });
1124
1125 return SecStaticCodeCheckValidity(static_code, kSecCSDefaultFlags,
1126 requirement) == errSecSuccess;
1127}
unsigned char uuid_t[16]
static llvm::raw_ostream & error(Stream &strm)
void dyld_shared_cache_copy_uuid(dyld_shared_cache_t cache, uuid_t *uuid)
struct dyld_process_s * dyld_process_t
struct dyld_image_s * dyld_image_t
bool dyld_image_for_each_segment_info(dyld_image_t image, void(^)(const char *segmentName, uint64_t vmAddr, uint64_t vmSize, int perm))
struct dyld_shared_cache_s * dyld_shared_cache_t
#define CPU_SUBTYPE_X86_64_H
static llvm::Expected< std::string > GetXcodeSDK(XcodeSDK sdk)
const char * dyld_image_get_file_path(dyld_image_t image)
struct dyld_process_snapshot_s * dyld_process_snapshot_t
static llvm::Expected< std::string > xcrun(const std::string &sdk, llvm::ArrayRef< llvm::StringRef > arguments, llvm::StringRef developer_dir="")
uint64_t dyld_shared_cache_get_base_address(dyld_shared_cache_t cache)
static DataExtractorSP map_shared_cache_binary_segments(void *image)
uint8_t * _dyld_get_shared_cache_range(size_t *length)
bool dyld_image_copy_uuid(dyld_image_t cache, uuid_t *uuid)
const char * dyld_image_get_installname(dyld_image_t image)
static std::string GetEnvDeveloperDir()
Return and cache $DEVELOPER_DIR if it is set and exists.
const char * dyld_shared_cache_file_path(void)
void dyld_shared_cache_for_each_image(dyld_shared_cache_t cache, void(^block)(dyld_image_t image))
static llvm::Expected< llvm::StringRef > find_cached_path(llvm::StringMap< ErrorOrPath > &cache, std::mutex &mutex, llvm::StringRef key, std::function< llvm::Expected< std::string >(void)> compute)
static bool ResolveAndVerifyCandidateSupportDir(FileSpec &path)
Resolve the given candidate support dir and return true if it's valid.
bool dyld_shared_cache_for_file(const char *filePath, void(^block)(dyld_shared_cache_t cache))
int dyld_shared_cache_iterate_text(const uuid_t cacheUuid, void(^callback)(const dyld_shared_cache_dylib_text_info *info))
#define CPU_TYPE_ARM64
SharedCacheInfo & GetSharedCacheSingleton(SymbolSharedCacheUse sc_mode)
#define CPU_TYPE_ARM64_32
bool _dyld_get_shared_cache_uuid(uuid_t uuid)
static void ParseOSVersion(llvm::VersionTuple &version, NSString *Key)
#define LLDB_LOG(log,...)
The LLDB_LOG* macros defined below are the way to emit log messages.
Definition Log.h:364
#define LLDB_LOGF_VERBOSE(log,...)
Definition Log.h:385
#define LLDB_LOGF(log,...)
Definition Log.h:378
#define LLDB_LOG_ERROR(log, error,...)
Definition Log.h:394
#define LLDB_SCOPED_TIMER()
Definition Timer.h:83
An architecture specification class.
Definition ArchSpec.h:32
void Clear()
Clears the object state.
Definition ArchSpec.cpp:538
llvm::Triple & GetTriple()
Architecture triple accessor.
Definition ArchSpec.h:457
bool SetArchitecture(ArchitectureType arch_type, uint32_t cpu, uint32_t sub, uint32_t os=0)
Change the architecture object type, CPU type and OS type.
Definition ArchSpec.cpp:843
A command line argument class.
Definition Args.h:33
void AppendArgument(llvm::StringRef arg_str, char quote_char='\0')
Appends a new argument to the end of the list argument list.
Definition Args.cpp:332
bool GetCommandString(std::string &command) const
Definition Args.cpp:215
A uniqued constant string class.
Definition ConstString.h:40
A file utility class.
Definition FileSpec.h:57
void SetFile(llvm::StringRef path, Style style)
Change the file specified with a new path.
Definition FileSpec.cpp:174
FileSpec CopyByAppendingPathComponent(llvm::StringRef component) const
Definition FileSpec.cpp:425
void AppendPathComponent(llvm::StringRef component)
Definition FileSpec.cpp:454
void SetDirectory(ConstString directory)
Directory string set accessor.
Definition FileSpec.cpp:342
const ConstString & GetDirectory() const
Directory string const get accessor.
Definition FileSpec.h:234
size_t GetPath(char *path, size_t max_path_length, bool denormalize=true) const
Extract the full path to the file.
Definition FileSpec.cpp:374
ConstString GetPathAsConstString(bool denormalize=true) const
Get the full path as a ConstString.
Definition FileSpec.cpp:390
bool IsDirectory(const FileSpec &file_spec) const
Returns whether the given path is a directory.
static FileSystem & Instance()
void Resolve(llvm::SmallVectorImpl< char > &path, bool force_make_absolute=false)
Resolve path to make it canonical.
static FileSpec GetShlibDir()
Returns the directory containing the lldb shared library.
static FileSpec GetUserHomeDir()
Returns the directory containing the users home (e.g.
static llvm::Expected< llvm::StringRef > GetSDKRoot(SDKOptions options)
Query xcrun to find an Xcode SDK directory.
static bool IsBundleCodeSignTrusted(const FileSpec &bundle_path)
Check whether a bundle at the given path has a valid code signature that chains to a trusted anchor i...
static bool SharedCacheIndexFiles(FileSpec &filepath, UUID &uuid, lldb::SymbolSharedCacheUse sc_mode)
static FileSpec GetProgramFileSpec()
static std::optional< std::string > GetOSBuildString()
static FileSpec GetCurrentXcodeToolchainDirectory()
static SharedCacheImageInfo GetSharedCacheImageInfo(ConstString filepath, lldb::SymbolSharedCacheUse sc_mode)
Shared cache utilities.
static FileSpec GetXcodeContentsDirectory()
static bool ComputeSupportExeDirectory(FileSpec &file_spec)
static std::string FindComponentInPath(llvm::StringRef path, llvm::StringRef component)
static void ComputeHostArchitectureSupport(ArchSpec &arch_32, ArchSpec &arch_64)
static bool ComputeUserPluginsDirectory(FileSpec &file_spec)
static FileSpec GetCurrentCommandLineToolsDirectory()
static llvm::VersionTuple GetMacCatalystVersion()
static bool ComputeSystemPluginsDirectory(FileSpec &file_spec)
static bool ComputeHeaderDirectory(FileSpec &file_spec)
static FileSpec GetXcodeDeveloperDirectory()
static llvm::VersionTuple GetOSVersion()
static llvm::Expected< llvm::StringRef > FindSDKTool(XcodeSDK sdk, llvm::StringRef tool)
static Status RunShellCommand(llvm::StringRef command, const FileSpec &working_dir, int *status_ptr, int *signo_ptr, std::string *command_output, std::string *error_output, const Timeout< std::micro > &timeout, bool run_in_shell=true)
Run a shell command.
RangeData< lldb::offset_t, lldb::offset_t, lldb::offset_t > Entry
Definition RangeMap.h:462
void Append(const Entry &entry)
Definition RangeMap.h:474
An error handling class.
Definition Status.h:118
Represents UUID's of various sizes.
Definition UUID.h:27
std::string GetAsString(llvm::StringRef separator="-") const
Definition UUID.cpp:54
RangeDataVector< lldb::offset_t, lldb::offset_t, lldb::offset_t > LookupTable
Type alias for the range map used internally.
An abstraction for Xcode-style SDKs that works like ArchSpec.
Definition XcodeSDK.h:25
static std::string FindXcodeContentsDirectoryInPath(llvm::StringRef path)
Definition XcodeSDK.cpp:293
static XcodeSDK GetAnyMacOS()
Definition XcodeSDK.h:71
llvm::StringRef GetString() const
Definition XcodeSDK.cpp:143
static std::string GetCanonicalName(Info info)
Return the canonical SDK name, such as "macosx" for the macOS SDK.
Definition XcodeSDK.cpp:177
Info Parse() const
Return parsed SDK type and version number.
Definition XcodeSDK.cpp:116
#define UINT64_MAX
A class that represents a running process on the host machine.
Log * GetLog(Cat mask)
Retrieve the Log object for the channel associated with the given log enum.
Definition Log.h:327
std::string toString(FormatterBytecode::OpCodes op)
@ eSymbolSharedCacheUseHostSharedCache
@ eSymbolSharedCacheUseInferiorSharedCacheOnly
@ eSymbolSharedCacheUseHostLLDBMemory
@ eSymbolSharedCacheUseHostAndInferiorSharedCache
std::shared_ptr< lldb_private::DataBuffer > DataBufferSP
std::shared_ptr< lldb_private::DataExtractor > DataExtractorSP
std::optional< XcodeSDK > XcodeSDKSelection
A parsed SDK directory name.
Definition XcodeSDK.h:48
llvm::VersionTuple version
Definition XcodeSDK.h:50
size_t vmsize
const void * data
std::string name
uint64_t vmaddr
#define PATH_MAX