LLDB mainline
Target.cpp
Go to the documentation of this file.
1//===-- Target.cpp --------------------------------------------------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8
19#include "lldb/Core/Debugger.h"
20#include "lldb/Core/Module.h"
24#include "lldb/Core/Section.h"
34#include "lldb/Host/Host.h"
35#include "lldb/Host/PosixApi.h"
44#include "lldb/Symbol/Symbol.h"
45#include "lldb/Target/ABI.h"
49#include "lldb/Target/Process.h"
55#include "lldb/Target/Thread.h"
58#include "lldb/Utility/Event.h"
62#include "lldb/Utility/Log.h"
63#include "lldb/Utility/State.h"
65#include "lldb/Utility/Timer.h"
66
67#include "llvm/ADT/ScopeExit.h"
68#include "llvm/ADT/SetVector.h"
69
70#include <memory>
71#include <mutex>
72#include <optional>
73#include <sstream>
74
75using namespace lldb;
76using namespace lldb_private;
77
78constexpr std::chrono::milliseconds EvaluateExpressionOptions::default_timeout;
79
81 : m_spec(spec),
82 m_plugin_up(PluginManager::CreateArchitectureInstance(spec)) {}
83
85 m_spec = spec;
87 return *this;
88}
89
91 static ConstString class_name("lldb.target");
92 return class_name;
93}
94
95Target::Target(Debugger &debugger, const ArchSpec &target_arch,
96 const lldb::PlatformSP &platform_sp, bool is_dummy_target)
97 : TargetProperties(this),
98 Broadcaster(debugger.GetBroadcasterManager(),
99 Target::GetStaticBroadcasterClass().AsCString()),
100 ExecutionContextScope(), m_debugger(debugger), m_platform_sp(platform_sp),
101 m_mutex(), m_arch(target_arch), m_images(this), m_section_load_history(),
107 m_is_dummy_target(is_dummy_target),
109 std::make_unique<StackFrameRecognizerManager>()) {
110 SetEventName(eBroadcastBitBreakpointChanged, "breakpoint-changed");
111 SetEventName(eBroadcastBitModulesLoaded, "modules-loaded");
112 SetEventName(eBroadcastBitModulesUnloaded, "modules-unloaded");
113 SetEventName(eBroadcastBitWatchpointChanged, "watchpoint-changed");
114 SetEventName(eBroadcastBitSymbolsLoaded, "symbols-loaded");
115
117
118 LLDB_LOG(GetLog(LLDBLog::Object), "{0} Target::Target()",
119 static_cast<void *>(this));
120 if (target_arch.IsValid()) {
122 "Target::Target created with architecture {0} ({1})",
123 target_arch.GetArchitectureName(),
124 target_arch.GetTriple().getTriple().c_str());
125 }
126
128}
129
131 Log *log = GetLog(LLDBLog::Object);
132 LLDB_LOG(log, "{0} Target::~Target()", static_cast<void *>(this));
134}
135
137 m_stop_hooks = target.m_stop_hooks;
138
139 for (const auto &breakpoint_sp : target.m_breakpoint_list.Breakpoints()) {
140 if (breakpoint_sp->IsInternal())
141 continue;
142
143 BreakpointSP new_bp(
144 Breakpoint::CopyFromBreakpoint(shared_from_this(), *breakpoint_sp));
145 AddBreakpoint(std::move(new_bp), false);
146 }
147
148 for (const auto &bp_name_entry : target.m_breakpoint_names) {
149 AddBreakpointName(std::make_unique<BreakpointName>(*bp_name_entry.second));
150 }
151
152 m_frame_recognizer_manager_up = std::make_unique<StackFrameRecognizerManager>(
154
156}
157
158void Target::Dump(Stream *s, lldb::DescriptionLevel description_level) {
159 // s->Printf("%.*p: ", (int)sizeof(void*) * 2, this);
160 if (description_level != lldb::eDescriptionLevelBrief) {
161 s->Indent();
162 s->PutCString("Target\n");
163 s->IndentMore();
164 m_images.Dump(s);
167 s->IndentLess();
168 } else {
169 Module *exe_module = GetExecutableModulePointer();
170 if (exe_module)
171 s->PutCString(exe_module->GetFileSpec().GetFilename().GetCString());
172 else
173 s->PutCString("No executable module.");
174 }
175}
176
178 // Do any cleanup of the target we need to do between process instances.
179 // NB It is better to do this before destroying the process in case the
180 // clean up needs some help from the process.
184 // Disable watchpoints just on the debugger side.
185 std::unique_lock<std::recursive_mutex> lock;
186 this->GetWatchpointList().GetListMutex(lock);
191}
192
194 if (m_process_sp) {
195 // We dispose any active tracing sessions on the current process
196 m_trace_sp.reset();
198 if (m_process_sp->IsAlive())
199 m_process_sp->Destroy(false);
200
201 m_process_sp->Finalize(false /* not destructing */);
202
204
205 m_process_sp.reset();
206 }
207}
208
210 llvm::StringRef plugin_name,
211 const FileSpec *crash_file,
212 bool can_connect) {
213 if (!listener_sp)
214 listener_sp = GetDebugger().GetListener();
216 m_process_sp = Process::FindPlugin(shared_from_this(), plugin_name,
217 listener_sp, crash_file, can_connect);
218 return m_process_sp;
219}
220
222
224 const char *repl_options, bool can_create) {
225 if (language == eLanguageTypeUnknown)
226 language = m_debugger.GetREPLLanguage();
227
228 if (language == eLanguageTypeUnknown) {
230
231 if (auto single_lang = repl_languages.GetSingularLanguage()) {
232 language = *single_lang;
233 } else if (repl_languages.Empty()) {
234 err.SetErrorString(
235 "LLDB isn't configured with REPL support for any languages.");
236 return REPLSP();
237 } else {
238 err.SetErrorString(
239 "Multiple possible REPL languages. Please specify a language.");
240 return REPLSP();
241 }
242 }
243
244 REPLMap::iterator pos = m_repl_map.find(language);
245
246 if (pos != m_repl_map.end()) {
247 return pos->second;
248 }
249
250 if (!can_create) {
252 "Couldn't find an existing REPL for %s, and can't create a new one",
254 return lldb::REPLSP();
255 }
256
257 Debugger *const debugger = nullptr;
258 lldb::REPLSP ret = REPL::Create(err, language, debugger, this, repl_options);
259
260 if (ret) {
261 m_repl_map[language] = ret;
262 return m_repl_map[language];
263 }
264
265 if (err.Success()) {
266 err.SetErrorStringWithFormat("Couldn't create a REPL for %s",
268 }
269
270 return lldb::REPLSP();
271}
272
274 lldbassert(!m_repl_map.count(language));
275
276 m_repl_map[language] = repl_sp;
277}
278
280 std::lock_guard<std::recursive_mutex> guard(m_mutex);
281 m_valid = false;
283 m_platform_sp.reset();
284 m_arch = ArchSpec();
285 ClearModules(true);
287 const bool notify = false;
293 m_search_filter_sp.reset();
295 m_stop_hooks.clear();
297 m_suppress_stop_hooks = false;
298 m_repl_map.clear();
299 Args signal_args;
300 ClearDummySignals(signal_args);
301}
302
303llvm::StringRef Target::GetABIName() const {
304 lldb::ABISP abi_sp;
305 if (m_process_sp)
306 abi_sp = m_process_sp->GetABI();
307 if (!abi_sp)
309 if (abi_sp)
310 return abi_sp->GetPluginName();
311 return {};
312}
313
315 if (internal)
317 else
318 return m_breakpoint_list;
319}
320
321const BreakpointList &Target::GetBreakpointList(bool internal) const {
322 if (internal)
324 else
325 return m_breakpoint_list;
326}
327
329 BreakpointSP bp_sp;
330
331 if (LLDB_BREAK_ID_IS_INTERNAL(break_id))
333 else
334 bp_sp = m_breakpoint_list.FindBreakpointByID(break_id);
335
336 return bp_sp;
337}
338
341 ModuleSP main_module_sp = GetExecutableModule();
342 FileSpecList shared_lib_filter;
343 shared_lib_filter.Append(main_module_sp->GetFileSpec());
344 llvm::SetVector<std::string, std::vector<std::string>,
345 std::unordered_set<std::string>>
346 entryPointNamesSet;
348 Language *lang = Language::FindPlugin(lang_type);
349 if (!lang) {
350 error.SetErrorString("Language not found\n");
351 return lldb::BreakpointSP();
352 }
353 std::string entryPointName = lang->GetUserEntryPointName().str();
354 if (!entryPointName.empty())
355 entryPointNamesSet.insert(entryPointName);
356 }
357 if (entryPointNamesSet.empty()) {
358 error.SetErrorString("No entry point name found\n");
359 return lldb::BreakpointSP();
360 }
361 BreakpointSP bp_sp = CreateBreakpoint(
362 &shared_lib_filter,
363 /*containingSourceFiles=*/nullptr, entryPointNamesSet.takeVector(),
364 /*func_name_type_mask=*/eFunctionNameTypeFull,
365 /*language=*/eLanguageTypeUnknown,
366 /*offset=*/0,
367 /*skip_prologue=*/eLazyBoolNo,
368 /*internal=*/false,
369 /*hardware=*/false);
370 if (!bp_sp) {
371 error.SetErrorString("Breakpoint creation failed.\n");
372 return lldb::BreakpointSP();
373 }
374 bp_sp->SetOneShot(true);
375 return bp_sp;
376}
377
379 const FileSpecList *containingModules,
380 const FileSpecList *source_file_spec_list,
381 const std::unordered_set<std::string> &function_names,
382 RegularExpression source_regex, bool internal, bool hardware,
383 LazyBool move_to_nearest_code) {
385 containingModules, source_file_spec_list));
386 if (move_to_nearest_code == eLazyBoolCalculate)
387 move_to_nearest_code = GetMoveToNearestCode() ? eLazyBoolYes : eLazyBoolNo;
389 nullptr, std::move(source_regex), function_names,
390 !static_cast<bool>(move_to_nearest_code)));
391
392 return CreateBreakpoint(filter_sp, resolver_sp, internal, hardware, true);
393}
394
396 const FileSpec &file, uint32_t line_no,
397 uint32_t column, lldb::addr_t offset,
398 LazyBool check_inlines,
399 LazyBool skip_prologue, bool internal,
400 bool hardware,
401 LazyBool move_to_nearest_code) {
402 FileSpec remapped_file;
403 std::optional<llvm::StringRef> removed_prefix_opt =
404 GetSourcePathMap().ReverseRemapPath(file, remapped_file);
405 if (!removed_prefix_opt)
406 remapped_file = file;
407
408 if (check_inlines == eLazyBoolCalculate) {
409 const InlineStrategy inline_strategy = GetInlineStrategy();
410 switch (inline_strategy) {
412 check_inlines = eLazyBoolNo;
413 break;
414
416 if (remapped_file.IsSourceImplementationFile())
417 check_inlines = eLazyBoolNo;
418 else
419 check_inlines = eLazyBoolYes;
420 break;
421
423 check_inlines = eLazyBoolYes;
424 break;
425 }
426 }
427 SearchFilterSP filter_sp;
428 if (check_inlines == eLazyBoolNo) {
429 // Not checking for inlines, we are looking only for matching compile units
430 FileSpecList compile_unit_list;
431 compile_unit_list.Append(remapped_file);
432 filter_sp = GetSearchFilterForModuleAndCUList(containingModules,
433 &compile_unit_list);
434 } else {
435 filter_sp = GetSearchFilterForModuleList(containingModules);
436 }
437 if (skip_prologue == eLazyBoolCalculate)
438 skip_prologue = GetSkipPrologue() ? eLazyBoolYes : eLazyBoolNo;
439 if (move_to_nearest_code == eLazyBoolCalculate)
440 move_to_nearest_code = GetMoveToNearestCode() ? eLazyBoolYes : eLazyBoolNo;
441
442 SourceLocationSpec location_spec(remapped_file, line_no, column,
443 check_inlines,
444 !static_cast<bool>(move_to_nearest_code));
445 if (!location_spec)
446 return nullptr;
447
449 nullptr, offset, skip_prologue, location_spec, removed_prefix_opt));
450 return CreateBreakpoint(filter_sp, resolver_sp, internal, hardware, true);
451}
452
454 bool hardware) {
455 Address so_addr;
456
457 // Check for any reason we want to move this breakpoint to other address.
458 addr = GetBreakableLoadAddress(addr);
459
460 // Attempt to resolve our load address if possible, though it is ok if it
461 // doesn't resolve to section/offset.
462
463 // Try and resolve as a load address if possible
464 GetSectionLoadList().ResolveLoadAddress(addr, so_addr);
465 if (!so_addr.IsValid()) {
466 // The address didn't resolve, so just set this as an absolute address
467 so_addr.SetOffset(addr);
468 }
469 BreakpointSP bp_sp(CreateBreakpoint(so_addr, internal, hardware));
470 return bp_sp;
471}
472
474 bool hardware) {
475 SearchFilterSP filter_sp(
476 new SearchFilterForUnconstrainedSearches(shared_from_this()));
477 BreakpointResolverSP resolver_sp(
478 new BreakpointResolverAddress(nullptr, addr));
479 return CreateBreakpoint(filter_sp, resolver_sp, internal, hardware, false);
480}
481
484 const FileSpec &file_spec,
485 bool request_hardware) {
486 SearchFilterSP filter_sp(
487 new SearchFilterForUnconstrainedSearches(shared_from_this()));
489 nullptr, file_addr, file_spec));
490 return CreateBreakpoint(filter_sp, resolver_sp, internal, request_hardware,
491 false);
492}
493
495 const FileSpecList *containingModules,
496 const FileSpecList *containingSourceFiles, const char *func_name,
497 FunctionNameType func_name_type_mask, LanguageType language,
498 lldb::addr_t offset, LazyBool skip_prologue, bool internal, bool hardware) {
499 BreakpointSP bp_sp;
500 if (func_name) {
502 containingModules, containingSourceFiles));
503
504 if (skip_prologue == eLazyBoolCalculate)
505 skip_prologue = GetSkipPrologue() ? eLazyBoolYes : eLazyBoolNo;
506 if (language == lldb::eLanguageTypeUnknown)
507 language = GetLanguage();
508
510 nullptr, func_name, func_name_type_mask, language, Breakpoint::Exact,
511 offset, skip_prologue));
512 bp_sp = CreateBreakpoint(filter_sp, resolver_sp, internal, hardware, true);
513 }
514 return bp_sp;
515}
516
518Target::CreateBreakpoint(const FileSpecList *containingModules,
519 const FileSpecList *containingSourceFiles,
520 const std::vector<std::string> &func_names,
521 FunctionNameType func_name_type_mask,
522 LanguageType language, lldb::addr_t offset,
523 LazyBool skip_prologue, bool internal, bool hardware) {
524 BreakpointSP bp_sp;
525 size_t num_names = func_names.size();
526 if (num_names > 0) {
528 containingModules, containingSourceFiles));
529
530 if (skip_prologue == eLazyBoolCalculate)
531 skip_prologue = GetSkipPrologue() ? eLazyBoolYes : eLazyBoolNo;
532 if (language == lldb::eLanguageTypeUnknown)
533 language = GetLanguage();
534
535 BreakpointResolverSP resolver_sp(
536 new BreakpointResolverName(nullptr, func_names, func_name_type_mask,
537 language, offset, skip_prologue));
538 bp_sp = CreateBreakpoint(filter_sp, resolver_sp, internal, hardware, true);
539 }
540 return bp_sp;
541}
542
544Target::CreateBreakpoint(const FileSpecList *containingModules,
545 const FileSpecList *containingSourceFiles,
546 const char *func_names[], size_t num_names,
547 FunctionNameType func_name_type_mask,
548 LanguageType language, lldb::addr_t offset,
549 LazyBool skip_prologue, bool internal, bool hardware) {
550 BreakpointSP bp_sp;
551 if (num_names > 0) {
553 containingModules, containingSourceFiles));
554
555 if (skip_prologue == eLazyBoolCalculate) {
556 if (offset == 0)
557 skip_prologue = GetSkipPrologue() ? eLazyBoolYes : eLazyBoolNo;
558 else
559 skip_prologue = eLazyBoolNo;
560 }
561 if (language == lldb::eLanguageTypeUnknown)
562 language = GetLanguage();
563
565 nullptr, func_names, num_names, func_name_type_mask, language, offset,
566 skip_prologue));
567 resolver_sp->SetOffset(offset);
568 bp_sp = CreateBreakpoint(filter_sp, resolver_sp, internal, hardware, true);
569 }
570 return bp_sp;
571}
572
575 SearchFilterSP filter_sp;
576 if (containingModule != nullptr) {
577 // TODO: We should look into sharing module based search filters
578 // across many breakpoints like we do for the simple target based one
579 filter_sp = std::make_shared<SearchFilterByModule>(shared_from_this(),
580 *containingModule);
581 } else {
584 std::make_shared<SearchFilterForUnconstrainedSearches>(
585 shared_from_this());
586 filter_sp = m_search_filter_sp;
587 }
588 return filter_sp;
589}
590
593 SearchFilterSP filter_sp;
594 if (containingModules && containingModules->GetSize() != 0) {
595 // TODO: We should look into sharing module based search filters
596 // across many breakpoints like we do for the simple target based one
597 filter_sp = std::make_shared<SearchFilterByModuleList>(shared_from_this(),
598 *containingModules);
599 } else {
602 std::make_shared<SearchFilterForUnconstrainedSearches>(
603 shared_from_this());
604 filter_sp = m_search_filter_sp;
605 }
606 return filter_sp;
607}
608
610 const FileSpecList *containingModules,
611 const FileSpecList *containingSourceFiles) {
612 if (containingSourceFiles == nullptr || containingSourceFiles->GetSize() == 0)
613 return GetSearchFilterForModuleList(containingModules);
614
615 SearchFilterSP filter_sp;
616 if (containingModules == nullptr) {
617 // We could make a special "CU List only SearchFilter". Better yet was if
618 // these could be composable, but that will take a little reworking.
619
620 filter_sp = std::make_shared<SearchFilterByModuleListAndCU>(
621 shared_from_this(), FileSpecList(), *containingSourceFiles);
622 } else {
623 filter_sp = std::make_shared<SearchFilterByModuleListAndCU>(
624 shared_from_this(), *containingModules, *containingSourceFiles);
625 }
626 return filter_sp;
627}
628
630 const FileSpecList *containingModules,
631 const FileSpecList *containingSourceFiles, RegularExpression func_regex,
632 lldb::LanguageType requested_language, LazyBool skip_prologue,
633 bool internal, bool hardware) {
635 containingModules, containingSourceFiles));
636 bool skip = (skip_prologue == eLazyBoolCalculate)
638 : static_cast<bool>(skip_prologue);
640 nullptr, std::move(func_regex), requested_language, 0, skip));
641
642 return CreateBreakpoint(filter_sp, resolver_sp, internal, hardware, true);
643}
644
647 bool catch_bp, bool throw_bp, bool internal,
648 Args *additional_args, Status *error) {
650 *this, language, catch_bp, throw_bp, internal);
651 if (exc_bkpt_sp && additional_args) {
652 BreakpointPreconditionSP precondition_sp = exc_bkpt_sp->GetPrecondition();
653 if (precondition_sp && additional_args) {
654 if (error)
655 *error = precondition_sp->ConfigurePrecondition(*additional_args);
656 else
657 precondition_sp->ConfigurePrecondition(*additional_args);
658 }
659 }
660 return exc_bkpt_sp;
661}
662
664 const llvm::StringRef class_name, const FileSpecList *containingModules,
665 const FileSpecList *containingSourceFiles, bool internal,
666 bool request_hardware, StructuredData::ObjectSP extra_args_sp,
667 Status *creation_error) {
668 SearchFilterSP filter_sp;
669
671 bool has_files =
672 containingSourceFiles && containingSourceFiles->GetSize() > 0;
673 bool has_modules = containingModules && containingModules->GetSize() > 0;
674
675 if (has_files && has_modules) {
676 filter_sp = GetSearchFilterForModuleAndCUList(containingModules,
677 containingSourceFiles);
678 } else if (has_files) {
679 filter_sp =
680 GetSearchFilterForModuleAndCUList(nullptr, containingSourceFiles);
681 } else if (has_modules) {
682 filter_sp = GetSearchFilterForModuleList(containingModules);
683 } else {
684 filter_sp = std::make_shared<SearchFilterForUnconstrainedSearches>(
685 shared_from_this());
686 }
687
689 nullptr, class_name, depth, StructuredDataImpl(extra_args_sp)));
690 return CreateBreakpoint(filter_sp, resolver_sp, internal, false, true);
691}
692
694 BreakpointResolverSP &resolver_sp,
695 bool internal, bool request_hardware,
696 bool resolve_indirect_symbols) {
697 BreakpointSP bp_sp;
698 if (filter_sp && resolver_sp) {
699 const bool hardware = request_hardware || GetRequireHardwareBreakpoints();
700 bp_sp.reset(new Breakpoint(*this, filter_sp, resolver_sp, hardware,
701 resolve_indirect_symbols));
702 resolver_sp->SetBreakpoint(bp_sp);
703 AddBreakpoint(bp_sp, internal);
704 }
705 return bp_sp;
706}
707
708void Target::AddBreakpoint(lldb::BreakpointSP bp_sp, bool internal) {
709 if (!bp_sp)
710 return;
711 if (internal)
712 m_internal_breakpoint_list.Add(bp_sp, false);
713 else
714 m_breakpoint_list.Add(bp_sp, true);
715
717 if (log) {
718 StreamString s;
719 bp_sp->GetDescription(&s, lldb::eDescriptionLevelVerbose);
720 LLDB_LOGF(log, "Target::%s (internal = %s) => break_id = %s\n",
721 __FUNCTION__, bp_sp->IsInternal() ? "yes" : "no", s.GetData());
722 }
723
724 bp_sp->ResolveBreakpoint();
725
726 if (!internal) {
728 }
729}
730
731void Target::AddNameToBreakpoint(BreakpointID &id, llvm::StringRef name,
732 Status &error) {
733 BreakpointSP bp_sp =
734 m_breakpoint_list.FindBreakpointByID(id.GetBreakpointID());
735 if (!bp_sp) {
736 StreamString s;
737 id.GetDescription(&s, eDescriptionLevelBrief);
738 error.SetErrorStringWithFormat("Could not find breakpoint %s", s.GetData());
739 return;
740 }
741 AddNameToBreakpoint(bp_sp, name, error);
742}
743
744void Target::AddNameToBreakpoint(BreakpointSP &bp_sp, llvm::StringRef name,
745 Status &error) {
746 if (!bp_sp)
747 return;
748
749 BreakpointName *bp_name = FindBreakpointName(ConstString(name), true, error);
750 if (!bp_name)
751 return;
752
753 bp_name->ConfigureBreakpoint(bp_sp);
754 bp_sp->AddName(name);
755}
756
757void Target::AddBreakpointName(std::unique_ptr<BreakpointName> bp_name) {
758 m_breakpoint_names.insert(
759 std::make_pair(bp_name->GetName(), std::move(bp_name)));
760}
761
763 Status &error) {
765 if (!error.Success())
766 return nullptr;
767
768 BreakpointNameList::iterator iter = m_breakpoint_names.find(name);
769 if (iter != m_breakpoint_names.end()) {
770 return iter->second.get();
771 }
772
773 if (!can_create) {
774 error.SetErrorStringWithFormat("Breakpoint name \"%s\" doesn't exist and "
775 "can_create is false.",
776 name.AsCString());
777 return nullptr;
778 }
779
780 return m_breakpoint_names
781 .insert(std::make_pair(name, std::make_unique<BreakpointName>(name)))
782 .first->second.get();
783}
784
786 BreakpointNameList::iterator iter = m_breakpoint_names.find(name);
787
788 if (iter != m_breakpoint_names.end()) {
789 const char *name_cstr = name.AsCString();
790 m_breakpoint_names.erase(iter);
791 for (auto bp_sp : m_breakpoint_list.Breakpoints())
792 bp_sp->RemoveName(name_cstr);
793 }
794}
795
797 ConstString name) {
798 bp_sp->RemoveName(name.AsCString());
799}
800
802 BreakpointName &bp_name, const BreakpointOptions &new_options,
803 const BreakpointName::Permissions &new_permissions) {
804 bp_name.GetOptions().CopyOverSetOptions(new_options);
805 bp_name.GetPermissions().MergeInto(new_permissions);
806 ApplyNameToBreakpoints(bp_name);
807}
808
810 llvm::Expected<std::vector<BreakpointSP>> expected_vector =
812
813 if (!expected_vector) {
814 LLDB_LOG(GetLog(LLDBLog::Breakpoints), "invalid breakpoint name: {}",
815 llvm::toString(expected_vector.takeError()));
816 return;
817 }
818
819 for (auto bp_sp : *expected_vector)
820 bp_name.ConfigureBreakpoint(bp_sp);
821}
822
823void Target::GetBreakpointNames(std::vector<std::string> &names) {
824 names.clear();
825 for (const auto& bp_name_entry : m_breakpoint_names) {
826 names.push_back(bp_name_entry.first.AsCString());
827 }
828 llvm::sort(names);
829}
830
832 return (m_process_sp && m_process_sp->IsAlive());
833}
834
836 std::optional<uint32_t> num_supported_hardware_watchpoints =
837 target->GetProcessSP()->GetWatchpointSlotCount();
838
839 // If unable to determine the # of watchpoints available,
840 // assume they are supported.
841 if (!num_supported_hardware_watchpoints)
842 return true;
843
844 if (num_supported_hardware_watchpoints == 0) {
845 error.SetErrorStringWithFormat(
846 "Target supports (%u) hardware watchpoint slots.\n",
847 *num_supported_hardware_watchpoints);
848 return false;
849 }
850 return true;
851}
852
853// See also Watchpoint::SetWatchpointType(uint32_t type) and the
854// OptionGroupWatchpoint::WatchType enum type.
856 const CompilerType *type, uint32_t kind,
857 Status &error) {
859 LLDB_LOGF(log,
860 "Target::%s (addr = 0x%8.8" PRIx64 " size = %" PRIu64
861 " type = %u)\n",
862 __FUNCTION__, addr, (uint64_t)size, kind);
863
864 WatchpointSP wp_sp;
865 if (!ProcessIsValid()) {
866 error.SetErrorString("process is not alive");
867 return wp_sp;
868 }
869
870 if (addr == LLDB_INVALID_ADDRESS || size == 0) {
871 if (size == 0)
872 error.SetErrorString("cannot set a watchpoint with watch_size of 0");
873 else
874 error.SetErrorStringWithFormat("invalid watch address: %" PRIu64, addr);
875 return wp_sp;
876 }
877
878 if (!LLDB_WATCH_TYPE_IS_VALID(kind)) {
879 error.SetErrorStringWithFormat("invalid watchpoint type: %d", kind);
880 }
881
883 return wp_sp;
884
885 // Currently we only support one watchpoint per address, with total number of
886 // watchpoints limited by the hardware which the inferior is running on.
887
888 // Grab the list mutex while doing operations.
889 const bool notify = false; // Don't notify about all the state changes we do
890 // on creating the watchpoint.
891
892 // Mask off ignored bits from watchpoint address.
893 if (ABISP abi = m_process_sp->GetABI())
894 addr = abi->FixDataAddress(addr);
895
896 // LWP_TODO this sequence is looking for an existing watchpoint
897 // at the exact same user-specified address, disables the new one
898 // if addr/size/type match. If type/size differ, disable old one.
899 // This isn't correct, we need both watchpoints to use a shared
900 // WatchpointResource in the target, and expand the WatchpointResource
901 // to handle the needs of both Watchpoints.
902 // Also, even if the addresses don't match, they may need to be
903 // supported by the same WatchpointResource, e.g. a watchpoint
904 // watching 1 byte at 0x102 and a watchpoint watching 1 byte at 0x103.
905 // They're in the same word and must be watched by a single hardware
906 // watchpoint register.
907
908 std::unique_lock<std::recursive_mutex> lock;
909 this->GetWatchpointList().GetListMutex(lock);
911 if (matched_sp) {
912 size_t old_size = matched_sp->GetByteSize();
913 uint32_t old_type =
914 (matched_sp->WatchpointRead() ? LLDB_WATCH_TYPE_READ : 0) |
915 (matched_sp->WatchpointWrite() ? LLDB_WATCH_TYPE_WRITE : 0) |
916 (matched_sp->WatchpointModify() ? LLDB_WATCH_TYPE_MODIFY : 0);
917 // Return the existing watchpoint if both size and type match.
918 if (size == old_size && kind == old_type) {
919 wp_sp = matched_sp;
920 wp_sp->SetEnabled(false, notify);
921 } else {
922 // Nil the matched watchpoint; we will be creating a new one.
923 m_process_sp->DisableWatchpoint(matched_sp, notify);
924 m_watchpoint_list.Remove(matched_sp->GetID(), true);
925 }
926 }
927
928 if (!wp_sp) {
929 wp_sp = std::make_shared<Watchpoint>(*this, addr, size, type);
930 wp_sp->SetWatchpointType(kind, notify);
931 m_watchpoint_list.Add(wp_sp, true);
932 }
933
934 error = m_process_sp->EnableWatchpoint(wp_sp, notify);
935 LLDB_LOGF(log, "Target::%s (creation of watchpoint %s with id = %u)\n",
936 __FUNCTION__, error.Success() ? "succeeded" : "failed",
937 wp_sp->GetID());
938
939 if (error.Fail()) {
940 // Enabling the watchpoint on the device side failed. Remove the said
941 // watchpoint from the list maintained by the target instance.
942 m_watchpoint_list.Remove(wp_sp->GetID(), true);
943 wp_sp.reset();
944 } else
946 return wp_sp;
947}
948
951 LLDB_LOGF(log, "Target::%s \n", __FUNCTION__);
952
954
956}
957
958void Target::RemoveAllBreakpoints(bool internal_also) {
960 LLDB_LOGF(log, "Target::%s (internal_also = %s)\n", __FUNCTION__,
961 internal_also ? "yes" : "no");
962
964 if (internal_also)
966
968}
969
970void Target::DisableAllBreakpoints(bool internal_also) {
972 LLDB_LOGF(log, "Target::%s (internal_also = %s)\n", __FUNCTION__,
973 internal_also ? "yes" : "no");
974
976 if (internal_also)
978}
979
982 LLDB_LOGF(log, "Target::%s", __FUNCTION__);
983
985}
986
987void Target::EnableAllBreakpoints(bool internal_also) {
989 LLDB_LOGF(log, "Target::%s (internal_also = %s)\n", __FUNCTION__,
990 internal_also ? "yes" : "no");
991
993 if (internal_also)
995}
996
999 LLDB_LOGF(log, "Target::%s", __FUNCTION__);
1000
1002}
1003
1006 LLDB_LOGF(log, "Target::%s (break_id = %i, internal = %s)\n", __FUNCTION__,
1007 break_id, LLDB_BREAK_ID_IS_INTERNAL(break_id) ? "yes" : "no");
1008
1009 if (DisableBreakpointByID(break_id)) {
1010 if (LLDB_BREAK_ID_IS_INTERNAL(break_id))
1011 m_internal_breakpoint_list.Remove(break_id, false);
1012 else {
1014 if (m_last_created_breakpoint->GetID() == break_id)
1016 }
1017 m_breakpoint_list.Remove(break_id, true);
1018 }
1019 return true;
1020 }
1021 return false;
1022}
1023
1026 LLDB_LOGF(log, "Target::%s (break_id = %i, internal = %s)\n", __FUNCTION__,
1027 break_id, LLDB_BREAK_ID_IS_INTERNAL(break_id) ? "yes" : "no");
1028
1029 BreakpointSP bp_sp;
1030
1031 if (LLDB_BREAK_ID_IS_INTERNAL(break_id))
1033 else
1034 bp_sp = m_breakpoint_list.FindBreakpointByID(break_id);
1035 if (bp_sp) {
1036 bp_sp->SetEnabled(false);
1037 return true;
1038 }
1039 return false;
1040}
1041
1044 LLDB_LOGF(log, "Target::%s (break_id = %i, internal = %s)\n", __FUNCTION__,
1045 break_id, LLDB_BREAK_ID_IS_INTERNAL(break_id) ? "yes" : "no");
1046
1047 BreakpointSP bp_sp;
1048
1049 if (LLDB_BREAK_ID_IS_INTERNAL(break_id))
1051 else
1052 bp_sp = m_breakpoint_list.FindBreakpointByID(break_id);
1053
1054 if (bp_sp) {
1055 bp_sp->SetEnabled(true);
1056 return true;
1057 }
1058 return false;
1059}
1060
1063}
1064
1066 const BreakpointIDList &bp_ids,
1067 bool append) {
1068 Status error;
1069
1070 if (!file) {
1071 error.SetErrorString("Invalid FileSpec.");
1072 return error;
1073 }
1074
1075 std::string path(file.GetPath());
1076 StructuredData::ObjectSP input_data_sp;
1077
1078 StructuredData::ArraySP break_store_sp;
1079 StructuredData::Array *break_store_ptr = nullptr;
1080
1081 if (append) {
1082 input_data_sp = StructuredData::ParseJSONFromFile(file, error);
1083 if (error.Success()) {
1084 break_store_ptr = input_data_sp->GetAsArray();
1085 if (!break_store_ptr) {
1086 error.SetErrorStringWithFormat(
1087 "Tried to append to invalid input file %s", path.c_str());
1088 return error;
1089 }
1090 }
1091 }
1092
1093 if (!break_store_ptr) {
1094 break_store_sp = std::make_shared<StructuredData::Array>();
1095 break_store_ptr = break_store_sp.get();
1096 }
1097
1098 StreamFile out_file(path.c_str(),
1102 lldb::eFilePermissionsFileDefault);
1103 if (!out_file.GetFile().IsValid()) {
1104 error.SetErrorStringWithFormat("Unable to open output file: %s.",
1105 path.c_str());
1106 return error;
1107 }
1108
1109 std::unique_lock<std::recursive_mutex> lock;
1111
1112 if (bp_ids.GetSize() == 0) {
1113 const BreakpointList &breakpoints = GetBreakpointList();
1114
1115 size_t num_breakpoints = breakpoints.GetSize();
1116 for (size_t i = 0; i < num_breakpoints; i++) {
1117 Breakpoint *bp = breakpoints.GetBreakpointAtIndex(i).get();
1119 // If a breakpoint can't serialize it, just ignore it for now:
1120 if (bkpt_save_sp)
1121 break_store_ptr->AddItem(bkpt_save_sp);
1122 }
1123 } else {
1124
1125 std::unordered_set<lldb::break_id_t> processed_bkpts;
1126 const size_t count = bp_ids.GetSize();
1127 for (size_t i = 0; i < count; ++i) {
1128 BreakpointID cur_bp_id = bp_ids.GetBreakpointIDAtIndex(i);
1129 lldb::break_id_t bp_id = cur_bp_id.GetBreakpointID();
1130
1131 if (bp_id != LLDB_INVALID_BREAK_ID) {
1132 // Only do each breakpoint once:
1133 std::pair<std::unordered_set<lldb::break_id_t>::iterator, bool>
1134 insert_result = processed_bkpts.insert(bp_id);
1135 if (!insert_result.second)
1136 continue;
1137
1138 Breakpoint *bp = GetBreakpointByID(bp_id).get();
1140 // If the user explicitly asked to serialize a breakpoint, and we
1141 // can't, then raise an error:
1142 if (!bkpt_save_sp) {
1143 error.SetErrorStringWithFormat("Unable to serialize breakpoint %d",
1144 bp_id);
1145 return error;
1146 }
1147 break_store_ptr->AddItem(bkpt_save_sp);
1148 }
1149 }
1150 }
1151
1152 break_store_ptr->Dump(out_file, false);
1153 out_file.PutChar('\n');
1154 return error;
1155}
1156
1158 BreakpointIDList &new_bps) {
1159 std::vector<std::string> no_names;
1160 return CreateBreakpointsFromFile(file, no_names, new_bps);
1161}
1162
1164 std::vector<std::string> &names,
1165 BreakpointIDList &new_bps) {
1166 std::unique_lock<std::recursive_mutex> lock;
1168
1169 Status error;
1170 StructuredData::ObjectSP input_data_sp =
1172 if (!error.Success()) {
1173 return error;
1174 } else if (!input_data_sp || !input_data_sp->IsValid()) {
1175 error.SetErrorStringWithFormat("Invalid JSON from input file: %s.",
1176 file.GetPath().c_str());
1177 return error;
1178 }
1179
1180 StructuredData::Array *bkpt_array = input_data_sp->GetAsArray();
1181 if (!bkpt_array) {
1182 error.SetErrorStringWithFormat(
1183 "Invalid breakpoint data from input file: %s.", file.GetPath().c_str());
1184 return error;
1185 }
1186
1187 size_t num_bkpts = bkpt_array->GetSize();
1188 size_t num_names = names.size();
1189
1190 for (size_t i = 0; i < num_bkpts; i++) {
1191 StructuredData::ObjectSP bkpt_object_sp = bkpt_array->GetItemAtIndex(i);
1192 // Peel off the breakpoint key, and feed the rest to the Breakpoint:
1193 StructuredData::Dictionary *bkpt_dict = bkpt_object_sp->GetAsDictionary();
1194 if (!bkpt_dict) {
1195 error.SetErrorStringWithFormat(
1196 "Invalid breakpoint data for element %zu from input file: %s.", i,
1197 file.GetPath().c_str());
1198 return error;
1199 }
1200 StructuredData::ObjectSP bkpt_data_sp =
1202 if (num_names &&
1204 continue;
1205
1207 shared_from_this(), bkpt_data_sp, error);
1208 if (!error.Success()) {
1209 error.SetErrorStringWithFormat(
1210 "Error restoring breakpoint %zu from %s: %s.", i,
1211 file.GetPath().c_str(), error.AsCString());
1212 return error;
1213 }
1214 new_bps.AddBreakpointID(BreakpointID(bkpt_sp->GetID()));
1215 }
1216 return error;
1217}
1218
1219// The flag 'end_to_end', default to true, signifies that the operation is
1220// performed end to end, for both the debugger and the debuggee.
1221
1222// Assumption: Caller holds the list mutex lock for m_watchpoint_list for end
1223// to end operations.
1224bool Target::RemoveAllWatchpoints(bool end_to_end) {
1226 LLDB_LOGF(log, "Target::%s\n", __FUNCTION__);
1227
1228 if (!end_to_end) {
1230 return true;
1231 }
1232
1233 // Otherwise, it's an end to end operation.
1234
1235 if (!ProcessIsValid())
1236 return false;
1237
1239 if (!wp_sp)
1240 return false;
1241
1242 Status rc = m_process_sp->DisableWatchpoint(wp_sp);
1243 if (rc.Fail())
1244 return false;
1245 }
1248 return true; // Success!
1249}
1250
1251// Assumption: Caller holds the list mutex lock for m_watchpoint_list for end
1252// to end operations.
1253bool Target::DisableAllWatchpoints(bool end_to_end) {
1255 LLDB_LOGF(log, "Target::%s\n", __FUNCTION__);
1256
1257 if (!end_to_end) {
1259 return true;
1260 }
1261
1262 // Otherwise, it's an end to end operation.
1263
1264 if (!ProcessIsValid())
1265 return false;
1266
1268 if (!wp_sp)
1269 return false;
1270
1271 Status rc = m_process_sp->DisableWatchpoint(wp_sp);
1272 if (rc.Fail())
1273 return false;
1274 }
1275 return true; // Success!
1276}
1277
1278// Assumption: Caller holds the list mutex lock for m_watchpoint_list for end
1279// to end operations.
1280bool Target::EnableAllWatchpoints(bool end_to_end) {
1282 LLDB_LOGF(log, "Target::%s\n", __FUNCTION__);
1283
1284 if (!end_to_end) {
1286 return true;
1287 }
1288
1289 // Otherwise, it's an end to end operation.
1290
1291 if (!ProcessIsValid())
1292 return false;
1293
1295 if (!wp_sp)
1296 return false;
1297
1298 Status rc = m_process_sp->EnableWatchpoint(wp_sp);
1299 if (rc.Fail())
1300 return false;
1301 }
1302 return true; // Success!
1303}
1304
1305// Assumption: Caller holds the list mutex lock for m_watchpoint_list.
1308 LLDB_LOGF(log, "Target::%s\n", __FUNCTION__);
1309
1311 if (!wp_sp)
1312 return false;
1313
1314 wp_sp->ResetHitCount();
1315 }
1316 return true; // Success!
1317}
1318
1319// Assumption: Caller holds the list mutex lock for m_watchpoint_list.
1322 LLDB_LOGF(log, "Target::%s\n", __FUNCTION__);
1323
1325 if (!wp_sp)
1326 return false;
1327
1328 wp_sp->ResetHistoricValues();
1329 }
1330 return true; // Success!
1331}
1332
1333// Assumption: Caller holds the list mutex lock for m_watchpoint_list during
1334// these operations.
1335bool Target::IgnoreAllWatchpoints(uint32_t ignore_count) {
1337 LLDB_LOGF(log, "Target::%s\n", __FUNCTION__);
1338
1339 if (!ProcessIsValid())
1340 return false;
1341
1343 if (!wp_sp)
1344 return false;
1345
1346 wp_sp->SetIgnoreCount(ignore_count);
1347 }
1348 return true; // Success!
1349}
1350
1351// Assumption: Caller holds the list mutex lock for m_watchpoint_list.
1354 LLDB_LOGF(log, "Target::%s (watch_id = %i)\n", __FUNCTION__, watch_id);
1355
1356 if (!ProcessIsValid())
1357 return false;
1358
1359 WatchpointSP wp_sp = m_watchpoint_list.FindByID(watch_id);
1360 if (wp_sp) {
1361 Status rc = m_process_sp->DisableWatchpoint(wp_sp);
1362 if (rc.Success())
1363 return true;
1364
1365 // Else, fallthrough.
1366 }
1367 return false;
1368}
1369
1370// Assumption: Caller holds the list mutex lock for m_watchpoint_list.
1373 LLDB_LOGF(log, "Target::%s (watch_id = %i)\n", __FUNCTION__, watch_id);
1374
1375 if (!ProcessIsValid())
1376 return false;
1377
1378 WatchpointSP wp_sp = m_watchpoint_list.FindByID(watch_id);
1379 if (wp_sp) {
1380 Status rc = m_process_sp->EnableWatchpoint(wp_sp);
1381 if (rc.Success())
1382 return true;
1383
1384 // Else, fallthrough.
1385 }
1386 return false;
1387}
1388
1389// Assumption: Caller holds the list mutex lock for m_watchpoint_list.
1392 LLDB_LOGF(log, "Target::%s (watch_id = %i)\n", __FUNCTION__, watch_id);
1393
1394 WatchpointSP watch_to_remove_sp = m_watchpoint_list.FindByID(watch_id);
1395 if (watch_to_remove_sp == m_last_created_watchpoint)
1397
1398 if (DisableWatchpointByID(watch_id)) {
1399 m_watchpoint_list.Remove(watch_id, true);
1400 return true;
1401 }
1402 return false;
1403}
1404
1405// Assumption: Caller holds the list mutex lock for m_watchpoint_list.
1407 uint32_t ignore_count) {
1409 LLDB_LOGF(log, "Target::%s (watch_id = %i)\n", __FUNCTION__, watch_id);
1410
1411 if (!ProcessIsValid())
1412 return false;
1413
1414 WatchpointSP wp_sp = m_watchpoint_list.FindByID(watch_id);
1415 if (wp_sp) {
1416 wp_sp->SetIgnoreCount(ignore_count);
1417 return true;
1418 }
1419 return false;
1420}
1421
1423 // search for the first executable in the module list
1424 for (size_t i = 0; i < m_images.GetSize(); ++i) {
1425 ModuleSP module_sp = m_images.GetModuleAtIndex(i);
1426 lldb_private::ObjectFile *obj = module_sp->GetObjectFile();
1427 if (obj == nullptr)
1428 continue;
1430 return module_sp;
1431 }
1432 // as fall back return the first module loaded
1433 return m_images.GetModuleAtIndex(0);
1434}
1435
1437 return GetExecutableModule().get();
1438}
1439
1440static void LoadScriptingResourceForModule(const ModuleSP &module_sp,
1441 Target *target) {
1442 Status error;
1443 StreamString feedback_stream;
1444 if (module_sp && !module_sp->LoadScriptingResourceInTarget(target, error,
1445 feedback_stream)) {
1446 if (error.AsCString())
1447 target->GetDebugger().GetErrorStream().Printf(
1448 "unable to load scripting data for module %s - error reported was "
1449 "%s\n",
1450 module_sp->GetFileSpec().GetFileNameStrippingExtension().GetCString(),
1451 error.AsCString());
1452 }
1453 if (feedback_stream.GetSize())
1454 target->GetDebugger().GetErrorStream().Printf("%s\n",
1455 feedback_stream.GetData());
1456}
1457
1458void Target::ClearModules(bool delete_locations) {
1459 ModulesDidUnload(m_images, delete_locations);
1461 m_images.Clear();
1463}
1464
1466 // When a process exec's we need to know about it so we can do some cleanup.
1469}
1470
1472 LoadDependentFiles load_dependent_files) {
1473 Log *log = GetLog(LLDBLog::Target);
1474 ClearModules(false);
1475
1476 if (executable_sp) {
1478 LLDB_SCOPED_TIMERF("Target::SetExecutableModule (executable = '%s')",
1479 executable_sp->GetFileSpec().GetPath().c_str());
1480
1481 const bool notify = true;
1482 m_images.Append(executable_sp,
1483 notify); // The first image is our executable file
1484
1485 // If we haven't set an architecture yet, reset our architecture based on
1486 // what we found in the executable module.
1487 if (!m_arch.GetSpec().IsValid()) {
1488 m_arch = executable_sp->GetArchitecture();
1489 LLDB_LOG(log,
1490 "Target::SetExecutableModule setting architecture to {0} ({1}) "
1491 "based on executable file",
1493 m_arch.GetSpec().GetTriple().getTriple());
1494 }
1495
1496 FileSpecList dependent_files;
1497 ObjectFile *executable_objfile = executable_sp->GetObjectFile();
1498 bool load_dependents = true;
1499 switch (load_dependent_files) {
1501 load_dependents = executable_sp->IsExecutable();
1502 break;
1503 case eLoadDependentsYes:
1504 load_dependents = true;
1505 break;
1506 case eLoadDependentsNo:
1507 load_dependents = false;
1508 break;
1509 }
1510
1511 if (executable_objfile && load_dependents) {
1512 ModuleList added_modules;
1513 executable_objfile->GetDependentModules(dependent_files);
1514 for (uint32_t i = 0; i < dependent_files.GetSize(); i++) {
1515 FileSpec dependent_file_spec(dependent_files.GetFileSpecAtIndex(i));
1516 FileSpec platform_dependent_file_spec;
1517 if (m_platform_sp)
1518 m_platform_sp->GetFileWithUUID(dependent_file_spec, nullptr,
1519 platform_dependent_file_spec);
1520 else
1521 platform_dependent_file_spec = dependent_file_spec;
1522
1523 ModuleSpec module_spec(platform_dependent_file_spec, m_arch.GetSpec());
1524 ModuleSP image_module_sp(
1525 GetOrCreateModule(module_spec, false /* notify */));
1526 if (image_module_sp) {
1527 added_modules.AppendIfNeeded(image_module_sp, false);
1528 ObjectFile *objfile = image_module_sp->GetObjectFile();
1529 if (objfile)
1530 objfile->GetDependentModules(dependent_files);
1531 }
1532 }
1533 ModulesDidLoad(added_modules);
1534 }
1535 }
1536}
1537
1538bool Target::SetArchitecture(const ArchSpec &arch_spec, bool set_platform,
1539 bool merge) {
1540 Log *log = GetLog(LLDBLog::Target);
1541 bool missing_local_arch = !m_arch.GetSpec().IsValid();
1542 bool replace_local_arch = true;
1543 bool compatible_local_arch = false;
1544 ArchSpec other(arch_spec);
1545
1546 // Changing the architecture might mean that the currently selected platform
1547 // isn't compatible. Set the platform correctly if we are asked to do so,
1548 // otherwise assume the user will set the platform manually.
1549 if (set_platform) {
1550 if (other.IsValid()) {
1551 auto platform_sp = GetPlatform();
1552 if (!platform_sp || !platform_sp->IsCompatibleArchitecture(
1553 other, {}, ArchSpec::CompatibleMatch, nullptr)) {
1554 ArchSpec platform_arch;
1555 if (PlatformSP arch_platform_sp =
1556 GetDebugger().GetPlatformList().GetOrCreate(other, {},
1557 &platform_arch)) {
1558 SetPlatform(arch_platform_sp);
1559 if (platform_arch.IsValid())
1560 other = platform_arch;
1561 }
1562 }
1563 }
1564 }
1565
1566 if (!missing_local_arch) {
1567 if (merge && m_arch.GetSpec().IsCompatibleMatch(arch_spec)) {
1568 other.MergeFrom(m_arch.GetSpec());
1569
1570 if (m_arch.GetSpec().IsCompatibleMatch(other)) {
1571 compatible_local_arch = true;
1572
1573 if (m_arch.GetSpec().GetTriple() == other.GetTriple())
1574 replace_local_arch = false;
1575 }
1576 }
1577 }
1578
1579 if (compatible_local_arch || missing_local_arch) {
1580 // If we haven't got a valid arch spec, or the architectures are compatible
1581 // update the architecture, unless the one we already have is more
1582 // specified
1583 if (replace_local_arch)
1584 m_arch = other;
1585 LLDB_LOG(log,
1586 "Target::SetArchitecture merging compatible arch; arch "
1587 "is now {0} ({1})",
1589 m_arch.GetSpec().GetTriple().getTriple());
1590 return true;
1591 }
1592
1593 // If we have an executable file, try to reset the executable to the desired
1594 // architecture
1595 LLDB_LOGF(
1596 log,
1597 "Target::SetArchitecture changing architecture to %s (%s) from %s (%s)",
1598 arch_spec.GetArchitectureName(),
1599 arch_spec.GetTriple().getTriple().c_str(),
1601 m_arch.GetSpec().GetTriple().getTriple().c_str());
1602 m_arch = other;
1603 ModuleSP executable_sp = GetExecutableModule();
1604
1605 ClearModules(true);
1606 // Need to do something about unsetting breakpoints.
1607
1608 if (executable_sp) {
1609 LLDB_LOGF(log,
1610 "Target::SetArchitecture Trying to select executable file "
1611 "architecture %s (%s)",
1612 arch_spec.GetArchitectureName(),
1613 arch_spec.GetTriple().getTriple().c_str());
1614 ModuleSpec module_spec(executable_sp->GetFileSpec(), other);
1615 FileSpecList search_paths = GetExecutableSearchPaths();
1616 Status error = ModuleList::GetSharedModule(module_spec, executable_sp,
1617 &search_paths, nullptr, nullptr);
1618
1619 if (!error.Fail() && executable_sp) {
1621 return true;
1622 }
1623 }
1624 return false;
1625}
1626
1627bool Target::MergeArchitecture(const ArchSpec &arch_spec) {
1628 Log *log = GetLog(LLDBLog::Target);
1629 if (arch_spec.IsValid()) {
1630 if (m_arch.GetSpec().IsCompatibleMatch(arch_spec)) {
1631 // The current target arch is compatible with "arch_spec", see if we can
1632 // improve our current architecture using bits from "arch_spec"
1633
1634 LLDB_LOGF(log,
1635 "Target::MergeArchitecture target has arch %s, merging with "
1636 "arch %s",
1637 m_arch.GetSpec().GetTriple().getTriple().c_str(),
1638 arch_spec.GetTriple().getTriple().c_str());
1639
1640 // Merge bits from arch_spec into "merged_arch" and set our architecture
1641 ArchSpec merged_arch(m_arch.GetSpec());
1642 merged_arch.MergeFrom(arch_spec);
1643 return SetArchitecture(merged_arch);
1644 } else {
1645 // The new architecture is different, we just need to replace it
1646 return SetArchitecture(arch_spec);
1647 }
1648 }
1649 return false;
1650}
1651
1652void Target::NotifyWillClearList(const ModuleList &module_list) {}
1653
1655 const ModuleSP &module_sp) {
1656 // A module is being added to this target for the first time
1657 if (m_valid) {
1658 ModuleList my_module_list;
1659 my_module_list.Append(module_sp);
1660 ModulesDidLoad(my_module_list);
1661 }
1662}
1663
1665 const ModuleSP &module_sp) {
1666 // A module is being removed from this target.
1667 if (m_valid) {
1668 ModuleList my_module_list;
1669 my_module_list.Append(module_sp);
1670 ModulesDidUnload(my_module_list, false);
1671 }
1672}
1673
1675 const ModuleSP &old_module_sp,
1676 const ModuleSP &new_module_sp) {
1677 // A module is replacing an already added module
1678 if (m_valid) {
1680 new_module_sp);
1682 old_module_sp, new_module_sp);
1683 }
1684}
1685
1687 ModulesDidUnload(module_list, false);
1688}
1689
1691 const size_t num_images = module_list.GetSize();
1692 if (m_valid && num_images) {
1693 for (size_t idx = 0; idx < num_images; ++idx) {
1694 ModuleSP module_sp(module_list.GetModuleAtIndex(idx));
1695 LoadScriptingResourceForModule(module_sp, this);
1696 }
1697 m_breakpoint_list.UpdateBreakpoints(module_list, true, false);
1698 m_internal_breakpoint_list.UpdateBreakpoints(module_list, true, false);
1699 if (m_process_sp) {
1700 m_process_sp->ModulesDidLoad(module_list);
1701 }
1702 auto data_sp =
1703 std::make_shared<TargetEventData>(shared_from_this(), module_list);
1705 }
1706}
1707
1709 if (m_valid && module_list.GetSize()) {
1710 if (m_process_sp) {
1711 for (LanguageRuntime *runtime : m_process_sp->GetLanguageRuntimes()) {
1712 runtime->SymbolsDidLoad(module_list);
1713 }
1714 }
1715
1716 m_breakpoint_list.UpdateBreakpoints(module_list, true, false);
1717 m_internal_breakpoint_list.UpdateBreakpoints(module_list, true, false);
1718 auto data_sp =
1719 std::make_shared<TargetEventData>(shared_from_this(), module_list);
1721 }
1722}
1723
1724void Target::ModulesDidUnload(ModuleList &module_list, bool delete_locations) {
1725 if (m_valid && module_list.GetSize()) {
1726 UnloadModuleSections(module_list);
1727 auto data_sp =
1728 std::make_shared<TargetEventData>(shared_from_this(), module_list);
1730 m_breakpoint_list.UpdateBreakpoints(module_list, false, delete_locations);
1732 delete_locations);
1733
1734 // If a module was torn down it will have torn down the 'TypeSystemClang's
1735 // that we used as source 'ASTContext's for the persistent variables in
1736 // the current target. Those would now be unsafe to access because the
1737 // 'DeclOrigin' are now possibly stale. Thus clear all persistent
1738 // variables. We only want to flush 'TypeSystem's if the module being
1739 // unloaded was capable of describing a source type. JITted module unloads
1740 // happen frequently for Objective-C utility functions or the REPL and rely
1741 // on the persistent variables to stick around.
1742 const bool should_flush_type_systems =
1743 module_list.AnyOf([](lldb_private::Module &module) {
1744 auto *object_file = module.GetObjectFile();
1745
1746 if (!object_file)
1747 return false;
1748
1749 auto type = object_file->GetType();
1750
1751 // eTypeExecutable: when debugged binary was rebuilt
1752 // eTypeSharedLibrary: if dylib was re-loaded
1753 return module.FileHasChanged() &&
1754 (type == ObjectFile::eTypeObjectFile ||
1757 });
1758
1759 if (should_flush_type_systems)
1761 }
1762}
1763
1765 const FileSpec &module_file_spec) {
1767 ModuleList matchingModules;
1768 ModuleSpec module_spec(module_file_spec);
1769 GetImages().FindModules(module_spec, matchingModules);
1770 size_t num_modules = matchingModules.GetSize();
1771
1772 // If there is more than one module for this file spec, only
1773 // return true if ALL the modules are on the black list.
1774 if (num_modules > 0) {
1775 for (size_t i = 0; i < num_modules; i++) {
1777 matchingModules.GetModuleAtIndex(i)))
1778 return false;
1779 }
1780 return true;
1781 }
1782 }
1783 return false;
1784}
1785
1787 const lldb::ModuleSP &module_sp) {
1789 if (m_platform_sp)
1790 return m_platform_sp->ModuleIsExcludedForUnconstrainedSearches(*this,
1791 module_sp);
1792 }
1793 return false;
1794}
1795
1796size_t Target::ReadMemoryFromFileCache(const Address &addr, void *dst,
1797 size_t dst_len, Status &error) {
1798 SectionSP section_sp(addr.GetSection());
1799 if (section_sp) {
1800 // If the contents of this section are encrypted, the on-disk file is
1801 // unusable. Read only from live memory.
1802 if (section_sp->IsEncrypted()) {
1803 error.SetErrorString("section is encrypted");
1804 return 0;
1805 }
1806 ModuleSP module_sp(section_sp->GetModule());
1807 if (module_sp) {
1808 ObjectFile *objfile = section_sp->GetModule()->GetObjectFile();
1809 if (objfile) {
1810 size_t bytes_read = objfile->ReadSectionData(
1811 section_sp.get(), addr.GetOffset(), dst, dst_len);
1812 if (bytes_read > 0)
1813 return bytes_read;
1814 else
1815 error.SetErrorStringWithFormat("error reading data from section %s",
1816 section_sp->GetName().GetCString());
1817 } else
1818 error.SetErrorString("address isn't from a object file");
1819 } else
1820 error.SetErrorString("address isn't in a module");
1821 } else
1822 error.SetErrorString("address doesn't contain a section that points to a "
1823 "section in a object file");
1824
1825 return 0;
1826}
1827
1828size_t Target::ReadMemory(const Address &addr, void *dst, size_t dst_len,
1829 Status &error, bool force_live_memory,
1830 lldb::addr_t *load_addr_ptr) {
1831 error.Clear();
1832
1833 Address fixed_addr = addr;
1834 if (ProcessIsValid())
1835 if (const ABISP &abi = m_process_sp->GetABI())
1836 fixed_addr.SetLoadAddress(abi->FixAnyAddress(addr.GetLoadAddress(this)),
1837 this);
1838
1839 // if we end up reading this from process memory, we will fill this with the
1840 // actual load address
1841 if (load_addr_ptr)
1842 *load_addr_ptr = LLDB_INVALID_ADDRESS;
1843
1844 size_t bytes_read = 0;
1845
1846 addr_t load_addr = LLDB_INVALID_ADDRESS;
1847 addr_t file_addr = LLDB_INVALID_ADDRESS;
1848 Address resolved_addr;
1849 if (!fixed_addr.IsSectionOffset()) {
1850 SectionLoadList &section_load_list = GetSectionLoadList();
1851 if (section_load_list.IsEmpty()) {
1852 // No sections are loaded, so we must assume we are not running yet and
1853 // anything we are given is a file address.
1854 file_addr =
1855 fixed_addr.GetOffset(); // "fixed_addr" doesn't have a section, so
1856 // its offset is the file address
1857 m_images.ResolveFileAddress(file_addr, resolved_addr);
1858 } else {
1859 // We have at least one section loaded. This can be because we have
1860 // manually loaded some sections with "target modules load ..." or
1861 // because we have a live process that has sections loaded through
1862 // the dynamic loader
1863 load_addr =
1864 fixed_addr.GetOffset(); // "fixed_addr" doesn't have a section, so
1865 // its offset is the load address
1866 section_load_list.ResolveLoadAddress(load_addr, resolved_addr);
1867 }
1868 }
1869 if (!resolved_addr.IsValid())
1870 resolved_addr = fixed_addr;
1871
1872 // If we read from the file cache but can't get as many bytes as requested,
1873 // we keep the result around in this buffer, in case this result is the
1874 // best we can do.
1875 std::unique_ptr<uint8_t[]> file_cache_read_buffer;
1876 size_t file_cache_bytes_read = 0;
1877
1878 // Read from file cache if read-only section.
1879 if (!force_live_memory && resolved_addr.IsSectionOffset()) {
1880 SectionSP section_sp(resolved_addr.GetSection());
1881 if (section_sp) {
1882 auto permissions = Flags(section_sp->GetPermissions());
1883 bool is_readonly = !permissions.Test(ePermissionsWritable) &&
1884 permissions.Test(ePermissionsReadable);
1885 if (is_readonly) {
1886 file_cache_bytes_read =
1887 ReadMemoryFromFileCache(resolved_addr, dst, dst_len, error);
1888 if (file_cache_bytes_read == dst_len)
1889 return file_cache_bytes_read;
1890 else if (file_cache_bytes_read > 0) {
1891 file_cache_read_buffer =
1892 std::make_unique<uint8_t[]>(file_cache_bytes_read);
1893 std::memcpy(file_cache_read_buffer.get(), dst, file_cache_bytes_read);
1894 }
1895 }
1896 }
1897 }
1898
1899 if (ProcessIsValid()) {
1900 if (load_addr == LLDB_INVALID_ADDRESS)
1901 load_addr = resolved_addr.GetLoadAddress(this);
1902
1903 if (load_addr == LLDB_INVALID_ADDRESS) {
1904 ModuleSP addr_module_sp(resolved_addr.GetModule());
1905 if (addr_module_sp && addr_module_sp->GetFileSpec())
1906 error.SetErrorStringWithFormatv(
1907 "{0:F}[{1:x+}] can't be resolved, {0:F} is not currently loaded",
1908 addr_module_sp->GetFileSpec(), resolved_addr.GetFileAddress());
1909 else
1910 error.SetErrorStringWithFormat("0x%" PRIx64 " can't be resolved",
1911 resolved_addr.GetFileAddress());
1912 } else {
1913 bytes_read = m_process_sp->ReadMemory(load_addr, dst, dst_len, error);
1914 if (bytes_read != dst_len) {
1915 if (error.Success()) {
1916 if (bytes_read == 0)
1917 error.SetErrorStringWithFormat(
1918 "read memory from 0x%" PRIx64 " failed", load_addr);
1919 else
1920 error.SetErrorStringWithFormat(
1921 "only %" PRIu64 " of %" PRIu64
1922 " bytes were read from memory at 0x%" PRIx64,
1923 (uint64_t)bytes_read, (uint64_t)dst_len, load_addr);
1924 }
1925 }
1926 if (bytes_read) {
1927 if (load_addr_ptr)
1928 *load_addr_ptr = load_addr;
1929 return bytes_read;
1930 }
1931 }
1932 }
1933
1934 if (file_cache_read_buffer && file_cache_bytes_read > 0) {
1935 // Reading from the process failed. If we've previously succeeded in reading
1936 // something from the file cache, then copy that over and return that.
1937 std::memcpy(dst, file_cache_read_buffer.get(), file_cache_bytes_read);
1938 return file_cache_bytes_read;
1939 }
1940
1941 if (!file_cache_read_buffer && resolved_addr.IsSectionOffset()) {
1942 // If we didn't already try and read from the object file cache, then try
1943 // it after failing to read from the process.
1944 return ReadMemoryFromFileCache(resolved_addr, dst, dst_len, error);
1945 }
1946 return 0;
1947}
1948
1949size_t Target::ReadCStringFromMemory(const Address &addr, std::string &out_str,
1950 Status &error, bool force_live_memory) {
1951 char buf[256];
1952 out_str.clear();
1953 addr_t curr_addr = addr.GetLoadAddress(this);
1954 Address address(addr);
1955 while (true) {
1956 size_t length = ReadCStringFromMemory(address, buf, sizeof(buf), error,
1957 force_live_memory);
1958 if (length == 0)
1959 break;
1960 out_str.append(buf, length);
1961 // If we got "length - 1" bytes, we didn't get the whole C string, we need
1962 // to read some more characters
1963 if (length == sizeof(buf) - 1)
1964 curr_addr += length;
1965 else
1966 break;
1967 address = Address(curr_addr);
1968 }
1969 return out_str.size();
1970}
1971
1972size_t Target::ReadCStringFromMemory(const Address &addr, char *dst,
1973 size_t dst_max_len, Status &result_error,
1974 bool force_live_memory) {
1975 size_t total_cstr_len = 0;
1976 if (dst && dst_max_len) {
1977 result_error.Clear();
1978 // NULL out everything just to be safe
1979 memset(dst, 0, dst_max_len);
1980 Status error;
1981 addr_t curr_addr = addr.GetLoadAddress(this);
1982 Address address(addr);
1983
1984 // We could call m_process_sp->GetMemoryCacheLineSize() but I don't think
1985 // this really needs to be tied to the memory cache subsystem's cache line
1986 // size, so leave this as a fixed constant.
1987 const size_t cache_line_size = 512;
1988
1989 size_t bytes_left = dst_max_len - 1;
1990 char *curr_dst = dst;
1991
1992 while (bytes_left > 0) {
1993 addr_t cache_line_bytes_left =
1994 cache_line_size - (curr_addr % cache_line_size);
1995 addr_t bytes_to_read =
1996 std::min<addr_t>(bytes_left, cache_line_bytes_left);
1997 size_t bytes_read = ReadMemory(address, curr_dst, bytes_to_read, error,
1998 force_live_memory);
1999
2000 if (bytes_read == 0) {
2001 result_error = error;
2002 dst[total_cstr_len] = '\0';
2003 break;
2004 }
2005 const size_t len = strlen(curr_dst);
2006
2007 total_cstr_len += len;
2008
2009 if (len < bytes_to_read)
2010 break;
2011
2012 curr_dst += bytes_read;
2013 curr_addr += bytes_read;
2014 bytes_left -= bytes_read;
2015 address = Address(curr_addr);
2016 }
2017 } else {
2018 if (dst == nullptr)
2019 result_error.SetErrorString("invalid arguments");
2020 else
2021 result_error.Clear();
2022 }
2023 return total_cstr_len;
2024}
2025
2027 addr_t load_addr = addr.GetLoadAddress(this);
2028 if (load_addr != LLDB_INVALID_ADDRESS && m_process_sp) {
2029 // Avoid crossing cache line boundaries.
2030 addr_t cache_line_size = m_process_sp->GetMemoryCacheLineSize();
2031 return cache_line_size - (load_addr % cache_line_size);
2032 }
2033
2034 // The read is going to go to the file cache, so we can just pick a largish
2035 // value.
2036 return 0x1000;
2037}
2038
2039size_t Target::ReadStringFromMemory(const Address &addr, char *dst,
2040 size_t max_bytes, Status &error,
2041 size_t type_width, bool force_live_memory) {
2042 if (!dst || !max_bytes || !type_width || max_bytes < type_width)
2043 return 0;
2044
2045 size_t total_bytes_read = 0;
2046
2047 // Ensure a null terminator independent of the number of bytes that is
2048 // read.
2049 memset(dst, 0, max_bytes);
2050 size_t bytes_left = max_bytes - type_width;
2051
2052 const char terminator[4] = {'\0', '\0', '\0', '\0'};
2053 assert(sizeof(terminator) >= type_width && "Attempting to validate a "
2054 "string with more than 4 bytes "
2055 "per character!");
2056
2057 Address address = addr;
2058 char *curr_dst = dst;
2059
2060 error.Clear();
2061 while (bytes_left > 0 && error.Success()) {
2062 addr_t bytes_to_read =
2063 std::min<addr_t>(bytes_left, GetReasonableReadSize(address));
2064 size_t bytes_read =
2065 ReadMemory(address, curr_dst, bytes_to_read, error, force_live_memory);
2066
2067 if (bytes_read == 0)
2068 break;
2069
2070 // Search for a null terminator of correct size and alignment in
2071 // bytes_read
2072 size_t aligned_start = total_bytes_read - total_bytes_read % type_width;
2073 for (size_t i = aligned_start;
2074 i + type_width <= total_bytes_read + bytes_read; i += type_width)
2075 if (::memcmp(&dst[i], terminator, type_width) == 0) {
2076 error.Clear();
2077 return i;
2078 }
2079
2080 total_bytes_read += bytes_read;
2081 curr_dst += bytes_read;
2082 address.Slide(bytes_read);
2083 bytes_left -= bytes_read;
2084 }
2085 return total_bytes_read;
2086}
2087
2088size_t Target::ReadScalarIntegerFromMemory(const Address &addr, uint32_t byte_size,
2089 bool is_signed, Scalar &scalar,
2090 Status &error,
2091 bool force_live_memory) {
2092 uint64_t uval;
2093
2094 if (byte_size <= sizeof(uval)) {
2095 size_t bytes_read =
2096 ReadMemory(addr, &uval, byte_size, error, force_live_memory);
2097 if (bytes_read == byte_size) {
2098 DataExtractor data(&uval, sizeof(uval), m_arch.GetSpec().GetByteOrder(),
2100 lldb::offset_t offset = 0;
2101 if (byte_size <= 4)
2102 scalar = data.GetMaxU32(&offset, byte_size);
2103 else
2104 scalar = data.GetMaxU64(&offset, byte_size);
2105
2106 if (is_signed)
2107 scalar.SignExtend(byte_size * 8);
2108 return bytes_read;
2109 }
2110 } else {
2111 error.SetErrorStringWithFormat(
2112 "byte size of %u is too large for integer scalar type", byte_size);
2113 }
2114 return 0;
2115}
2116
2118 size_t integer_byte_size,
2119 uint64_t fail_value, Status &error,
2120 bool force_live_memory) {
2121 Scalar scalar;
2122 if (ReadScalarIntegerFromMemory(addr, integer_byte_size, false, scalar, error,
2123 force_live_memory))
2124 return scalar.ULongLong(fail_value);
2125 return fail_value;
2126}
2127
2129 Address &pointer_addr,
2130 bool force_live_memory) {
2131 Scalar scalar;
2133 false, scalar, error, force_live_memory)) {
2134 addr_t pointer_vm_addr = scalar.ULongLong(LLDB_INVALID_ADDRESS);
2135 if (pointer_vm_addr != LLDB_INVALID_ADDRESS) {
2136 SectionLoadList &section_load_list = GetSectionLoadList();
2137 if (section_load_list.IsEmpty()) {
2138 // No sections are loaded, so we must assume we are not running yet and
2139 // anything we are given is a file address.
2140 m_images.ResolveFileAddress(pointer_vm_addr, pointer_addr);
2141 } else {
2142 // We have at least one section loaded. This can be because we have
2143 // manually loaded some sections with "target modules load ..." or
2144 // because we have a live process that has sections loaded through
2145 // the dynamic loader
2146 section_load_list.ResolveLoadAddress(pointer_vm_addr, pointer_addr);
2147 }
2148 // We weren't able to resolve the pointer value, so just return an
2149 // address with no section
2150 if (!pointer_addr.IsValid())
2151 pointer_addr.SetOffset(pointer_vm_addr);
2152 return true;
2153 }
2154 }
2155 return false;
2156}
2157
2158ModuleSP Target::GetOrCreateModule(const ModuleSpec &module_spec, bool notify,
2159 Status *error_ptr) {
2160 ModuleSP module_sp;
2161
2162 Status error;
2163
2164 // First see if we already have this module in our module list. If we do,
2165 // then we're done, we don't need to consult the shared modules list. But
2166 // only do this if we are passed a UUID.
2167
2168 if (module_spec.GetUUID().IsValid())
2169 module_sp = m_images.FindFirstModule(module_spec);
2170
2171 if (!module_sp) {
2172 llvm::SmallVector<ModuleSP, 1>
2173 old_modules; // This will get filled in if we have a new version
2174 // of the library
2175 bool did_create_module = false;
2176 FileSpecList search_paths = GetExecutableSearchPaths();
2177 FileSpec symbol_file_spec;
2178
2179 // Call locate module callback if set. This allows users to implement their
2180 // own module cache system. For example, to leverage build system artifacts,
2181 // to bypass pulling files from remote platform, or to search symbol files
2182 // from symbol servers.
2183 if (m_platform_sp)
2184 m_platform_sp->CallLocateModuleCallbackIfSet(
2185 module_spec, module_sp, symbol_file_spec, &did_create_module);
2186
2187 // The result of this CallLocateModuleCallbackIfSet is one of the following.
2188 // 1. module_sp:loaded, symbol_file_spec:set
2189 // The callback found a module file and a symbol file for the
2190 // module_spec. We will call module_sp->SetSymbolFileFileSpec with
2191 // the symbol_file_spec later.
2192 // 2. module_sp:loaded, symbol_file_spec:empty
2193 // The callback only found a module file for the module_spec.
2194 // 3. module_sp:empty, symbol_file_spec:set
2195 // The callback only found a symbol file for the module. We continue
2196 // to find a module file for this module_spec and we will call
2197 // module_sp->SetSymbolFileFileSpec with the symbol_file_spec later.
2198 // 4. module_sp:empty, symbol_file_spec:empty
2199 // Platform does not exist, the callback is not set, the callback did
2200 // not find any module files nor any symbol files, the callback failed,
2201 // or something went wrong. We continue to find a module file for this
2202 // module_spec.
2203
2204 if (!module_sp) {
2205 // If there are image search path entries, try to use them to acquire a
2206 // suitable image.
2208 ModuleSpec transformed_spec(module_spec);
2209 ConstString transformed_dir;
2211 module_spec.GetFileSpec().GetDirectory(), transformed_dir)) {
2212 transformed_spec.GetFileSpec().SetDirectory(transformed_dir);
2213 transformed_spec.GetFileSpec().SetFilename(
2214 module_spec.GetFileSpec().GetFilename());
2215 error = ModuleList::GetSharedModule(transformed_spec, module_sp,
2216 &search_paths, &old_modules,
2217 &did_create_module);
2218 }
2219 }
2220 }
2221
2222 if (!module_sp) {
2223 // If we have a UUID, we can check our global shared module list in case
2224 // we already have it. If we don't have a valid UUID, then we can't since
2225 // the path in "module_spec" will be a platform path, and we will need to
2226 // let the platform find that file. For example, we could be asking for
2227 // "/usr/lib/dyld" and if we do not have a UUID, we don't want to pick
2228 // the local copy of "/usr/lib/dyld" since our platform could be a remote
2229 // platform that has its own "/usr/lib/dyld" in an SDK or in a local file
2230 // cache.
2231 if (module_spec.GetUUID().IsValid()) {
2232 // We have a UUID, it is OK to check the global module list...
2233 error =
2234 ModuleList::GetSharedModule(module_spec, module_sp, &search_paths,
2235 &old_modules, &did_create_module);
2236 }
2237
2238 if (!module_sp) {
2239 // The platform is responsible for finding and caching an appropriate
2240 // module in the shared module cache.
2241 if (m_platform_sp) {
2242 error = m_platform_sp->GetSharedModule(
2243 module_spec, m_process_sp.get(), module_sp, &search_paths,
2244 &old_modules, &did_create_module);
2245 } else {
2246 error.SetErrorString("no platform is currently set");
2247 }
2248 }
2249 }
2250
2251 // We found a module that wasn't in our target list. Let's make sure that
2252 // there wasn't an equivalent module in the list already, and if there was,
2253 // let's remove it.
2254 if (module_sp) {
2255 ObjectFile *objfile = module_sp->GetObjectFile();
2256 if (objfile) {
2257 switch (objfile->GetType()) {
2258 case ObjectFile::eTypeCoreFile: /// A core file that has a checkpoint of
2259 /// a program's execution state
2260 case ObjectFile::eTypeExecutable: /// A normal executable
2261 case ObjectFile::eTypeDynamicLinker: /// The platform's dynamic linker
2262 /// executable
2263 case ObjectFile::eTypeObjectFile: /// An intermediate object file
2264 case ObjectFile::eTypeSharedLibrary: /// A shared library that can be
2265 /// used during execution
2266 break;
2267 case ObjectFile::eTypeDebugInfo: /// An object file that contains only
2268 /// debug information
2269 if (error_ptr)
2270 error_ptr->SetErrorString("debug info files aren't valid target "
2271 "modules, please specify an executable");
2272 return ModuleSP();
2273 case ObjectFile::eTypeStubLibrary: /// A library that can be linked
2274 /// against but not used for
2275 /// execution
2276 if (error_ptr)
2277 error_ptr->SetErrorString("stub libraries aren't valid target "
2278 "modules, please specify an executable");
2279 return ModuleSP();
2280 default:
2281 if (error_ptr)
2282 error_ptr->SetErrorString(
2283 "unsupported file type, please specify an executable");
2284 return ModuleSP();
2285 }
2286 // GetSharedModule is not guaranteed to find the old shared module, for
2287 // instance in the common case where you pass in the UUID, it is only
2288 // going to find the one module matching the UUID. In fact, it has no
2289 // good way to know what the "old module" relevant to this target is,
2290 // since there might be many copies of a module with this file spec in
2291 // various running debug sessions, but only one of them will belong to
2292 // this target. So let's remove the UUID from the module list, and look
2293 // in the target's module list. Only do this if there is SOMETHING else
2294 // in the module spec...
2295 if (module_spec.GetUUID().IsValid() &&
2296 !module_spec.GetFileSpec().GetFilename().IsEmpty() &&
2297 !module_spec.GetFileSpec().GetDirectory().IsEmpty()) {
2298 ModuleSpec module_spec_copy(module_spec.GetFileSpec());
2299 module_spec_copy.GetUUID().Clear();
2300
2301 ModuleList found_modules;
2302 m_images.FindModules(module_spec_copy, found_modules);
2303 found_modules.ForEach([&](const ModuleSP &found_module) -> bool {
2304 old_modules.push_back(found_module);
2305 return true;
2306 });
2307 }
2308
2309 // If the locate module callback had found a symbol file, set it to the
2310 // module_sp before preloading symbols.
2311 if (symbol_file_spec)
2312 module_sp->SetSymbolFileFileSpec(symbol_file_spec);
2313
2314 // Preload symbols outside of any lock, so hopefully we can do this for
2315 // each library in parallel.
2316 if (GetPreloadSymbols())
2317 module_sp->PreloadSymbols();
2318 llvm::SmallVector<ModuleSP, 1> replaced_modules;
2319 for (ModuleSP &old_module_sp : old_modules) {
2320 if (m_images.GetIndexForModule(old_module_sp.get()) !=
2322 if (replaced_modules.empty())
2323 m_images.ReplaceModule(old_module_sp, module_sp);
2324 else
2325 m_images.Remove(old_module_sp);
2326
2327 replaced_modules.push_back(std::move(old_module_sp));
2328 }
2329 }
2330
2331 if (replaced_modules.size() > 1) {
2332 // The same new module replaced multiple old modules
2333 // simultaneously. It's not clear this should ever
2334 // happen (if we always replace old modules as we add
2335 // new ones, presumably we should never have more than
2336 // one old one). If there are legitimate cases where
2337 // this happens, then the ModuleList::Notifier interface
2338 // may need to be adjusted to allow reporting this.
2339 // In the meantime, just log that this has happened; just
2340 // above we called ReplaceModule on the first one, and Remove
2341 // on the rest.
2343 StreamString message;
2344 auto dump = [&message](Module &dump_module) -> void {
2345 UUID dump_uuid = dump_module.GetUUID();
2346
2347 message << '[';
2348 dump_module.GetDescription(message.AsRawOstream());
2349 message << " (uuid ";
2350
2351 if (dump_uuid.IsValid())
2352 dump_uuid.Dump(message);
2353 else
2354 message << "not specified";
2355
2356 message << ")]";
2357 };
2358
2359 message << "New module ";
2360 dump(*module_sp);
2361 message.AsRawOstream()
2362 << llvm::formatv(" simultaneously replaced {0} old modules: ",
2363 replaced_modules.size());
2364 for (ModuleSP &replaced_module_sp : replaced_modules)
2365 dump(*replaced_module_sp);
2366
2367 log->PutString(message.GetString());
2368 }
2369 }
2370
2371 if (replaced_modules.empty())
2372 m_images.Append(module_sp, notify);
2373
2374 for (ModuleSP &old_module_sp : replaced_modules) {
2375 Module *old_module_ptr = old_module_sp.get();
2376 old_module_sp.reset();
2378 }
2379 } else
2380 module_sp.reset();
2381 }
2382 }
2383 if (error_ptr)
2384 *error_ptr = error;
2385 return module_sp;
2386}
2387
2388TargetSP Target::CalculateTarget() { return shared_from_this(); }
2389
2391
2393
2395
2397 exe_ctx.Clear();
2398 exe_ctx.SetTargetPtr(this);
2399}
2400
2402 return m_image_search_paths;
2403}
2404
2406 void *baton) {
2407 Target *target = (Target *)baton;
2408 ModuleSP exe_module_sp(target->GetExecutableModule());
2409 if (exe_module_sp)
2410 target->SetExecutableModule(exe_module_sp, eLoadDependentsYes);
2411}
2412
2413llvm::Expected<lldb::TypeSystemSP>
2415 bool create_on_demand) {
2416 if (!m_valid)
2417 return llvm::make_error<llvm::StringError>("Invalid Target",
2418 llvm::inconvertibleErrorCode());
2419
2420 if (language == eLanguageTypeMipsAssembler // GNU AS and LLVM use it for all
2421 // assembly code
2422 || language == eLanguageTypeUnknown) {
2423 LanguageSet languages_for_expressions =
2425
2426 if (languages_for_expressions[eLanguageTypeC]) {
2427 language = eLanguageTypeC; // LLDB's default. Override by setting the
2428 // target language.
2429 } else {
2430 if (languages_for_expressions.Empty())
2431 return llvm::make_error<llvm::StringError>(
2432 "No expression support for any languages",
2433 llvm::inconvertibleErrorCode());
2434 language = (LanguageType)languages_for_expressions.bitvector.find_first();
2435 }
2436 }
2437
2439 create_on_demand);
2440}
2441
2443 const lldb_private::RegisterFlags &flags,
2444 uint32_t byte_size) {
2446 assert(provider);
2447 return provider->GetRegisterType(name, flags, byte_size);
2448}
2449
2450std::vector<lldb::TypeSystemSP>
2451Target::GetScratchTypeSystems(bool create_on_demand) {
2452 if (!m_valid)
2453 return {};
2454
2455 // Some TypeSystem instances are associated with several LanguageTypes so
2456 // they will show up several times in the loop below. The SetVector filters
2457 // out all duplicates as they serve no use for the caller.
2458 std::vector<lldb::TypeSystemSP> scratch_type_systems;
2459
2460 LanguageSet languages_for_expressions =
2462
2463 for (auto bit : languages_for_expressions.bitvector.set_bits()) {
2464 auto language = (LanguageType)bit;
2465 auto type_system_or_err =
2466 GetScratchTypeSystemForLanguage(language, create_on_demand);
2467 if (!type_system_or_err)
2469 GetLog(LLDBLog::Target), type_system_or_err.takeError(),
2470 "Language '{1}' has expression support but no scratch type "
2471 "system available: {0}",
2473 else
2474 if (auto ts = *type_system_or_err)
2475 scratch_type_systems.push_back(ts);
2476 }
2477
2478 std::sort(scratch_type_systems.begin(), scratch_type_systems.end());
2479 scratch_type_systems.erase(
2480 std::unique(scratch_type_systems.begin(), scratch_type_systems.end()),
2481 scratch_type_systems.end());
2482 return scratch_type_systems;
2483}
2484
2487 auto type_system_or_err = GetScratchTypeSystemForLanguage(language, true);
2488
2489 if (auto err = type_system_or_err.takeError()) {
2491 GetLog(LLDBLog::Target), std::move(err),
2492 "Unable to get persistent expression state for language {1}: {0}",
2494 return nullptr;
2495 }
2496
2497 if (auto ts = *type_system_or_err)
2498 return ts->GetPersistentExpressionState();
2499
2501 "Unable to get persistent expression state for language {1}: {0}",
2503 return nullptr;
2504}
2505
2507 llvm::StringRef expr, llvm::StringRef prefix, lldb::LanguageType language,
2508 Expression::ResultType desired_type,
2509 const EvaluateExpressionOptions &options, ValueObject *ctx_obj,
2510 Status &error) {
2511 auto type_system_or_err = GetScratchTypeSystemForLanguage(language);
2512 if (auto err = type_system_or_err.takeError()) {
2513 error.SetErrorStringWithFormat(
2514 "Could not find type system for language %s: %s",
2516 llvm::toString(std::move(err)).c_str());
2517 return nullptr;
2518 }
2519
2520 auto ts = *type_system_or_err;
2521 if (!ts) {
2522 error.SetErrorStringWithFormat(
2523 "Type system for language %s is no longer live",
2525 return nullptr;
2526 }
2527
2528 auto *user_expr = ts->GetUserExpression(expr, prefix, language, desired_type,
2529 options, ctx_obj);
2530 if (!user_expr)
2531 error.SetErrorStringWithFormat(
2532 "Could not create an expression for language %s",
2534
2535 return user_expr;
2536}
2537
2539 lldb::LanguageType language, const CompilerType &return_type,
2540 const Address &function_address, const ValueList &arg_value_list,
2541 const char *name, Status &error) {
2542 auto type_system_or_err = GetScratchTypeSystemForLanguage(language);
2543 if (auto err = type_system_or_err.takeError()) {
2544 error.SetErrorStringWithFormat(
2545 "Could not find type system for language %s: %s",
2547 llvm::toString(std::move(err)).c_str());
2548 return nullptr;
2549 }
2550 auto ts = *type_system_or_err;
2551 if (!ts) {
2552 error.SetErrorStringWithFormat(
2553 "Type system for language %s is no longer live",
2555 return nullptr;
2556 }
2557 auto *persistent_fn = ts->GetFunctionCaller(return_type, function_address,
2558 arg_value_list, name);
2559 if (!persistent_fn)
2560 error.SetErrorStringWithFormat(
2561 "Could not create an expression for language %s",
2563
2564 return persistent_fn;
2565}
2566
2567llvm::Expected<std::unique_ptr<UtilityFunction>>
2568Target::CreateUtilityFunction(std::string expression, std::string name,
2569 lldb::LanguageType language,
2570 ExecutionContext &exe_ctx) {
2571 auto type_system_or_err = GetScratchTypeSystemForLanguage(language);
2572 if (!type_system_or_err)
2573 return type_system_or_err.takeError();
2574 auto ts = *type_system_or_err;
2575 if (!ts)
2576 return llvm::make_error<llvm::StringError>(
2577 llvm::StringRef("Type system for language ") +
2579 llvm::StringRef(" is no longer live"),
2580 llvm::inconvertibleErrorCode());
2581 std::unique_ptr<UtilityFunction> utility_fn =
2582 ts->CreateUtilityFunction(std::move(expression), std::move(name));
2583 if (!utility_fn)
2584 return llvm::make_error<llvm::StringError>(
2585 llvm::StringRef("Could not create an expression for language") +
2587 llvm::inconvertibleErrorCode());
2588
2589 DiagnosticManager diagnostics;
2590 if (!utility_fn->Install(diagnostics, exe_ctx))
2591 return llvm::make_error<llvm::StringError>(diagnostics.GetString(),
2592 llvm::inconvertibleErrorCode());
2593
2594 return std::move(utility_fn);
2595}
2596
2598
2600
2603}
2604
2607}
2608
2611}
2612
2615 "setting target's default architecture to {0} ({1})",
2616 arch.GetArchitectureName(), arch.GetTriple().getTriple());
2618}
2619
2620llvm::Error Target::SetLabel(llvm::StringRef label) {
2621 size_t n = LLDB_INVALID_INDEX32;
2622 if (llvm::to_integer(label, n))
2623 return llvm::make_error<llvm::StringError>(
2624 "Cannot use integer as target label.", llvm::inconvertibleErrorCode());
2625 TargetList &targets = GetDebugger().GetTargetList();
2626 for (size_t i = 0; i < targets.GetNumTargets(); i++) {
2627 TargetSP target_sp = targets.GetTargetAtIndex(i);
2628 if (target_sp && target_sp->GetLabel() == label) {
2629 return llvm::make_error<llvm::StringError>(
2630 llvm::formatv(
2631 "Cannot use label '{0}' since it's set in target #{1}.", label,
2632 i),
2633 llvm::inconvertibleErrorCode());
2634 }
2635 }
2636
2637 m_label = label.str();
2638 return llvm::Error::success();
2639}
2640
2642 const SymbolContext *sc_ptr) {
2643 // The target can either exist in the "process" of ExecutionContext, or in
2644 // the "target_sp" member of SymbolContext. This accessor helper function
2645 // will get the target from one of these locations.
2646
2647 Target *target = nullptr;
2648 if (sc_ptr != nullptr)
2649 target = sc_ptr->target_sp.get();
2650 if (target == nullptr && exe_ctx_ptr)
2651 target = exe_ctx_ptr->GetTargetPtr();
2652 return target;
2653}
2654
2656 llvm::StringRef expr, ExecutionContextScope *exe_scope,
2657 lldb::ValueObjectSP &result_valobj_sp,
2658 const EvaluateExpressionOptions &options, std::string *fixed_expression,
2659 ValueObject *ctx_obj) {
2660 result_valobj_sp.reset();
2661
2662 ExpressionResults execution_results = eExpressionSetupError;
2663
2664 if (expr.empty()) {
2666 return execution_results;
2667 }
2668
2669 // We shouldn't run stop hooks in expressions.
2670 bool old_suppress_value = m_suppress_stop_hooks;
2671 m_suppress_stop_hooks = true;
2672 auto on_exit = llvm::make_scope_exit([this, old_suppress_value]() {
2673 m_suppress_stop_hooks = old_suppress_value;
2674 });
2675
2676 ExecutionContext exe_ctx;
2677
2678 if (exe_scope) {
2679 exe_scope->CalculateExecutionContext(exe_ctx);
2680 } else if (m_process_sp) {
2681 m_process_sp->CalculateExecutionContext(exe_ctx);
2682 } else {
2684 }
2685
2686 // Make sure we aren't just trying to see the value of a persistent variable
2687 // (something like "$0")
2688 // Only check for persistent variables the expression starts with a '$'
2689 lldb::ExpressionVariableSP persistent_var_sp;
2690 if (expr[0] == '$') {
2691 auto type_system_or_err =
2693 if (auto err = type_system_or_err.takeError()) {
2694 LLDB_LOG_ERROR(GetLog(LLDBLog::Target), std::move(err),
2695 "Unable to get scratch type system");
2696 } else {
2697 auto ts = *type_system_or_err;
2698 if (!ts)
2699 LLDB_LOG_ERROR(GetLog(LLDBLog::Target), std::move(err),
2700 "Scratch type system is no longer live: {0}");
2701 else
2702 persistent_var_sp =
2703 ts->GetPersistentExpressionState()->GetVariable(expr);
2704 }
2705 }
2706 if (persistent_var_sp) {
2707 result_valobj_sp = persistent_var_sp->GetValueObject();
2708 execution_results = eExpressionCompleted;
2709 } else {
2710 llvm::StringRef prefix = GetExpressionPrefixContents();
2711 Status error;
2712 execution_results = UserExpression::Evaluate(exe_ctx, options, expr, prefix,
2713 result_valobj_sp, error,
2714 fixed_expression, ctx_obj);
2715 // Pass up the error by wrapping it inside an error result.
2716 if (error.Fail() && !result_valobj_sp)
2717 result_valobj_sp = ValueObjectConstResult::Create(
2718 exe_ctx.GetBestExecutionContextScope(), error);
2719 }
2720
2721 if (execution_results == eExpressionCompleted)
2723 else
2725 return execution_results;
2726}
2727
2729 lldb::ExpressionVariableSP variable_sp;
2731 [name, &variable_sp](TypeSystemSP type_system) -> bool {
2732 auto ts = type_system.get();
2733 if (!ts)
2734 return true;
2735 if (PersistentExpressionState *persistent_state =
2736 ts->GetPersistentExpressionState()) {
2737 variable_sp = persistent_state->GetVariable(name);
2738
2739 if (variable_sp)
2740 return false; // Stop iterating the ForEach
2741 }
2742 return true; // Keep iterating the ForEach
2743 });
2744 return variable_sp;
2745}
2746
2749
2751 [name, &address](lldb::TypeSystemSP type_system) -> bool {
2752 auto ts = type_system.get();
2753 if (!ts)
2754 return true;
2755
2756 if (PersistentExpressionState *persistent_state =
2757 ts->GetPersistentExpressionState()) {
2758 address = persistent_state->LookupSymbol(name);
2759 if (address != LLDB_INVALID_ADDRESS)
2760 return false; // Stop iterating the ForEach
2761 }
2762 return true; // Keep iterating the ForEach
2763 });
2764 return address;
2765}
2766
2767llvm::Expected<lldb_private::Address> Target::GetEntryPointAddress() {
2768 Module *exe_module = GetExecutableModulePointer();
2769
2770 // Try to find the entry point address in the primary executable.
2771 const bool has_primary_executable = exe_module && exe_module->GetObjectFile();
2772 if (has_primary_executable) {
2773 Address entry_addr = exe_module->GetObjectFile()->GetEntryPointAddress();
2774 if (entry_addr.IsValid())
2775 return entry_addr;
2776 }
2777
2778 const ModuleList &modules = GetImages();
2779 const size_t num_images = modules.GetSize();
2780 for (size_t idx = 0; idx < num_images; ++idx) {
2781 ModuleSP module_sp(modules.GetModuleAtIndex(idx));
2782 if (!module_sp || !module_sp->GetObjectFile())
2783 continue;
2784
2785 Address entry_addr = module_sp->GetObjectFile()->GetEntryPointAddress();
2786 if (entry_addr.IsValid())
2787 return entry_addr;
2788 }
2789
2790 // We haven't found the entry point address. Return an appropriate error.
2791 if (!has_primary_executable)
2792 return llvm::make_error<llvm::StringError>(
2793 "No primary executable found and could not find entry point address in "
2794 "any executable module",
2795 llvm::inconvertibleErrorCode());
2796
2797 return llvm::make_error<llvm::StringError>(
2798 "Could not find entry point address for primary executable module \"" +
2799 exe_module->GetFileSpec().GetFilename().GetStringRef() + "\"",
2800 llvm::inconvertibleErrorCode());
2801}
2802
2804 AddressClass addr_class) const {
2805 auto arch_plugin = GetArchitecturePlugin();
2806 return arch_plugin
2807 ? arch_plugin->GetCallableLoadAddress(load_addr, addr_class)
2808 : load_addr;
2809}
2810
2812 AddressClass addr_class) const {
2813 auto arch_plugin = GetArchitecturePlugin();
2814 return arch_plugin ? arch_plugin->GetOpcodeLoadAddress(load_addr, addr_class)
2815 : load_addr;
2816}
2817
2819 auto arch_plugin = GetArchitecturePlugin();
2820 return arch_plugin ? arch_plugin->GetBreakableLoadAddress(addr, *this) : addr;
2821}
2822
2825 m_source_manager_up = std::make_unique<SourceManager>(shared_from_this());
2826 return *m_source_manager_up;
2827}
2828
2831 Target::StopHookSP stop_hook_sp;
2832 switch (kind) {
2834 stop_hook_sp.reset(new StopHookCommandLine(shared_from_this(), new_uid));
2835 break;
2837 stop_hook_sp.reset(new StopHookScripted(shared_from_this(), new_uid));
2838 break;
2839 }
2840 m_stop_hooks[new_uid] = stop_hook_sp;
2841 return stop_hook_sp;
2842}
2843
2845 if (!RemoveStopHookByID(user_id))
2846 return;
2847 if (user_id == m_stop_hook_next_id)
2849}
2850
2852 size_t num_removed = m_stop_hooks.erase(user_id);
2853 return (num_removed != 0);
2854}
2855
2857
2859 StopHookSP found_hook;
2860
2861 StopHookCollection::iterator specified_hook_iter;
2862 specified_hook_iter = m_stop_hooks.find(user_id);
2863 if (specified_hook_iter != m_stop_hooks.end())
2864 found_hook = (*specified_hook_iter).second;
2865 return found_hook;
2866}
2867
2869 bool active_state) {
2870 StopHookCollection::iterator specified_hook_iter;
2871 specified_hook_iter = m_stop_hooks.find(user_id);
2872 if (specified_hook_iter == m_stop_hooks.end())
2873 return false;
2874
2875 (*specified_hook_iter).second->SetIsActive(active_state);
2876 return true;
2877}
2878
2879void Target::SetAllStopHooksActiveState(bool active_state) {
2880 StopHookCollection::iterator pos, end = m_stop_hooks.end();
2881 for (pos = m_stop_hooks.begin(); pos != end; pos++) {
2882 (*pos).second->SetIsActive(active_state);
2883 }
2884}
2885
2888 return false;
2889
2890 if (!m_process_sp)
2891 return false;
2892
2893 // Somebody might have restarted the process:
2894 // Still return false, the return value is about US restarting the target.
2895 if (m_process_sp->GetState() != eStateStopped)
2896 return false;
2897
2898 if (m_stop_hooks.empty())
2899 return false;
2900
2901 // If there aren't any active stop hooks, don't bother either.
2902 bool any_active_hooks = false;
2903 for (auto hook : m_stop_hooks) {
2904 if (hook.second->IsActive()) {
2905 any_active_hooks = true;
2906 break;
2907 }
2908 }
2909 if (!any_active_hooks)
2910 return false;
2911
2912 // Make sure we check that we are not stopped because of us running a user
2913 // expression since in that case we do not want to run the stop-hooks. Note,
2914 // you can't just check whether the last stop was for a User Expression,
2915 // because breakpoint commands get run before stop hooks, and one of them
2916 // might have run an expression. You have to ensure you run the stop hooks
2917 // once per natural stop.
2918 uint32_t last_natural_stop = m_process_sp->GetModIDRef().GetLastNaturalStopID();
2919 if (last_natural_stop != 0 && m_latest_stop_hook_id == last_natural_stop)
2920 return false;
2921
2922 m_latest_stop_hook_id = last_natural_stop;
2923
2924 std::vector<ExecutionContext> exc_ctx_with_reasons;
2925
2926 ThreadList &cur_threadlist = m_process_sp->GetThreadList();
2927 size_t num_threads = cur_threadlist.GetSize();
2928 for (size_t i = 0; i < num_threads; i++) {
2929 lldb::ThreadSP cur_thread_sp = cur_threadlist.GetThreadAtIndex(i);
2930 if (cur_thread_sp->ThreadStoppedForAReason()) {
2931 lldb::StackFrameSP cur_frame_sp = cur_thread_sp->GetStackFrameAtIndex(0);
2932 exc_ctx_with_reasons.emplace_back(m_process_sp.get(), cur_thread_sp.get(),
2933 cur_frame_sp.get());
2934 }
2935 }
2936
2937 // If no threads stopped for a reason, don't run the stop-hooks.
2938 size_t num_exe_ctx = exc_ctx_with_reasons.size();
2939 if (num_exe_ctx == 0)
2940 return false;
2941
2943
2944 bool auto_continue = false;
2945 bool hooks_ran = false;
2946 bool print_hook_header = (m_stop_hooks.size() != 1);
2947 bool print_thread_header = (num_exe_ctx != 1);
2948 bool should_stop = false;
2949 bool somebody_restarted = false;
2950
2951 for (auto stop_entry : m_stop_hooks) {
2952 StopHookSP cur_hook_sp = stop_entry.second;
2953 if (!cur_hook_sp->IsActive())
2954 continue;
2955
2956 bool any_thread_matched = false;
2957 for (auto exc_ctx : exc_ctx_with_reasons) {
2958 // We detect somebody restarted in the stop-hook loop, and broke out of
2959 // that loop back to here. So break out of here too.
2960 if (somebody_restarted)
2961 break;
2962
2963 if (!cur_hook_sp->ExecutionContextPasses(exc_ctx))
2964 continue;
2965
2966 // We only consult the auto-continue for a stop hook if it matched the
2967 // specifier.
2968 auto_continue |= cur_hook_sp->GetAutoContinue();
2969
2970 if (!hooks_ran)
2971 hooks_ran = true;
2972
2973 if (print_hook_header && !any_thread_matched) {
2974 StreamString s;
2975 cur_hook_sp->GetDescription(s, eDescriptionLevelBrief);
2976 if (s.GetSize() != 0)
2977 output_sp->Printf("\n- Hook %" PRIu64 " (%s)\n", cur_hook_sp->GetID(),
2978 s.GetData());
2979 else
2980 output_sp->Printf("\n- Hook %" PRIu64 "\n", cur_hook_sp->GetID());
2981 any_thread_matched = true;
2982 }
2983
2984 if (print_thread_header)
2985 output_sp->Printf("-- Thread %d\n",
2986 exc_ctx.GetThreadPtr()->GetIndexID());
2987
2988 StopHook::StopHookResult this_result =
2989 cur_hook_sp->HandleStop(exc_ctx, output_sp);
2990 bool this_should_stop = true;
2991
2992 switch (this_result) {
2994 // If this hook is set to auto-continue that should override the
2995 // HandleStop result...
2996 if (cur_hook_sp->GetAutoContinue())
2997 this_should_stop = false;
2998 else
2999 this_should_stop = true;
3000
3001 break;
3003 this_should_stop = false;
3004 break;
3006 // We don't have a good way to prohibit people from restarting the
3007 // target willy nilly in a stop hook. If the hook did so, give a
3008 // gentle suggestion here and bag out if the hook processing.
3009 output_sp->Printf("\nAborting stop hooks, hook %" PRIu64
3010 " set the program running.\n"
3011 " Consider using '-G true' to make "
3012 "stop hooks auto-continue.\n",
3013 cur_hook_sp->GetID());
3014 somebody_restarted = true;
3015 break;
3016 }
3017 // If we're already restarted, stop processing stop hooks.
3018 // FIXME: if we are doing non-stop mode for real, we would have to
3019 // check that OUR thread was restarted, otherwise we should keep
3020 // processing stop hooks.
3021 if (somebody_restarted)
3022 break;
3023
3024 // If anybody wanted to stop, we should all stop.
3025 if (!should_stop)
3026 should_stop = this_should_stop;
3027 }
3028 }
3029
3030 output_sp->Flush();
3031
3032 // If one of the commands in the stop hook already restarted the target,
3033 // report that fact.
3034 if (somebody_restarted)
3035 return true;
3036
3037 // Finally, if auto-continue was requested, do it now:
3038 // We only compute should_stop against the hook results if a hook got to run
3039 // which is why we have to do this conjoint test.
3040 if ((hooks_ran && !should_stop) || auto_continue) {
3041 Log *log = GetLog(LLDBLog::Process);
3042 Status error = m_process_sp->PrivateResume();
3043 if (error.Success()) {
3044 LLDB_LOG(log, "Resuming from RunStopHooks");
3045 return true;
3046 } else {
3047 LLDB_LOG(log, "Resuming from RunStopHooks failed: {0}", error);
3048 return false;
3049 }
3050 }
3051
3052 return false;
3053}
3054
3056 // NOTE: intentional leak so we don't crash if global destructor chain gets
3057 // called as other threads still use the result of this function
3058 static TargetProperties *g_settings_ptr =
3059 new TargetProperties(nullptr);
3060 return *g_settings_ptr;
3061}
3062
3064 Status error;
3065 PlatformSP platform_sp(GetPlatform());
3066 if (platform_sp) {
3067 if (platform_sp->IsRemote()) {
3068 if (platform_sp->IsConnected()) {
3069 // Install all files that have an install path when connected to a
3070 // remote platform. If target.auto-install-main-executable is set then
3071 // also install the main executable even if it does not have an explicit
3072 // install path specified.
3073 const ModuleList &modules = GetImages();
3074 const size_t num_images = modules.GetSize();
3075 for (size_t idx = 0; idx < num_images; ++idx) {
3076 ModuleSP module_sp(modules.GetModuleAtIndex(idx));
3077 if (module_sp) {
3078 const bool is_main_executable = module_sp == GetExecutableModule();
3079 FileSpec local_file(module_sp->GetFileSpec());
3080 if (local_file) {
3081 FileSpec remote_file(module_sp->GetRemoteInstallFileSpec());
3082 if (!remote_file) {
3083 if (is_main_executable && GetAutoInstallMainExecutable()) {
3084 // Automatically install the main executable.
3085 remote_file = platform_sp->GetRemoteWorkingDirectory();
3086 remote_file.AppendPathComponent(
3087 module_sp->GetFileSpec().GetFilename().GetCString());
3088 }
3089 }
3090 if (remote_file) {
3091 error = platform_sp->Install(local_file, remote_file);
3092 if (error.Success()) {
3093 module_sp->SetPlatformFileSpec(remote_file);
3094 if (is_main_executable) {
3095 platform_sp->SetFilePermissions(remote_file, 0700);
3096 if (launch_info)
3097 launch_info->SetExecutableFile(remote_file, false);
3098 }
3099 } else
3100 break;
3101 }
3102 }
3103 }
3104 }
3105 }
3106 }
3107 }
3108 return error;
3109}
3110
3112 uint32_t stop_id) {
3113 return m_section_load_history.ResolveLoadAddress(stop_id, load_addr, so_addr);
3114}
3115
3117 Address &resolved_addr) {
3118 return m_images.ResolveFileAddress(file_addr, resolved_addr);
3119}
3120
3122 addr_t new_section_load_addr,
3123 bool warn_multiple) {
3124 const addr_t old_section_load_addr =
3126 SectionLoadHistory::eStopIDNow, section_sp);
3127 if (old_section_load_addr != new_section_load_addr) {
3128 uint32_t stop_id = 0;
3129 ProcessSP process_sp(GetProcessSP());
3130 if (process_sp)
3131 stop_id = process_sp->GetStopID();
3132 else
3135 stop_id, section_sp, new_section_load_addr, warn_multiple))
3136 return true; // Return true if the section load address was changed...
3137 }
3138 return false; // Return false to indicate nothing changed
3139}
3140
3141size_t Target::UnloadModuleSections(const ModuleList &module_list) {
3142 size_t section_unload_count = 0;
3143 size_t num_modules = module_list.GetSize();
3144 for (size_t i = 0; i < num_modules; ++i) {
3145 section_unload_count +=
3146 UnloadModuleSections(module_list.GetModuleAtIndex(i));
3147 }
3148 return section_unload_count;
3149}
3150
3152 uint32_t stop_id = 0;
3153 ProcessSP process_sp(GetProcessSP());
3154 if (process_sp)
3155 stop_id = process_sp->GetStopID();
3156 else
3158 SectionList *sections = module_sp->GetSectionList();
3159 size_t section_unload_count = 0;
3160 if (sections) {
3161 const uint32_t num_sections = sections->GetNumSections(0);
3162 for (uint32_t i = 0; i < num_sections; ++i) {
3163 section_unload_count += m_section_load_history.SetSectionUnloaded(
3164 stop_id, sections->GetSectionAtIndex(i));
3165 }
3166 }
3167 return section_unload_count;
3168}
3169
3171 uint32_t stop_id = 0;
3172 ProcessSP process_sp(GetProcessSP());
3173 if (process_sp)
3174 stop_id = process_sp->GetStopID();
3175 else
3177 return m_section_load_history.SetSectionUnloaded(stop_id, section_sp);
3178}
3179
3181 addr_t load_addr) {
3182 uint32_t stop_id = 0;
3183 ProcessSP process_sp(GetProcessSP());
3184 if (process_sp)
3185 stop_id = process_sp->GetStopID();
3186 else
3188 return m_section_load_history.SetSectionUnloaded(stop_id, section_sp,
3189 load_addr);
3190}
3191
3193
3195 if (process_info.IsScriptedProcess()) {
3196 // Only copy scripted process launch options.
3197 ProcessLaunchInfo &default_launch_info = const_cast<ProcessLaunchInfo &>(
3199 default_launch_info.SetProcessPluginName("ScriptedProcess");
3200 default_launch_info.SetScriptedMetadata(process_info.GetScriptedMetadata());
3201 SetProcessLaunchInfo(default_launch_info);
3202 }
3203}
3204
3207 Status error;
3208 Log *log = GetLog(LLDBLog::Target);
3209
3210 LLDB_LOGF(log, "Target::%s() called for %s", __FUNCTION__,
3211 launch_info.GetExecutableFile().GetPath().c_str());
3212
3213 StateType state = eStateInvalid;
3214
3215 // Scope to temporarily get the process state in case someone has manually
3216 // remotely connected already to a process and we can skip the platform
3217 // launching.
3218 {
3219 ProcessSP process_sp(GetProcessSP());
3220
3221 if (process_sp) {
3222 state = process_sp->GetState();
3223 LLDB_LOGF(log,
3224 "Target::%s the process exists, and its current state is %s",
3225 __FUNCTION__, StateAsCString(state));
3226 } else {
3227 LLDB_LOGF(log, "Target::%s the process instance doesn't currently exist.",
3228 __FUNCTION__);
3229 }
3230 }
3231
3232 launch_info.GetFlags().Set(eLaunchFlagDebug);
3233
3234 SaveScriptedLaunchInfo(launch_info);
3235
3236 // Get the value of synchronous execution here. If you wait till after you
3237 // have started to run, then you could have hit a breakpoint, whose command
3238 // might switch the value, and then you'll pick up that incorrect value.
3239 Debugger &debugger = GetDebugger();
3240 const bool synchronous_execution =
3242
3243 PlatformSP platform_sp(GetPlatform());
3244
3245 FinalizeFileActions(launch_info);
3246
3247 if (state == eStateConnected) {
3248 if (launch_info.GetFlags().Test(eLaunchFlagLaunchInTTY)) {
3249 error.SetErrorString(
3250 "can't launch in tty when launching through a remote connection");
3251 return error;
3252 }
3253 }
3254
3255 if (!launch_info.GetArchitecture().IsValid())
3256 launch_info.GetArchitecture() = GetArchitecture();
3257
3258 // Hijacking events of the process to be created to be sure that all events
3259 // until the first stop are intercepted (in case if platform doesn't define
3260 // its own hijacking listener or if the process is created by the target
3261 // manually, without the platform).
3262 if (!launch_info.GetHijackListener())
3265
3266 // If we're not already connected to the process, and if we have a platform
3267 // that can launch a process for debugging, go ahead and do that here.
3268 if (state != eStateConnected && platform_sp &&
3269 platform_sp->CanDebugProcess() && !launch_info.IsScriptedProcess()) {
3270 LLDB_LOGF(log, "Target::%s asking the platform to debug the process",
3271 __FUNCTION__);
3272
3273 // If there was a previous process, delete it before we make the new one.
3274 // One subtle point, we delete the process before we release the reference
3275 // to m_process_sp. That way even if we are the last owner, the process
3276 // will get Finalized before it gets destroyed.
3278
3279 m_process_sp =
3280 GetPlatform()->DebugProcess(launch_info, debugger, *this, error);
3281
3282 } else {
3283 LLDB_LOGF(log,
3284 "Target::%s the platform doesn't know how to debug a "
3285 "process, getting a process plugin to do this for us.",
3286 __FUNCTION__);
3287
3288 if (state == eStateConnected) {
3289 assert(m_process_sp);
3290 } else {
3291 // Use a Process plugin to construct the process.
3292 CreateProcess(launch_info.GetListener(),
3293 launch_info.GetProcessPluginName(), nullptr, false);
3294 }
3295
3296 // Since we didn't have a platform launch the process, launch it here.
3297 if (m_process_sp) {
3298 m_process_sp->HijackProcessEvents(launch_info.GetHijackListener());
3299 m_process_sp->SetShadowListener(launch_info.GetShadowListener());
3300 error = m_process_sp->Launch(launch_info);
3301 }
3302 }
3303
3304 if (!m_process_sp && error.Success())
3305 error.SetErrorString("failed to launch or debug process");
3306
3307 if (!error.Success())
3308 return error;
3309
3310 bool rebroadcast_first_stop =
3311 !synchronous_execution &&
3312 launch_info.GetFlags().Test(eLaunchFlagStopAtEntry);
3313
3314 assert(launch_info.GetHijackListener());
3315
3316 EventSP first_stop_event_sp;
3317 state = m_process_sp->WaitForProcessToStop(std::nullopt, &first_stop_event_sp,
3318 rebroadcast_first_stop,
3319 launch_info.GetHijackListener());
3320 m_process_sp->RestoreProcessEvents();
3321
3322 if (rebroadcast_first_stop) {
3323 assert(first_stop_event_sp);
3324 m_process_sp->BroadcastEvent(first_stop_event_sp);
3325 return error;
3326 }
3327
3328 switch (state) {
3329 case eStateStopped: {
3330 if (launch_info.GetFlags().Test(eLaunchFlagStopAtEntry))
3331 break;
3332 if (synchronous_execution)
3333 // Now we have handled the stop-from-attach, and we are just
3334 // switching to a synchronous resume. So we should switch to the
3335 // SyncResume hijacker.
3336 m_process_sp->ResumeSynchronous(stream);
3337 else
3338 error = m_process_sp->Resume();
3339 if (!error.Success()) {
3340 Status error2;
3342 "process resume at entry point failed: %s", error.AsCString());
3343 error = error2;
3344 }
3345 } break;
3346 case eStateExited: {
3347 bool with_shell = !!launch_info.GetShell();
3348 const int exit_status = m_process_sp->GetExitStatus();
3349 const char *exit_desc = m_process_sp->GetExitDescription();
3350 std::string desc;
3351 if (exit_desc && exit_desc[0])
3352 desc = " (" + std::string(exit_desc) + ')';
3353 if (with_shell)
3354 error.SetErrorStringWithFormat(
3355 "process exited with status %i%s\n"
3356 "'r' and 'run' are aliases that default to launching through a "
3357 "shell.\n"
3358 "Try launching without going through a shell by using "
3359 "'process launch'.",
3360 exit_status, desc.c_str());
3361 else
3362 error.SetErrorStringWithFormat("process exited with status %i%s",
3363 exit_status, desc.c_str());
3364 } break;
3365 default:
3366 error.SetErrorStringWithFormat("initial process state wasn't stopped: %s",
3367 StateAsCString(state));
3368 break;
3369 }
3370 return error;
3371}
3372
3373void Target::SetTrace(const TraceSP &trace_sp) { m_trace_sp = trace_sp; }
3374
3376
3377llvm::Expected<TraceSP> Target::CreateTrace() {
3378 if (!m_process_sp)
3379 return llvm::createStringError(llvm::inconvertibleErrorCode(),
3380 "A process is required for tracing");
3381 if (m_trace_sp)
3382 return llvm::createStringError(llvm::inconvertibleErrorCode(),
3383 "A trace already exists for the target");
3384
3385 llvm::Expected<TraceSupportedResponse> trace_type =
3386 m_process_sp->TraceSupported();
3387 if (!trace_type)
3388 return llvm::createStringError(
3389 llvm::inconvertibleErrorCode(), "Tracing is not supported. %s",
3390 llvm::toString(trace_type.takeError()).c_str());
3391 if (llvm::Expected<TraceSP> trace_sp =
3393 m_trace_sp = *trace_sp;
3394 else
3395 return llvm::createStringError(
3396 llvm::inconvertibleErrorCode(),
3397 "Couldn't create a Trace object for the process. %s",
3398 llvm::toString(trace_sp.takeError()).c_str());
3399 return m_trace_sp;
3400}
3401
3402llvm::Expected<TraceSP> Target::GetTraceOrCreate() {
3403 if (m_trace_sp)
3404 return m_trace_sp;
3405 return CreateTrace();
3406}
3407
3410 auto state = eStateInvalid;
3411 auto process_sp = GetProcessSP();
3412 if (process_sp) {
3413 state = process_sp->GetState();
3414 if (process_sp->IsAlive() && state != eStateConnected) {
3415 if (state == eStateAttaching)
3416 return Status("process attach is in progress");
3417 return Status("a process is already being debugged");
3418 }
3419 }
3420
3421 const ModuleSP old_exec_module_sp = GetExecutableModule();
3422
3423 // If no process info was specified, then use the target executable name as
3424 // the process to attach to by default
3425 if (!attach_info.ProcessInfoSpecified()) {
3426 if (old_exec_module_sp)
3427 attach_info.GetExecutableFile().SetFilename(
3428 old_exec_module_sp->GetPlatformFileSpec().GetFilename());
3429
3430 if (!attach_info.ProcessInfoSpecified()) {
3431 return Status("no process specified, create a target with a file, or "
3432 "specify the --pid or --name");
3433 }
3434 }
3435
3436 const auto platform_sp =
3438 ListenerSP hijack_listener_sp;
3439 const bool async = attach_info.GetAsync();
3440 if (!async) {
3441 hijack_listener_sp = Listener::MakeListener(
3443 attach_info.SetHijackListener(hijack_listener_sp);
3444 }
3445
3446 Status error;
3447 if (state != eStateConnected && platform_sp != nullptr &&
3448 platform_sp->CanDebugProcess() && !attach_info.IsScriptedProcess()) {
3449 SetPlatform(platform_sp);
3450 process_sp = platform_sp->Attach(attach_info, GetDebugger(), this, error);
3451 } else {
3452 if (state != eStateConnected) {
3453 SaveScriptedLaunchInfo(attach_info);
3454 llvm::StringRef plugin_name = attach_info.GetProcessPluginName();
3455 process_sp =
3457 plugin_name, nullptr, false);
3458 if (!process_sp) {
3459 error.SetErrorStringWithFormatv(
3460 "failed to create process using plugin '{0}'",
3461 plugin_name.empty() ? "<empty>" : plugin_name);
3462 return error;
3463 }
3464 }
3465 if (hijack_listener_sp)
3466 process_sp->HijackProcessEvents(hijack_listener_sp);
3467 error = process_sp->Attach(attach_info);
3468 }
3469
3470 if (error.Success() && process_sp) {
3471 if (async) {
3472 process_sp->RestoreProcessEvents();
3473 } else {
3474 // We are stopping all the way out to the user, so update selected frames.
3475 state = process_sp->WaitForProcessToStop(
3476 std::nullopt, nullptr, false, attach_info.GetHijackListener(), stream,
3478 process_sp->RestoreProcessEvents();
3479
3480 if (state != eStateStopped) {
3481 const char *exit_desc = process_sp->GetExitDescription();
3482 if (exit_desc)
3483 error.SetErrorStringWithFormat("%s", exit_desc);
3484 else
3485 error.SetErrorString(
3486 "process did not stop (no such process or permission problem?)");
3487 process_sp->Destroy(false);
3488 }
3489 }
3490 }
3491 return error;
3492}
3493
3495 Log *log = GetLog(LLDBLog::Process);
3496
3497 // Finalize the file actions, and if none were given, default to opening up a
3498 // pseudo terminal
3499 PlatformSP platform_sp = GetPlatform();
3500 const bool default_to_use_pty =
3501 m_platform_sp ? m_platform_sp->IsHost() : false;
3502 LLDB_LOG(
3503 log,
3504 "have platform={0}, platform_sp->IsHost()={1}, default_to_use_pty={2}",
3505 bool(platform_sp),
3506 platform_sp ? (platform_sp->IsHost() ? "true" : "false") : "n/a",
3507 default_to_use_pty);
3508
3509 // If nothing for stdin or stdout or stderr was specified, then check the
3510 // process for any default settings that were set with "settings set"
3511 if (info.GetFileActionForFD(STDIN_FILENO) == nullptr ||
3512 info.GetFileActionForFD(STDOUT_FILENO) == nullptr ||
3513 info.GetFileActionForFD(STDERR_FILENO) == nullptr) {
3514 LLDB_LOG(log, "at least one of stdin/stdout/stderr was not set, evaluating "
3515 "default handling");
3516
3517 if (info.GetFlags().Test(eLaunchFlagLaunchInTTY)) {
3518 // Do nothing, if we are launching in a remote terminal no file actions
3519 // should be done at all.
3520 return;
3521 }
3522
3523 if (info.GetFlags().Test(eLaunchFlagDisableSTDIO)) {
3524 LLDB_LOG(log, "eLaunchFlagDisableSTDIO set, adding suppression action "
3525 "for stdin, stdout and stderr");
3526 info.AppendSuppressFileAction(STDIN_FILENO, true, false);
3527 info.AppendSuppressFileAction(STDOUT_FILENO, false, true);
3528 info.AppendSuppressFileAction(STDERR_FILENO, false, true);
3529 } else {
3530 // Check for any values that might have gotten set with any of: (lldb)
3531 // settings set target.input-path (lldb) settings set target.output-path
3532 // (lldb) settings set target.error-path
3533 FileSpec in_file_spec;
3534 FileSpec out_file_spec;
3535 FileSpec err_file_spec;
3536 // Only override with the target settings if we don't already have an
3537 // action for in, out or error
3538 if (info.GetFileActionForFD(STDIN_FILENO) == nullptr)
3539 in_file_spec = GetStandardInputPath();
3540 if (info.GetFileActionForFD(STDOUT_FILENO) == nullptr)
3541 out_file_spec = GetStandardOutputPath();
3542 if (info.GetFileActionForFD(STDERR_FILENO) == nullptr)
3543 err_file_spec = GetStandardErrorPath();
3544
3545 LLDB_LOG(log, "target stdin='{0}', target stdout='{1}', stderr='{1}'",
3546 in_file_spec, out_file_spec, err_file_spec);
3547
3548 if (in_file_spec) {
3549 info.AppendOpenFileAction(STDIN_FILENO, in_file_spec, true, false);
3550 LLDB_LOG(log, "appended stdin open file action for {0}", in_file_spec);
3551 }
3552
3553 if (out_file_spec) {
3554 info.AppendOpenFileAction(STDOUT_FILENO, out_file_spec, false, true);
3555 LLDB_LOG(log, "appended stdout open file action for {0}",
3556 out_file_spec);
3557 }
3558
3559 if (err_file_spec) {
3560 info.AppendOpenFileAction(STDERR_FILENO, err_file_spec, false, true);
3561 LLDB_LOG(log, "appended stderr open file action for {0}",
3562 err_file_spec);
3563 }
3564
3565 if (default_to_use_pty) {
3566 llvm::Error Err = info.SetUpPtyRedirection();
3567 LLDB_LOG_ERROR(log, std::move(Err), "SetUpPtyRedirection failed: {0}");
3568 }
3569 }
3570 }
3571}
3572
3573void Target::AddDummySignal(llvm::StringRef name, LazyBool pass, LazyBool notify,
3574 LazyBool stop) {
3575 if (name.empty())
3576 return;
3577 // Don't add a signal if all the actions are trivial:
3578 if (pass == eLazyBoolCalculate && notify == eLazyBoolCalculate
3579 && stop == eLazyBoolCalculate)
3580 return;
3581
3582 auto& elem = m_dummy_signals[name];
3583 elem.pass = pass;
3584 elem.notify = notify;
3585 elem.stop = stop;
3586}
3587
3589 const DummySignalElement &elem) {
3590 if (!signals_sp)
3591 return false;
3592
3593 int32_t signo
3594 = signals_sp->GetSignalNumberFromName(elem.first().str().c_str());
3595 if (signo == LLDB_INVALID_SIGNAL_NUMBER)
3596 return false;
3597
3598 if (elem.second.pass == eLazyBoolYes)
3599 signals_sp->SetShouldSuppress(signo, false);
3600 else if (elem.second.pass == eLazyBoolNo)
3601 signals_sp->SetShouldSuppress(signo, true);
3602
3603 if (elem.second.notify == eLazyBoolYes)
3604 signals_sp->SetShouldNotify(signo, true);
3605 else if (elem.second.notify == eLazyBoolNo)
3606 signals_sp->SetShouldNotify(signo, false);
3607
3608 if (elem.second.stop == eLazyBoolYes)
3609 signals_sp->SetShouldStop(signo, true);
3610 else if (elem.second.stop == eLazyBoolNo)
3611 signals_sp->SetShouldStop(signo, false);
3612 return true;
3613}
3614
3616 const DummySignalElement &elem) {
3617 if (!signals_sp)
3618 return false;
3619 int32_t signo
3620 = signals_sp->GetSignalNumberFromName(elem.first().str().c_str());
3621 if (signo == LLDB_INVALID_SIGNAL_NUMBER)
3622 return false;
3623 bool do_pass = elem.second.pass != eLazyBoolCalculate;
3624 bool do_stop = elem.second.stop != eLazyBoolCalculate;
3625 bool do_notify = elem.second.notify != eLazyBoolCalculate;
3626 signals_sp->ResetSignal(signo, do_stop, do_notify, do_pass);
3627 return true;
3628}
3629
3631 StreamSP warning_stream_sp) {
3632 if (!signals_sp)
3633 return;
3634
3635 for (const auto &elem : m_dummy_signals) {
3636 if (!UpdateSignalFromDummy(signals_sp, elem))
3637 warning_stream_sp->Printf("Target signal '%s' not found in process\n",
3638 elem.first().str().c_str());
3639 }
3640}
3641
3642void Target::ClearDummySignals(Args &signal_names) {
3643 ProcessSP process_sp = GetProcessSP();
3644 // The simplest case, delete them all with no process to update.
3645 if (signal_names.GetArgumentCount() == 0 && !process_sp) {
3646 m_dummy_signals.clear();
3647 return;
3648 }
3649 UnixSignalsSP signals_sp;
3650 if (process_sp)
3651 signals_sp = process_sp->GetUnixSignals();
3652
3653 for (const Args::ArgEntry &entry : signal_names) {
3654 const char *signal_name = entry.c_str();
3655 auto elem = m_dummy_signals.find(signal_name);
3656 // If we didn't find it go on.
3657 // FIXME: Should I pipe error handling through here?
3658 if (elem == m_dummy_signals.end()) {
3659 continue;
3660 }
3661 if (signals_sp)
3662 ResetSignalFromDummy(signals_sp, *elem);
3663 m_dummy_signals.erase(elem);
3664 }
3665}
3666
3667void Target::PrintDummySignals(Stream &strm, Args &signal_args) {
3668 strm.Printf("NAME PASS STOP NOTIFY\n");
3669 strm.Printf("=========== ======= ======= =======\n");
3670
3671 auto str_for_lazy = [] (LazyBool lazy) -> const char * {
3672 switch (lazy) {
3673 case eLazyBoolCalculate: return "not set";
3674 case eLazyBoolYes: return "true ";
3675 case eLazyBoolNo: return "false ";
3676 }
3677 llvm_unreachable("Fully covered switch above!");
3678 };
3679 size_t num_args = signal_args.GetArgumentCount();
3680 for (const auto &elem : m_dummy_signals) {
3681 bool print_it = false;
3682 for (size_t idx = 0; idx < num_args; idx++) {
3683 if (elem.first() == signal_args.GetArgumentAtIndex(idx)) {
3684 print_it = true;
3685 break;
3686 }
3687 }
3688 if (print_it) {
3689 strm.Printf("%-11s ", elem.first().str().c_str());
3690 strm.Printf("%s %s %s\n", str_for_lazy(elem.second.pass),
3691 str_for_lazy(elem.second.stop),
3692 str_for_lazy(elem.second.notify));
3693 }
3694 }
3695}
3696
3697// Target::StopHook
3699 : UserID(uid), m_target_sp(target_sp), m_specifier_sp(),
3700 m_thread_spec_up() {}
3701
3703 : UserID(rhs.GetID()), m_target_sp(rhs.m_target_sp),
3704 m_specifier_sp(rhs.m_specifier_sp), m_thread_spec_up(),
3705 m_active(rhs.m_active), m_auto_continue(rhs.m_auto_continue) {
3706 if (rhs.m_thread_spec_up)
3707 m_thread_spec_up = std::make_unique<ThreadSpec>(*rhs.m_thread_spec_up);
3708}
3709
3711 m_specifier_sp.reset(specifier);
3712}
3713
3715 m_thread_spec_up.reset(specifier);
3716}
3717
3719 SymbolContextSpecifier *specifier = GetSpecifier();
3720 if (!specifier)
3721 return true;
3722
3723 bool will_run = true;
3724 if (exc_ctx.GetFramePtr())
3725 will_run = GetSpecifier()->SymbolContextMatches(
3726 exc_ctx.GetFramePtr()->GetSymbolContext(eSymbolContextEverything));
3727 if (will_run && GetThreadSpecifier() != nullptr)
3728 will_run =
3729 GetThreadSpecifier()->ThreadPassesBasicTests(exc_ctx.GetThreadRef());
3730
3731 return will_run;
3732}
3733
3735 lldb::DescriptionLevel level) const {
3736
3737 // For brief descriptions, only print the subclass description:
3738 if (level == eDescriptionLevelBrief) {
3739 GetSubclassDescription(s, level);
3740 return;
3741 }
3742
3743 unsigned indent_level = s.GetIndentLevel();
3744
3745 s.SetIndentLevel(indent_level + 2);
3746
3747 s.Printf("Hook: %" PRIu64 "\n", GetID());
3748 if (m_active)
3749 s.Indent("State: enabled\n");
3750 else
3751 s.Indent("State: disabled\n");
3752
3753 if (m_auto_continue)
3754 s.Indent("AutoContinue on\n");
3755
3756 if (m_specifier_sp) {
3757 s.Indent();
3758 s.PutCString("Specifier:\n");
3759 s.SetIndentLevel(indent_level + 4);
3760 m_specifier_sp->GetDescription(&s, level);
3761 s.SetIndentLevel(indent_level + 2);
3762 }
3763
3764 if (m_thread_spec_up) {
3765 StreamString tmp;
3766 s.Indent("Thread:\n");
3767 m_thread_spec_up->GetDescription(&tmp, level);
3768 s.SetIndentLevel(indent_level + 4);
3769 s.Indent(tmp.GetString());
3770 s.PutCString("\n");
3771 s.SetIndentLevel(indent_level + 2);
3772 }
3773 GetSubclassDescription(s, level);
3774}
3775
3777 Stream &s, lldb::DescriptionLevel level) const {
3778 // The brief description just prints the first command.
3779 if (level == eDescriptionLevelBrief) {
3780 if (m_commands.GetSize() == 1)
3781 s.PutCString(m_commands.GetStringAtIndex(0));
3782 return;
3783 }
3784 s.Indent("Commands: \n");
3785 s.SetIndentLevel(s.GetIndentLevel() + 4);
3786 uint32_t num_commands = m_commands.GetSize();
3787 for (uint32_t i = 0; i < num_commands; i++) {
3788 s.Indent(m_commands.GetStringAtIndex(i));
3789 s.PutCString("\n");
3790 }
3791 s.SetIndentLevel(s.GetIndentLevel() - 4);
3792}
3793
3794// Target::StopHookCommandLine
3796 GetCommands().SplitIntoLines(string);
3797}
3798
3800 const std::vector<std::string> &strings) {
3801 for (auto string : strings)
3802 GetCommands().AppendString(string.c_str());
3803}
3804
3807 StreamSP output_sp) {
3808 assert(exc_ctx.GetTargetPtr() && "Can't call PerformAction on a context "
3809 "with no target");
3810
3811 if (!m_commands.GetSize())
3812 return StopHookResult::KeepStopped;
3813
3814 CommandReturnObject result(false);
3815 result.SetImmediateOutputStream(output_sp);
3816 result.SetInteractive(false);
3817 Debugger &debugger = exc_ctx.GetTargetPtr()->GetDebugger();
3819 options.SetStopOnContinue(true);
3820 options.SetStopOnError(true);
3821 options.SetEchoCommands(false);
3822 options.SetPrintResults(true);
3823 options.SetPrintErrors(true);
3824 options.SetAddToHistory(false);
3825
3826 // Force Async:
3827 bool old_async = debugger.GetAsyncExecution();
3828 debugger.SetAsyncExecution(true);
3829 debugger.GetCommandInterpreter().HandleCommands(GetCommands(), exc_ctx,
3830 options, result);
3831 debugger.SetAsyncExecution(old_async);
3832 lldb::ReturnStatus status = result.GetStatus();
3835 return StopHookResult::AlreadyContinued;
3836 return StopHookResult::KeepStopped;
3837}
3838
3839// Target::StopHookScripted
3841 std::string class_name, StructuredData::ObjectSP extra_args_sp) {
3842 Status error;
3843
3844 ScriptInterpreter *script_interp =
3845 GetTarget()->GetDebugger().GetScriptInterpreter();
3846 if (!script_interp) {
3847 error.SetErrorString("No script interpreter installed.");
3848 return error;
3849 }
3850
3851 m_class_name = class_name;
3852 m_extra_args.SetObjectSP(extra_args_sp);
3853
3854 m_implementation_sp = script_interp->CreateScriptedStopHook(
3855 GetTarget(), m_class_name.c_str(), m_extra_args, error);
3856
3857 return error;
3858}
3859
3862 StreamSP output_sp) {
3863 assert(exc_ctx.GetTargetPtr() && "Can't call HandleStop on a context "
3864 "with no target");
3865
3866 ScriptInterpreter *script_interp =
3867 GetTarget()->GetDebugger().GetScriptInterpreter();
3868 if (!script_interp)
3869 return StopHookResult::KeepStopped;
3870
3871 bool should_stop = script_interp->ScriptedStopHookHandleStop(
3872 m_implementation_sp, exc_ctx, output_sp);
3873
3874 return should_stop ? StopHookResult::KeepStopped
3875 : StopHookResult::RequestContinue;
3876}
3877
3879 Stream &s, lldb::DescriptionLevel level) const {
3880 if (level == eDescriptionLevelBrief) {
3881 s.PutCString(m_class_name);
3882 return;
3883 }
3884 s.Indent("Class:");
3885 s.Printf("%s\n", m_class_name.c_str());
3886
3887 // Now print the extra args:
3888 // FIXME: We should use StructuredData.GetDescription on the m_extra_args
3889 // but that seems to rely on some printing plugin that doesn't exist.
3890 if (!m_extra_args.IsValid())
3891 return;
3892 StructuredData::ObjectSP object_sp = m_extra_args.GetObjectSP();
3893 if (!object_sp || !object_sp->IsValid())
3894 return;
3895
3896 StructuredData::Dictionary *as_dict = object_sp->GetAsDictionary();
3897 if (!as_dict || !as_dict->IsValid())
3898 return;
3899
3900 uint32_t num_keys = as_dict->GetSize();
3901 if (num_keys == 0)
3902 return;
3903
3904 s.Indent("Args:\n");
3905 s.SetIndentLevel(s.GetIndentLevel() + 4);
3906
3907 auto print_one_element = [&s](llvm::StringRef key,
3908 StructuredData::Object *object) {
3909 s.Indent();
3910 s.Format("{0} : {1}\n", key, object->GetStringValue());
3911 return true;
3912 };
3913
3914 as_dict->ForEach(print_one_element);
3915
3916 s.SetIndentLevel(s.GetIndentLevel() - 4);
3917}
3918
3920 {
3922 "no-dynamic-values",
3923 "Don't calculate the dynamic type of values",
3924 },
3925 {
3927 "run-target",
3928 "Calculate the dynamic type of values "
3929 "even if you have to run the target.",
3930 },
3931 {
3933 "no-run-target",
3934 "Calculate the dynamic type of values, but don't run the target.",
3935 },
3936};
3937
3940}
3941
3943 {
3945 "never",
3946 "Never look for inline breakpoint locations (fastest). This setting "
3947 "should only be used if you know that no inlining occurs in your"
3948 "programs.",
3949 },
3950 {
3952 "headers",
3953 "Only check for inline breakpoint locations when setting breakpoints "
3954 "in header files, but not when setting breakpoint in implementation "
3955 "source files (default).",
3956 },
3957 {
3959 "always",
3960 "Always look for inline breakpoint locations when setting file and "
3961 "line breakpoints (slower but most accurate).",
3962 },
3963};
3964
3970
3972 {
3974 "default",
3975 "Disassembler default (currently att).",
3976 },
3977 {
3979 "intel",
3980 "Intel disassembler flavor.",
3981 },
3982 {
3984 "att",
3985 "AT&T disassembler flavor.",
3986 },
3987};
3988
3990 {
3992 "false",
3993 "Never import the 'std' C++ module in the expression parser.",
3994 },
3995 {
3997 "fallback",
3998 "Retry evaluating expressions with an imported 'std' C++ module if they"
3999 " failed to parse without the module. This allows evaluating more "
4000 "complex expressions involving C++ standard library types."
4001 },
4002 {
4004 "true",
4005 "Always import the 'std' C++ module. This allows evaluating more "
4006 "complex expressions involving C++ standard library types. This feature"
4007 " is experimental."
4008 },
4009};
4010
4011static constexpr OptionEnumValueElement
4013 {
4015 "auto",
4016 "Automatically determine the most appropriate method for the "
4017 "target OS.",
4018 },
4019 {eDynamicClassInfoHelperRealizedClassesStruct, "RealizedClassesStruct",
4020 "Prefer using the realized classes struct."},
4021 {eDynamicClassInfoHelperCopyRealizedClassList, "CopyRealizedClassList",
4022 "Prefer using the CopyRealizedClassList API."},
4023 {eDynamicClassInfoHelperGetRealizedClassList, "GetRealizedClassList",
4024 "Prefer using the GetRealizedClassList API."},
4025};
4026
4028 {
4030 "c",
4031 "C-style (0xffff).",
4032 },
4033 {
4035 "asm",
4036 "Asm-style (0ffffh).",
4037 },
4038};
4039
4041 {
4043 "true",
4044 "Load debug scripts inside symbol files",
4045 },
4046 {
4048 "false",
4049 "Do not load debug scripts inside symbol files.",
4050 },
4051 {
4053 "warn",
4054 "Warn about debug scripts inside symbol files but do not load them.",
4055 },
4056};
4057
4059 {
4061 "true",
4062 "Load .lldbinit files from current directory",
4063 },
4064 {
4066 "false",
4067 "Do not load .lldbinit files from current directory",
4068 },
4069 {
4071 "warn",
4072 "Warn about loading .lldbinit files from current directory",
4073 },
4074};
4075
4077 {
4079 "minimal",
4080 "Load minimal information when loading modules from memory. Currently "
4081 "this setting loads sections only.",
4082 },
4083 {
4085 "partial",
4086 "Load partial information when loading modules from memory. Currently "
4087 "this setting loads sections and function bounds.",
4088 },
4089 {
4091 "complete",
4092 "Load complete information when loading modules from memory. Currently "
4093 "this setting loads sections and all symbols.",
4094 },
4095};
4096
4097#define LLDB_PROPERTIES_target
4098#include "TargetProperties.inc"
4099
4100enum {
4101#define LLDB_PROPERTIES_target
4102#include "TargetPropertiesEnum.inc"
4104};
4105
4107 : public Cloneable<TargetOptionValueProperties, OptionValueProperties> {
4108public:
4109 TargetOptionValueProperties(llvm::StringRef name) : Cloneable(name) {}
4110
4111 const Property *
4113 const ExecutionContext *exe_ctx = nullptr) const override {
4114 // When getting the value for a key from the target options, we will always
4115 // try and grab the setting from the current target if there is one. Else
4116 // we just use the one from this instance.
4117 if (exe_ctx) {
4118 Target *target = exe_ctx->GetTargetPtr();
4119 if (target) {
4120 TargetOptionValueProperties *target_properties =
4121 static_cast<TargetOptionValueProperties *>(
4122 target->GetValueProperties().get());
4123 if (this != target_properties)
4124 return target_properties->ProtectedGetPropertyAtIndex(idx);
4125 }
4126 }
4127 return ProtectedGetPropertyAtIndex(idx);
4128 }
4129};
4130
4131// TargetProperties
4132#define LLDB_PROPERTIES_target_experimental
4133#include "TargetProperties.inc"
4134
4135enum {
4136#define LLDB_PROPERTIES_target_experimental
4137#include "TargetPropertiesEnum.inc"
4138};
4139
4141 : public Cloneable<TargetExperimentalOptionValueProperties,
4142 OptionValueProperties> {
4143public:
4145 : Cloneable(Properties::GetExperimentalSettingsName()) {}
4146};
4147
4151 m_collection_sp->Initialize(g_target_experimental_properties);
4152}
4153
4154// TargetProperties
4156 : Properties(), m_launch_info(), m_target(target) {
4157 if (target) {
4160
4161 // Set callbacks to update launch_info whenever "settins set" updated any
4162 // of these properties
4163 m_collection_sp->SetValueChangedCallback(
4164 ePropertyArg0, [this] { Arg0ValueChangedCallback(); });
4165 m_collection_sp->SetValueChangedCallback(
4166 ePropertyRunArgs, [this] { RunArgsValueChangedCallback(); });
4167 m_collection_sp->SetValueChangedCallback(
4168 ePropertyEnvVars, [this] { EnvVarsValueChangedCallback(); });
4169 m_collection_sp->SetValueChangedCallback(
4170 ePropertyUnsetEnvVars, [this] { EnvVarsValueChangedCallback(); });
4171 m_collection_sp->SetValueChangedCallback(
4172 ePropertyInheritEnv, [this] { EnvVarsValueChangedCallback(); });
4173 m_collection_sp->SetValueChangedCallback(
4174 ePropertyInputPath, [this] { InputPathValueChangedCallback(); });
4175 m_collection_sp->SetValueChangedCallback(
4176 ePropertyOutputPath, [this] { OutputPathValueChangedCallback(); });
4177 m_collection_sp->SetValueChangedCallback(
4178 ePropertyErrorPath, [this] { ErrorPathValueChangedCallback(); });
4179 m_collection_sp->SetValueChangedCallback(ePropertyDetachOnError, [this] {
4181 });
4182 m_collection_sp->SetValueChangedCallback(
4183 ePropertyDisableASLR, [this] { DisableASLRValueChangedCallback(); });
4184 m_collection_sp->SetValueChangedCallback(
4185 ePropertyInheritTCC, [this] { InheritTCCValueChangedCallback(); });
4186 m_collection_sp->SetValueChangedCallback(
4187 ePropertyDisableSTDIO, [this] { DisableSTDIOValueChangedCallback(); });
4188
4189 m_collection_sp->SetValueChangedCallback(
4190 ePropertySaveObjectsDir, [this] { CheckJITObjectsDir(); });
4192 std::make_unique<TargetExperimentalProperties>();
4193 m_collection_sp->AppendProperty(
4195 "Experimental settings - setting these won't produce "
4196 "errors if the setting is not present.",
4197 true, m_experimental_properties_up->GetValueProperties());
4198 } else {
4199 m_collection_sp = std::make_shared<TargetOptionValueProperties>("target");
4200 m_collection_sp->Initialize(g_target_properties);
4202 std::make_unique<TargetExperimentalProperties>();
4203 m_collection_sp->AppendProperty(
4205 "Experimental settings - setting these won't produce "
4206 "errors if the setting is not present.",
4207 true, m_experimental_properties_up->GetValueProperties());
4208 m_collection_sp->AppendProperty(
4209 "process", "Settings specific to processes.", true,
4211 m_collection_sp->SetValueChangedCallback(
4212 ePropertySaveObjectsDir, [this] { CheckJITObjectsDir(); });
4213 }
4214}
4215
4217
4229}
4230
4232 size_t prop_idx, ExecutionContext *exe_ctx) const {
4233 const Property *exp_property =
4234 m_collection_sp->GetPropertyAtIndex(ePropertyExperimental, exe_ctx);
4235 OptionValueProperties *exp_values =
4236 exp_property->GetValue()->GetAsProperties();
4237 if (exp_values)
4238 return exp_values->GetPropertyAtIndexAs<bool>(prop_idx, exe_ctx);
4239 return std::nullopt;
4240}
4241
4243 ExecutionContext *exe_ctx) const {
4244 return GetExperimentalPropertyValue(ePropertyInjectLocalVars, exe_ctx)
4245 .value_or(true);
4246}
4247
4249 const uint32_t idx = ePropertyDefaultArch;
4250 return GetPropertyAtIndexAs<ArchSpec>(idx, {});
4251}
4252
4254 const uint32_t idx = ePropertyDefaultArch;
4255 SetPropertyAtIndex(idx, arch);
4256}
4257
4259 const uint32_t idx = ePropertyMoveToNearestCode;
4260 return GetPropertyAtIndexAs<bool>(
4261 idx, g_target_properties[idx].default_uint_value != 0);
4262}
4263
4265 const uint32_t idx = ePropertyPreferDynamic;
4266 return GetPropertyAtIndexAs<lldb::DynamicValueType>(
4267 idx, static_cast<lldb::DynamicValueType>(
4268 g_target_properties[idx].default_uint_value));
4269}
4270
4272 const uint32_t idx = ePropertyPreferDynamic;
4273 return SetPropertyAtIndex(idx, d);
4274}
4275
4278 "Interrupted checking preload symbols")) {
4279 return false;
4280 }
4281 const uint32_t idx = ePropertyPreloadSymbols;
4282 return GetPropertyAtIndexAs<bool>(
4283 idx, g_target_properties[idx].default_uint_value != 0);
4284}
4285
4287 const uint32_t idx = ePropertyPreloadSymbols;
4288 SetPropertyAtIndex(idx, b);
4289}
4290
4292 const uint32_t idx = ePropertyDisableASLR;
4293 return GetPropertyAtIndexAs<bool>(
4294 idx, g_target_properties[idx].default_uint_value != 0);
4295}
4296
4298 const uint32_t idx = ePropertyDisableASLR;
4299 SetPropertyAtIndex(idx, b);
4300}
4301
4303 const uint32_t idx = ePropertyInheritTCC;
4304 return GetPropertyAtIndexAs<bool>(
4305 idx, g_target_properties[idx].default_uint_value != 0);
4306}
4307
4309 const uint32_t idx = ePropertyInheritTCC;
4310 SetPropertyAtIndex(idx, b);
4311}
4312
4314 const uint32_t idx = ePropertyDetachOnError;
4315 return GetPropertyAtIndexAs<bool>(
4316 idx, g_target_properties[idx].default_uint_value != 0);
4317}
4318
4320 const uint32_t idx = ePropertyDetachOnError;
4321 SetPropertyAtIndex(idx, b);
4322}
4323
4325 const uint32_t idx = ePropertyDisableSTDIO;
4326 return GetPropertyAtIndexAs<bool>(
4327 idx, g_target_properties[idx].default_uint_value != 0);
4328}
4329
4331 const uint32_t idx = ePropertyDisableSTDIO;
4332 SetPropertyAtIndex(idx, b);
4333}
4334
4336 const uint32_t idx = ePropertyDisassemblyFlavor;
4337 const char *return_value;
4338
4339 x86DisassemblyFlavor flavor_value =
4340 GetPropertyAtIndexAs<x86DisassemblyFlavor>(
4341 idx, static_cast<x86DisassemblyFlavor>(
4342 g_target_properties[idx].default_uint_value));
4343
4344 return_value = g_x86_dis_flavor_value_types[flavor_value].string_value;
4345 return return_value;
4346}
4347
4349 const uint32_t idx = ePropertyInlineStrategy;
4350 return GetPropertyAtIndexAs<InlineStrategy>(
4351 idx,
4352 static_cast<InlineStrategy>(g_target_properties[idx].default_uint_value));
4353}
4354
4355llvm::StringRef TargetProperties::GetArg0() const {
4356 const uint32_t idx = ePropertyArg0;
4357 return GetPropertyAtIndexAs<llvm::StringRef>(
4358 idx, g_target_properties[idx].default_cstr_value);
4359}
4360
4361void TargetProperties::SetArg0(llvm::StringRef arg) {
4362 const uint32_t idx = ePropertyArg0;
4363 SetPropertyAtIndex(idx, arg);
4365}
4366
4368 const uint32_t idx = ePropertyRunArgs;
4369 return m_collection_sp->GetPropertyAtIndexAsArgs(idx, args);
4370}
4371
4373 const uint32_t idx = ePropertyRunArgs;
4374 m_collection_sp->SetPropertyAtIndexFromArgs(idx, args);
4375 m_launch_info.GetArguments() = args;
4376}
4377
4379 Environment env;
4380
4381 if (m_target &&
4382 GetPropertyAtIndexAs<bool>(
4383 ePropertyInheritEnv,
4384 g_target_properties[ePropertyInheritEnv].default_uint_value != 0)) {
4385 if (auto platform_sp = m_target->GetPlatform()) {
4386 Environment platform_env = platform_sp->GetEnvironment();
4387 for (const auto &KV : platform_env)
4388 env[KV.first()] = KV.second;
4389 }
4390 }
4391
4392 Args property_unset_env;
4393 m_collection_sp->GetPropertyAtIndexAsArgs(ePropertyUnsetEnvVars,
4394 property_unset_env);
4395 for (const auto &var : property_unset_env)
4396 env.erase(var.ref());
4397
4398 Args property_env;
4399 m_collection_sp->GetPropertyAtIndexAsArgs(ePropertyEnvVars, property_env);
4400 for (const auto &KV : Environment(property_env))
4401 env[KV.first()] = KV.second;
4402
4403 return env;
4404}
4405
4407 return ComputeEnvironment();
4408}
4409
4411 Environment environment;
4412
4413 if (m_target == nullptr)
4414 return environment;
4415
4416 if (!GetPropertyAtIndexAs<bool>(
4417 ePropertyInheritEnv,
4418 g_target_properties[ePropertyInheritEnv].default_uint_value != 0))
4419 return environment;
4420
4421 PlatformSP platform_sp = m_target->GetPlatform();
4422 if (platform_sp == nullptr)
4423 return environment;
4424
4425 Environment platform_environment = platform_sp->GetEnvironment();
4426 for (const auto &KV : platform_environment)
4427 environment[KV.first()] = KV.second;
4428
4429 Args property_unset_environment;
4430 m_collection_sp->GetPropertyAtIndexAsArgs(ePropertyUnsetEnvVars,
4431 property_unset_environment);
4432 for (const auto &var : property_unset_environment)
4433 environment.erase(var.ref());
4434
4435 return environment;
4436}
4437
4439 Args property_environment;
4440 m_collection_sp->GetPropertyAtIndexAsArgs(ePropertyEnvVars,
4441 property_environment);
4442 Environment environment;
4443 for (const auto &KV : Environment(property_environment))
4444 environment[KV.first()] = KV.second;
4445
4446 return environment;
4447}
4448
4450 // TODO: Get rid of the Args intermediate step
4451 const uint32_t idx = ePropertyEnvVars;
4452 m_collection_sp->SetPropertyAtIndexFromArgs(idx, Args(env));
4453}
4454
4456 const uint32_t idx = ePropertySkipPrologue;
4457 return GetPropertyAtIndexAs<bool>(
4458 idx, g_target_properties[idx].default_uint_value != 0);
4459}
4460
4462 const uint32_t idx = ePropertySourceMap;
4463 OptionValuePathMappings *option_value =
4464 m_collection_sp->GetPropertyAtIndexAsOptionValuePathMappings(idx);
4465 assert(option_value);
4466 return option_value->GetCurrentValue();
4467}
4468
4470 const uint32_t idx = ePropertyAutoSourceMapRelative;
4471 return GetPropertyAtIndexAs<bool>(
4472 idx, g_target_properties[idx].default_uint_value != 0);
4473}
4474
4476 const uint32_t idx = ePropertyExecutableSearchPaths;
4477 OptionValueFileSpecList *option_value =
4478 m_collection_sp->GetPropertyAtIndexAsOptionValueFileSpecList(idx);
4479 assert(option_value);
4480 option_value->AppendCurrentValue(dir);
4481}
4482
4484 const uint32_t idx = ePropertyExecutableSearchPaths;
4485 return GetPropertyAtIndexAs<FileSpecList>(idx, {});
4486}
4487
4489 const uint32_t idx = ePropertyDebugFileSearchPaths;
4490 return GetPropertyAtIndexAs<FileSpecList>(idx, {});
4491}
4492
4494 const uint32_t idx = ePropertyClangModuleSearchPaths;
4495 return GetPropertyAtIndexAs<FileSpecList>(idx, {});
4496}
4497
4499 const uint32_t idx = ePropertyAutoImportClangModules;
4500 return GetPropertyAtIndexAs<bool>(
4501 idx, g_target_properties[idx].default_uint_value != 0);
4502}
4503
4505 const uint32_t idx = ePropertyImportStdModule;
4506 return GetPropertyAtIndexAs<ImportStdModule>(
4507 idx, static_cast<ImportStdModule>(
4508 g_target_properties[idx].default_uint_value));
4509}
4510
4512 const uint32_t idx = ePropertyDynamicClassInfoHelper;
4513 return GetPropertyAtIndexAs<DynamicClassInfoHelper>(
4514 idx, static_cast<DynamicClassInfoHelper>(
4515 g_target_properties[idx].default_uint_value));
4516}
4517
4519 const uint32_t idx = ePropertyAutoApplyFixIts;
4520 return GetPropertyAtIndexAs<bool>(
4521 idx, g_target_properties[idx].default_uint_value != 0);
4522}
4523
4525 const uint32_t idx = ePropertyRetriesWithFixIts;
4526 return GetPropertyAtIndexAs<uint64_t>(
4527 idx, g_target_properties[idx].default_uint_value);
4528}
4529
4531 const uint32_t idx = ePropertyNotifyAboutFixIts;
4532 return GetPropertyAtIndexAs<bool>(
4533 idx, g_target_properties[idx].default_uint_value != 0);
4534}
4535
4537 const uint32_t idx = ePropertySaveObjectsDir;
4538 return GetPropertyAtIndexAs<FileSpec>(idx, {});
4539}
4540
4542 FileSpec new_dir = GetSaveJITObjectsDir();
4543 if (!new_dir)
4544 return;
4545
4546 const FileSystem &instance = FileSystem::Instance();
4547 bool exists = instance.Exists(new_dir);
4548 bool is_directory = instance.IsDirectory(new_dir);
4549 std::string path = new_dir.GetPath(true);
4550 bool writable = llvm::sys::fs::can_write(path);
4551 if (exists && is_directory && writable)
4552 return;
4553
4554 m_collection_sp->GetPropertyAtIndex(ePropertySaveObjectsDir)
4555 ->GetValue()
4556 ->Clear();
4557
4558 std::string buffer;
4559 llvm::raw_string_ostream os(buffer);
4560 os << "JIT object dir '" << path << "' ";
4561 if (!exists)
4562 os << "does not exist";
4563 else if (!is_directory)
4564 os << "is not a directory";
4565 else if (!writable)
4566 os << "is not writable";
4567
4568 std::optional<lldb::user_id_t> debugger_id;
4569 if (m_target)
4570 debugger_id = m_target->GetDebugger().GetID();
4571 Debugger::ReportError(os.str(), debugger_id);
4572}
4573
4575 const uint32_t idx = ePropertyEnableSynthetic;
4576 return GetPropertyAtIndexAs<bool>(
4577 idx, g_target_properties[idx].default_uint_value != 0);
4578}
4579
4581 const uint32_t idx = ePropertyShowHexVariableValuesWithLeadingZeroes;
4582 return GetPropertyAtIndexAs<bool>(
4583 idx, g_target_properties[idx].default_uint_value != 0);
4584}
4585
4587 const uint32_t idx = ePropertyMaxZeroPaddingInFloatFormat;
4588 return GetPropertyAtIndexAs<uint64_t>(
4589 idx, g_target_properties[idx].default_uint_value);
4590}
4591
4593 const uint32_t idx = ePropertyMaxChildrenCount;
4594 return GetPropertyAtIndexAs<int64_t>(
4595 idx, g_target_properties[idx].default_uint_value);
4596}
4597
4598std::pair<uint32_t, bool>
4600 const uint32_t idx = ePropertyMaxChildrenDepth;
4601 auto *option_value =
4602 m_collection_sp->GetPropertyAtIndexAsOptionValueUInt64(idx);
4603 bool is_default = !option_value->OptionWasSet();
4604 return {option_value->GetCurrentValue(), is_default};
4605}
4606
4608 const uint32_t idx = ePropertyMaxSummaryLength;
4609 return GetPropertyAtIndexAs<uint64_t>(
4610 idx, g_target_properties[idx].default_uint_value);
4611}
4612
4614 const uint32_t idx = ePropertyMaxMemReadSize;
4615 return GetPropertyAtIndexAs<uint64_t>(
4616 idx, g_target_properties[idx].default_uint_value);
4617}
4618
4620 const uint32_t idx = ePropertyInputPath;
4621 return GetPropertyAtIndexAs<FileSpec>(idx, {});
4622}
4623
4624void TargetProperties::SetStandardInputPath(llvm::StringRef path) {
4625 const uint32_t idx = ePropertyInputPath;
4626 SetPropertyAtIndex(idx, path);
4627}
4628
4630 const uint32_t idx = ePropertyOutputPath;
4631 return GetPropertyAtIndexAs<FileSpec>(idx, {});
4632}
4633
4635 const uint32_t idx = ePropertyOutputPath;
4636 SetPropertyAtIndex(idx, path);
4637}
4638
4640 const uint32_t idx = ePropertyErrorPath;
4641 return GetPropertyAtIndexAs<FileSpec>(idx, {});
4642}
4643
4644void TargetProperties::SetStandardErrorPath(llvm::StringRef path) {
4645 const uint32_t idx = ePropertyErrorPath;
4646 SetPropertyAtIndex(idx, path);
4647}
4648
4650 const uint32_t idx = ePropertyLanguage;
4651 return GetPropertyAtIndexAs<LanguageType>(idx, {});
4652}
4653
4655 const uint32_t idx = ePropertyExprPrefix;
4656 OptionValueFileSpec *file =
4657 m_collection_sp->GetPropertyAtIndexAsOptionValueFileSpec(idx);
4658 if (file) {
4659 DataBufferSP data_sp(file->GetFileContents());
4660 if (data_sp)
4661 return llvm::StringRef(
4662 reinterpret_cast<const char *>(data_sp->GetBytes()),
4663 data_sp->GetByteSize());
4664 }
4665 return "";
4666}
4667
4669 const uint32_t idx = ePropertyExprErrorLimit;
4670 return GetPropertyAtIndexAs<uint64_t>(
4671 idx, g_target_properties[idx].default_uint_value);
4672}
4673
4675 const uint32_t idx = ePropertyExprAllocAddress;
4676 return GetPropertyAtIndexAs<uint64_t>(
4677 idx, g_target_properties[idx].default_uint_value);
4678}
4679
4681 const uint32_t idx = ePropertyExprAllocSize;
4682 return GetPropertyAtIndexAs<uint64_t>(
4683 idx, g_target_properties[idx].default_uint_value);
4684}
4685
4687 const uint32_t idx = ePropertyExprAllocAlign;
4688 return GetPropertyAtIndexAs<uint64_t>(
4689 idx, g_target_properties[idx].default_uint_value);
4690}
4691
4693 const uint32_t idx = ePropertyBreakpointUseAvoidList;
4694 return GetPropertyAtIndexAs<bool>(
4695 idx, g_target_properties[idx].default_uint_value != 0);
4696}
4697
4699 const uint32_t idx = ePropertyUseHexImmediates;
4700 return GetPropertyAtIndexAs<bool>(
4701 idx, g_target_properties[idx].default_uint_value != 0);
4702}
4703
4705 const uint32_t idx = ePropertyUseFastStepping;
4706 return GetPropertyAtIndexAs<bool>(
4707 idx, g_target_properties[idx].default_uint_value != 0);
4708}
4709
4711 const uint32_t idx = ePropertyDisplayExpressionsInCrashlogs;
4712 return GetPropertyAtIndexAs<bool>(
4713 idx, g_target_properties[idx].default_uint_value != 0);
4714}
4715
4717 const uint32_t idx = ePropertyLoadScriptFromSymbolFile;
4718 return GetPropertyAtIndexAs<LoadScriptFromSymFile>(
4719 idx, static_cast<LoadScriptFromSymFile>(
4720 g_target_properties[idx].default_uint_value));
4721}
4722
4724 const uint32_t idx = ePropertyLoadCWDlldbinitFile;
4725 return GetPropertyAtIndexAs<LoadCWDlldbinitFile>(
4726 idx, static_cast<LoadCWDlldbinitFile>(
4727 g_target_properties[idx].default_uint_value));
4728}
4729
4731 const uint32_t idx = ePropertyHexImmediateStyle;
4732 return GetPropertyAtIndexAs<Disassembler::HexImmediateStyle>(
4733 idx, static_cast<Disassembler::HexImmediateStyle>(
4734 g_target_properties[idx].default_uint_value));
4735}
4736
4738 const uint32_t idx = ePropertyMemoryModuleLoadLevel;
4739 return GetPropertyAtIndexAs<MemoryModuleLoadLevel>(
4740 idx, static_cast<MemoryModuleLoadLevel>(
4741 g_target_properties[idx].default_uint_value));
4742}
4743
4745 const uint32_t idx = ePropertyTrapHandlerNames;
4746 return m_collection_sp->GetPropertyAtIndexAsArgs(idx, args);
4747}
4748
4750 const uint32_t idx = ePropertyTrapHandlerNames;
4751 m_collection_sp->SetPropertyAtIndexFromArgs(idx, args);
4752}
4753
4755 const uint32_t idx = ePropertyDisplayRuntimeSupportValues;
4756 return GetPropertyAtIndexAs<bool>(
4757 idx, g_target_properties[idx].default_uint_value != 0);
4758}
4759
4761 const uint32_t idx = ePropertyDisplayRuntimeSupportValues;
4762 SetPropertyAtIndex(idx, b);
4763}
4764
4766 const uint32_t idx = ePropertyDisplayRecognizedArguments;
4767 return GetPropertyAtIndexAs<bool>(
4768 idx, g_target_properties[idx].default_uint_value != 0);
4769}
4770
4772 const uint32_t idx = ePropertyDisplayRecognizedArguments;
4773 SetPropertyAtIndex(idx, b);
4774}
4775
4777 return m_launch_info;
4778}
4779
4781 const ProcessLaunchInfo &launch_info) {
4782 m_launch_info = launch_info;
4783 SetArg0(launch_info.GetArg0());
4784 SetRunArguments(launch_info.GetArguments());
4785 SetEnvironment(launch_info.GetEnvironment());
4786 const FileAction *input_file_action =
4787 launch_info.GetFileActionForFD(STDIN_FILENO);
4788 if (input_file_action) {
4789 SetStandardInputPath(input_file_action->GetPath());
4790 }
4791 const FileAction *output_file_action =
4792 launch_info.GetFileActionForFD(STDOUT_FILENO);
4793 if (output_file_action) {
4794 SetStandardOutputPath(output_file_action->GetPath());
4795 }
4796 const FileAction *error_file_action =
4797 launch_info.GetFileActionForFD(STDERR_FILENO);
4798 if (error_file_action) {
4799 SetStandardErrorPath(error_file_action->GetPath());
4800 }
4801 SetDetachOnError(launch_info.GetFlags().Test(lldb::eLaunchFlagDetachOnError));
4802 SetDisableASLR(launch_info.GetFlags().Test(lldb::eLaunchFlagDisableASLR));
4804 launch_info.GetFlags().Test(lldb::eLaunchFlagInheritTCCFromParent));
4805 SetDisableSTDIO(launch_info.GetFlags().Test(lldb::eLaunchFlagDisableSTDIO));
4806}
4807
4809 const uint32_t idx = ePropertyRequireHardwareBreakpoints;
4810 return GetPropertyAtIndexAs<bool>(
4811 idx, g_target_properties[idx].default_uint_value != 0);
4812}
4813
4815 const uint32_t idx = ePropertyRequireHardwareBreakpoints;
4816 m_collection_sp->SetPropertyAtIndex(idx, b);
4817}
4818
4820 const uint32_t idx = ePropertyAutoInstallMainExecutable;
4821 return GetPropertyAtIndexAs<bool>(
4822 idx, g_target_properties[idx].default_uint_value != 0);
4823}
4824
4827}
4828
4830 Args args;
4831 if (GetRunArguments(args))
4832 m_launch_info.GetArguments() = args;
4833}
4834
4837}
4838
4841 false);
4842}
4843
4846 false, true);
4847}
4848
4851 false, true);
4852}
4853
4855 if (GetDetachOnError())
4856 m_launch_info.GetFlags().Set(lldb::eLaunchFlagDetachOnError);
4857 else
4858 m_launch_info.GetFlags().Clear(lldb::eLaunchFlagDetachOnError);
4859}
4860
4862 if (GetDisableASLR())
4863 m_launch_info.GetFlags().Set(lldb::eLaunchFlagDisableASLR);
4864 else
4865 m_launch_info.GetFlags().Clear(lldb::eLaunchFlagDisableASLR);
4866}
4867
4869 if (GetInheritTCC())
4870 m_launch_info.GetFlags().Set(lldb::eLaunchFlagInheritTCCFromParent);
4871 else
4872 m_launch_info.GetFlags().Clear(lldb::eLaunchFlagInheritTCCFromParent);
4873}
4874
4876 if (GetDisableSTDIO())
4877 m_launch_info.GetFlags().Set(lldb::eLaunchFlagDisableSTDIO);
4878 else
4879 m_launch_info.GetFlags().Clear(lldb::eLaunchFlagDisableSTDIO);
4880}
4881
4883 const uint32_t idx = ePropertyDebugUtilityExpression;
4884 return GetPropertyAtIndexAs<bool>(
4885 idx, g_target_properties[idx].default_uint_value != 0);
4886}
4887
4889 const uint32_t idx = ePropertyDebugUtilityExpression;
4890 SetPropertyAtIndex(idx, debug);
4891}
4892
4893// Target::TargetEventData
4894
4896 : EventData(), m_target_sp(target_sp), m_module_list() {}
4897
4899 const ModuleList &module_list)
4900 : EventData(), m_target_sp(target_sp), m_module_list(module_list) {}
4901
4903
4905 return "Target::TargetEventData";
4906}
4907
4909 for (size_t i = 0; i < m_module_list.GetSize(); ++i) {
4910 if (i != 0)
4911 *s << ", ";
4912 m_module_list.GetModuleAtIndex(i)->GetDescription(
4914 }
4915}
4916
4919 if (event_ptr) {
4920 const EventData *event_data = event_ptr->GetData();
4921 if (event_data &&
4923 return static_cast<const TargetEventData *>(event_ptr->GetData());
4924 }
4925 return nullptr;
4926}
4927
4929 TargetSP target_sp;
4930 const TargetEventData *event_data = GetEventDataFromEvent(event_ptr);
4931 if (event_data)
4932 target_sp = event_data->m_target_sp;
4933 return target_sp;
4934}
4935
4938 ModuleList module_list;
4939 const TargetEventData *event_data = GetEventDataFromEvent(event_ptr);
4940 if (event_data)
4941 module_list = event_data->m_module_list;
4942 return module_list;
4943}
4944
4945std::recursive_mutex &Target::GetAPIMutex() {
4946 if (GetProcessSP() && GetProcessSP()->CurrentThreadIsPrivateStateThread())
4947 return m_private_mutex;
4948 else
4949 return m_mutex;
4950}
4951
4952/// Get metrics associated with this target in JSON format.
4953llvm::json::Value
4955 return m_stats.ToJSON(*this, options);
4956}
static llvm::raw_ostream & error(Stream &strm)
#define INTERRUPT_REQUESTED(debugger,...)
This handy define will keep you from having to generate a report for the interruption by hand.
Definition: Debugger.h:454
#define bit
#define lldbassert(x)
Definition: LLDBAssert.h:15
#define LLDB_LOG(log,...)
The LLDB_LOG* macros defined below are the way to emit log messages.
Definition: Log.h:342
#define LLDB_LOGF(log,...)
Definition: Log.h:349
#define LLDB_LOG_ERROR(log, error,...)
Definition: Log.h:365
@ ePropertyExperimental
Definition: Process.cpp:133
static double elapsed(const StatsTimepoint &start, const StatsTimepoint &end)
Definition: Statistics.cpp:38
static constexpr OptionEnumValueElement g_dynamic_class_info_helper_value_types[]
Definition: Target.cpp:4012
static bool CheckIfWatchpointsSupported(Target *target, Status &error)
Definition: Target.cpp:835
static constexpr OptionEnumValueElement g_load_cwd_lldbinit_values[]
Definition: Target.cpp:4058
x86DisassemblyFlavor
Definition: Target.cpp:3965
@ eX86DisFlavorDefault
Definition: Target.cpp:3966
@ eX86DisFlavorIntel
Definition: Target.cpp:3967
@ eX86DisFlavorATT
Definition: Target.cpp:3968
static void LoadScriptingResourceForModule(const ModuleSP &module_sp, Target *target)
Definition: Target.cpp:1440
static constexpr OptionEnumValueElement g_dynamic_value_types[]
Definition: Target.cpp:3919
static constexpr OptionEnumValueElement g_memory_module_load_level_values[]
Definition: Target.cpp:4076
static constexpr OptionEnumValueElement g_load_script_from_sym_file_values[]
Definition: Target.cpp:4040
static constexpr OptionEnumValueElement g_x86_dis_flavor_value_types[]
Definition: Target.cpp:3971
static constexpr OptionEnumValueElement g_hex_immediate_style_values[]
Definition: Target.cpp:4027
static constexpr OptionEnumValueElement g_inline_breakpoint_enums[]
Definition: Target.cpp:3942
static constexpr OptionEnumValueElement g_import_std_module_value_types[]
Definition: Target.cpp:3989
#define LLDB_SCOPED_TIMERF(...)
Definition: Timer.h:86
const Property * GetPropertyAtIndex(size_t idx, const ExecutionContext *exe_ctx=nullptr) const override
Definition: Target.cpp:4112
TargetOptionValueProperties(llvm::StringRef name)
Definition: Target.cpp:4109
static lldb::ABISP FindPlugin(lldb::ProcessSP process_sp, const ArchSpec &arch)
Definition: ABI.cpp:27
A section + offset based address class.
Definition: Address.h:62
lldb::addr_t GetLoadAddress(Target *target) const
Get the load address.
Definition: Address.cpp:313
bool SetLoadAddress(lldb::addr_t load_addr, Target *target, bool allow_section_end=false)
Set the address to represent load_addr.
Definition: Address.cpp:1046
lldb::SectionSP GetSection() const
Get const accessor for the section.
Definition: Address.h:439
bool Slide(int64_t offset)
Definition: Address.h:459
lldb::ModuleSP GetModule() const
Get accessor for the module for this address.
Definition: Address.cpp:285
lldb::addr_t GetFileAddress() const
Get the file address.
Definition: Address.cpp:293
lldb::addr_t GetOffset() const
Get the section relative offset value.
Definition: Address.h:329
bool IsValid() const
Check if the object state is valid.
Definition: Address.h:355
bool IsSectionOffset() const
Check if an address is section offset.
Definition: Address.h:342
bool SetOffset(lldb::addr_t offset)
Set accessor for the offset.
Definition: Address.h:448
An architecture specification class.
Definition: ArchSpec.h:31
uint32_t GetAddressByteSize() const
Returns the size in bytes of an address of the current architecture.
Definition: ArchSpec.cpp:691
bool IsValid() const
Tests if this ArchSpec is valid.
Definition: ArchSpec.h:348
llvm::Triple & GetTriple()
Architecture triple accessor.
Definition: ArchSpec.h:450
void MergeFrom(const ArchSpec &other)
Merges fields from another ArchSpec into this ArchSpec.
Definition: ArchSpec.cpp:809
bool IsCompatibleMatch(const ArchSpec &rhs) const
Shorthand for IsMatch(rhs, CompatibleMatch).
Definition: ArchSpec.h:502
lldb::ByteOrder GetByteOrder() const
Returns the byte order for the architecture specification.
Definition: ArchSpec.cpp:738
const char * GetArchitectureName() const
Returns a static string representing the current architecture.
Definition: ArchSpec.cpp:552
A command line argument class.
Definition: Args.h:33
size_t GetArgumentCount() const
Gets the number of arguments left in this command object.
Definition: Args.h:116
const char * GetArgumentAtIndex(size_t idx) const
Gets the NULL terminated C string argument pointer for the argument at index idx.
Definition: Args.cpp:263
bool AddBreakpointID(BreakpointID bp_id)
BreakpointID GetBreakpointIDAtIndex(size_t index) const
lldb::break_id_t GetBreakpointID() const
Definition: BreakpointID.h:33
static bool StringIsBreakpointName(llvm::StringRef str, Status &error)
Takes an input string and checks to see whether it is a breakpoint name.
General Outline: Allows adding and removing breakpoints and find by ID and index.
BreakpointIterable Breakpoints()
void RemoveInvalidLocations(const ArchSpec &arch)
Removes all invalid breakpoint locations.
lldb::BreakpointSP FindBreakpointByID(lldb::break_id_t breakID) const
Returns a shared pointer to the breakpoint with id breakID.
void GetListMutex(std::unique_lock< std::recursive_mutex > &lock)
Sets the passed in Locker to hold the Breakpoint List mutex.
lldb::break_id_t Add(lldb::BreakpointSP &bp_sp, bool notify)
Add the breakpoint bp_sp to the list.
void SetEnabledAllowed(bool enabled)
void ResetHitCounts()
Resets the hit count of all breakpoints.
size_t GetSize() const
Returns the number of elements in this breakpoint list.
void UpdateBreakpointsWhenModuleIsReplaced(lldb::ModuleSP old_module_sp, lldb::ModuleSP new_module_sp)
void RemoveAll(bool notify)
Removes all the breakpoints from this list.
void UpdateBreakpoints(ModuleList &module_list, bool load, bool delete_locations)
Tell all the breakpoints to update themselves due to a change in the modules in module_list.
llvm::Expected< std::vector< lldb::BreakpointSP > > FindBreakpointsByName(const char *name)
Find all the breakpoints with a given name.
void Dump(Stream *s) const
Standard "Dump" method. At present it does nothing.
bool Remove(lldb::break_id_t breakID, bool notify)
Removes the breakpoint given by breakID from this list.
void RemoveAllowed(bool notify)
Removes all the breakpoints from this list - first checking the ePermDelete on the breakpoints.
lldb::BreakpointSP GetBreakpointAtIndex(size_t i) const
Returns a shared pointer to the breakpoint with index i.
void SetEnabledAll(bool enabled)
void MergeInto(const Permissions &incoming)
ConstString GetName() const
BreakpointOptions & GetOptions()
void ConfigureBreakpoint(lldb::BreakpointSP bp_sp)
"lldb/Breakpoint/BreakpointOptions.h" Class that manages the options on a breakpoint or breakpoint lo...
void CopyOverSetOptions(const BreakpointOptions &rhs)
Copy over only the options set in the incoming BreakpointOptions.
"lldb/Breakpoint/BreakpointResolverAddress.h" This class sets breakpoints on a given Address.
"lldb/Breakpoint/BreakpointResolverFileLine.h" This class sets breakpoints by file and line.
"lldb/Breakpoint/BreakpointResolverFileRegex.h" This class sets breakpoints by file and line.
"lldb/Breakpoint/BreakpointResolverName.h" This class sets breakpoints on a given function name,...
"lldb/Breakpoint/BreakpointResolverScripted.h" This class sets breakpoints on a given Address.
General Outline: A breakpoint has four main parts, a filter, a resolver, the list of breakpoint locat...
Definition: Breakpoint.h:81
virtual StructuredData::ObjectSP SerializeToStructuredData()
Definition: Breakpoint.cpp:74
static lldb::BreakpointSP CreateFromStructuredData(lldb::TargetSP target_sp, StructuredData::ObjectSP &data_object_sp, Status &error)
Definition: Breakpoint.cpp:122
static lldb::BreakpointSP CopyFromBreakpoint(lldb::TargetSP new_target, const Breakpoint &bp_to_copy_from)
Definition: Breakpoint.cpp:61
static const char * GetSerializationKey()
Definition: Breakpoint.h:160
static bool SerializedBreakpointMatchesNames(StructuredData::ObjectSP &bkpt_object_sp, std::vector< std::string > &names)
Definition: Breakpoint.cpp:214
An event broadcasting class.
Definition: Broadcaster.h:145
void SetEventName(uint32_t event_mask, const char *name)
Set the name for an event bit.
Definition: Broadcaster.h:242
void BroadcastEvent(lldb::EventSP &event_sp)
Broadcast an event which has no associated data.
Definition: Broadcaster.h:167
A class that implements CRTP-based "virtual constructor" idiom.
Definition: Cloneable.h:40
void SetStopOnContinue(bool stop_on_continue)
void HandleCommands(const StringList &commands, const ExecutionContext &context, const CommandInterpreterRunOptions &options, CommandReturnObject &result)
Execute a list of commands in sequence.
void SetImmediateOutputStream(const lldb::StreamSP &stream_sp)
lldb::ReturnStatus GetStatus() const
Generic representation of a type in a programming language.
Definition: CompilerType.h:36
A uniqued constant string class.
Definition: ConstString.h:40
const char * AsCString(const char *value_if_empty=nullptr) const
Get the string value as a C string.
Definition: ConstString.h:188
bool IsEmpty() const
Test for empty string.
Definition: ConstString.h:302
llvm::StringRef GetStringRef() const
Get the string value as a llvm::StringRef.
Definition: ConstString.h:197
const char * GetCString() const
Get the string value as a C string.
Definition: ConstString.h:214
An data extractor class.
Definition: DataExtractor.h:48
uint32_t GetMaxU32(lldb::offset_t *offset_ptr, size_t byte_size) const
Extract an integer of size byte_size from *offset_ptr.
uint64_t GetMaxU64(lldb::offset_t *offset_ptr, size_t byte_size) const
Extract an unsigned integer of size byte_size from *offset_ptr.
A class to manage flag bits.
Definition: Debugger.h:79
lldb::StreamSP GetAsyncOutputStream()
Definition: Debugger.cpp:1279
void SetAsyncExecution(bool async)
Definition: Debugger.cpp:971
CommandInterpreter & GetCommandInterpreter()
Definition: Debugger.h:176
StreamFile & GetErrorStream()
Definition: Debugger.h:156
TargetList & GetTargetList()
Get accessor for the target list.
Definition: Debugger.h:206
static void ReportError(std::string message, std::optional< lldb::user_id_t > debugger_id=std::nullopt, std::once_flag *once=nullptr)
Report error events.
Definition: Debugger.cpp:1559
PlatformList & GetPlatformList()
Definition: Debugger.h:208
lldb::ListenerSP GetListener()
Definition: Debugger.h:185
lldb::LanguageType GetREPLLanguage() const
Definition: Debugger.cpp:357
std::string GetString(char separator='\n')
A class that measures elapsed time in an exception safe way.
Definition: Statistics.h:68
static constexpr std::chrono::milliseconds default_timeout
Definition: Target.h:297
virtual llvm::StringRef GetFlavor() const =0
EventData * GetData()
Definition: Event.h:189
"lldb/Target/ExecutionContextScope.h" Inherit from this if your object can reconstruct its execution ...
virtual void CalculateExecutionContext(ExecutionContext &exe_ctx)=0
Reconstruct the object's execution context into sc.
"lldb/Target/ExecutionContext.h" A class that contains an execution context.
void Clear()
Clear the object's state.
void SetTargetPtr(Target *target)
Set accessor to set only the target shared pointer from a target pointer.
StackFrame * GetFramePtr() const
Returns a pointer to the frame object.
Target * GetTargetPtr() const
Returns a pointer to the target object.
Thread & GetThreadRef() const
Returns a reference to the thread object.
llvm::StringRef GetPath() const
Definition: FileAction.cpp:28
A file collection class.
Definition: FileSpecList.h:85
const FileSpec & GetFileSpecAtIndex(size_t idx) const
Get file at index.
void Append(const FileSpec &file)
Append a FileSpec object to the list.
size_t GetSize() const
Get the number of files in the file list.
A file utility class.
Definition: FileSpec.h:56
void AppendPathComponent(llvm::StringRef component)
Definition: FileSpec.cpp:447
void SetDirectory(ConstString directory)
Directory string set accessor.
Definition: FileSpec.cpp:335
const ConstString & GetFilename() const
Filename string const get accessor.
Definition: FileSpec.h:240
const ConstString & GetDirectory() const
Directory string const get accessor.
Definition: FileSpec.h:223
size_t GetPath(char *path, size_t max_path_length, bool denormalize=true) const
Extract the full path to the file.
Definition: FileSpec.cpp:367
bool IsSourceImplementationFile() const
Returns true if the filespec represents an implementation source file (files with a "....
Definition: FileSpec.cpp:494
void SetFilename(ConstString filename)
Filename string set accessor.
Definition: FileSpec.cpp:345
bool Exists(const FileSpec &file_spec) const
Returns whether the given file exists.
bool IsDirectory(const FileSpec &file_spec) const
Returns whether the given path is a directory.
static FileSystem & Instance()
@ eOpenOptionWriteOnly
Definition: File.h:52
@ eOpenOptionCanCreate
Definition: File.h:56
@ eOpenOptionCloseOnExec
Definition: File.h:63
@ eOpenOptionTruncate
Definition: File.h:57
bool IsValid() const override
IsValid.
Definition: File.cpp:113
A class to manage flags.
Definition: Flags.h:22
ValueType Clear(ValueType mask=~static_cast< ValueType >(0))
Clear one or more flags.
Definition: Flags.h:61
bool Test(ValueType bit) const
Test a single flag bit.
Definition: Flags.h:96
ValueType Set(ValueType mask)
Set one or more flags by logical OR'ing mask with the current flags.
Definition: Flags.h:73
Encapsulates a function that can be called.
static lldb::BreakpointSP CreateExceptionBreakpoint(Target &target, lldb::LanguageType language, bool catch_bp, bool throw_bp, bool is_internal=false)
static LanguageSet GetLanguagesSupportingREPLs()
Definition: Language.cpp:431
static Language * FindPlugin(lldb::LanguageType language)
Definition: Language.cpp:83
static const char * GetNameForLanguageType(lldb::LanguageType language)
Definition: Language.cpp:265
static LanguageSet GetLanguagesSupportingTypeSystemsForExpressions()
Definition: Language.cpp:427
virtual llvm::StringRef GetUserEntryPointName() const
Definition: Language.h:174
static std::set< lldb::LanguageType > GetSupportedLanguages()
Definition: Language.cpp:414
static lldb::ListenerSP MakeListener(const char *name)
Definition: Listener.cpp:385
lldb::ModuleSP GetModule() const
Get const accessor for the module pointer.
Definition: ModuleChild.cpp:24
A collection class for Module objects.
Definition: ModuleList.h:103
bool ReplaceModule(const lldb::ModuleSP &old_module_sp, const lldb::ModuleSP &new_module_sp)
Definition: ModuleList.cpp:338
void ForEach(std::function< bool(const lldb::ModuleSP &module_sp)> const &callback) const
Applies 'callback' to each module in this ModuleList.
bool AnyOf(std::function< bool(lldb_private::Module &module)> const &callback) const
Returns true if 'callback' returns true for one of the modules in this ModuleList.
size_t GetIndexForModule(const Module *module) const
Definition: ModuleList.cpp:725
lldb::ModuleSP FindFirstModule(const ModuleSpec &module_spec) const
Definition: ModuleList.cpp:626
void Clear()
Clear the object's state.
Definition: ModuleList.cpp:411
void Dump(Stream *s) const
Dump the description of each module contained in this list.
Definition: ModuleList.cpp:647
static bool RemoveSharedModuleIfOrphaned(const Module *module_ptr)
bool AppendIfNeeded(const lldb::ModuleSP &new_module, bool notify=true)
Append a module to the module list, if it is not already there.
Definition: ModuleList.cpp:280
static Status GetSharedModule(const ModuleSpec &module_spec, lldb::ModuleSP &module_sp, const FileSpecList *module_search_paths_ptr, llvm::SmallVectorImpl< lldb::ModuleSP > *old_modules, bool *did_create_ptr, bool always_create=false)
Definition: ModuleList.cpp:789
void FindModules(const ModuleSpec &module_spec, ModuleList &matching_module_list) const
Finds the first module whose file specification matches file_spec.
Definition: ModuleList.cpp:543
bool Remove(const lldb::ModuleSP &module_sp, bool notify=true)
Remove a module from the module list.
Definition: ModuleList.cpp:334
lldb::ModuleSP GetModuleAtIndex(size_t idx) const
Get the module shared pointer for the module at index idx.
Definition: ModuleList.cpp:429
void Append(const lldb::ModuleSP &module_sp, bool notify=true)
Append a module to the module list.
Definition: ModuleList.cpp:247
bool ResolveFileAddress(lldb::addr_t vm_addr, Address &so_addr) const
Definition: ModuleList.cpp:670
size_t GetSize() const
Gets the size of the module list.
Definition: ModuleList.cpp:638
FileSpec & GetFileSpec()
Definition: ModuleSpec.h:53
A class that describes an executable image and its associated object and symbol files.
Definition: Module.h:88
virtual ObjectFile * GetObjectFile()
Get the object file representation for the current architecture.
Definition: Module.cpp:1182
bool FileHasChanged() const
Definition: Module.cpp:1067
const FileSpec & GetFileSpec() const
Get const accessor for the module file specification.
Definition: Module.h:452
A plug-in interface definition class for object file parsers.
Definition: ObjectFile.h:44
virtual uint32_t GetDependentModules(FileSpecList &file_list)=0
Extract the dependent modules from an object file.
virtual lldb_private::Address GetEntryPointAddress()
Returns the address of the Entry Point in this object file - if the object file doesn't have an entry...
Definition: ObjectFile.h:469
@ eTypeExecutable
A normal executable.
Definition: ObjectFile.h:53
@ eTypeDebugInfo
An object file that contains only debug information.
Definition: ObjectFile.h:55
@ eTypeStubLibrary
A library that can be linked against but not used for execution.
Definition: ObjectFile.h:63
@ eTypeObjectFile
An intermediate object file.
Definition: ObjectFile.h:59
@ eTypeDynamicLinker
The platform's dynamic linker executable.
Definition: ObjectFile.h:57
@ eTypeCoreFile
A core file that has a checkpoint of a program's execution state.
Definition: ObjectFile.h:51
@ eTypeSharedLibrary
A shared library that can be used during execution.
Definition: ObjectFile.h:61
virtual size_t ReadSectionData(Section *section, lldb::offset_t section_offset, void *dst, size_t dst_len)
Definition: ObjectFile.cpp:476
void AppendCurrentValue(const FileSpec &value)
const lldb::DataBufferSP & GetFileContents()
auto GetPropertyAtIndexAs(size_t idx, const ExecutionContext *exe_ctx=nullptr) const
Property * ProtectedGetPropertyAtIndex(size_t idx)
static lldb::OptionValuePropertiesSP CreateLocalCopy(const Properties &global_properties)
bool RemapPath(ConstString path, ConstString &new_path) const
std::optional< llvm::StringRef > ReverseRemapPath(const FileSpec &file, FileSpec &fixed) const
Perform reverse source path remap for input file.
lldb::PlatformSP GetSelectedPlatform()
Select the active platform.
Definition: Platform.h:1060
static std::unique_ptr< Architecture > CreateArchitectureInstance(const ArchSpec &arch)
static lldb::RegisterTypeBuilderSP GetRegisterTypeBuilder(Target &target)
bool ProcessInfoSpecified() const
Definition: Process.h:172
lldb::ListenerSP GetListenerForProcess(Debugger &debugger)
Definition: Process.cpp:2786
llvm::StringRef GetProcessPluginName() const
Definition: Process.h:155
void SetHijackListener(const lldb::ListenerSP &listener_sp)
Definition: ProcessInfo.h:109
void SetExecutableFile(const FileSpec &exe_file, bool add_exe_file_as_first_arg)
Definition: ProcessInfo.cpp:65
lldb::ScriptedMetadataSP GetScriptedMetadata() const
Definition: ProcessInfo.h:92
lldb::ListenerSP GetHijackListener() const
Definition: ProcessInfo.h:107
void SetArg0(llvm::StringRef arg)
Definition: ProcessInfo.cpp:82
llvm::StringRef GetArg0() const
Definition: ProcessInfo.cpp:80
void SetScriptedMetadata(lldb::ScriptedMetadataSP metadata_sp)
Definition: ProcessInfo.h:96
FileSpec & GetExecutableFile()
Definition: ProcessInfo.h:42
lldb::ListenerSP GetListener() const
Definition: ProcessInfo.h:101
lldb::ListenerSP GetShadowListener() const
Definition: ProcessInfo.h:113
Environment & GetEnvironment()
Definition: ProcessInfo.h:87
bool IsScriptedProcess() const
ArchSpec & GetArchitecture()
Definition: ProcessInfo.h:61
llvm::StringRef GetProcessPluginName() const
const FileSpec & GetShell() const
bool AppendOpenFileAction(int fd, const FileSpec &file_spec, bool read, bool write)
bool AppendSuppressFileAction(int fd, bool read, bool write)
const FileAction * GetFileActionForFD(int fd) const
void SetProcessPluginName(llvm::StringRef plugin)
static void SettingsInitialize()
Definition: Process.cpp:4593
static constexpr llvm::StringRef AttachSynchronousHijackListenerName
Definition: Process.h:385
static lldb::ProcessSP FindPlugin(lldb::TargetSP target_sp, llvm::StringRef plugin_name, lldb::ListenerSP listener_sp, const FileSpec *crash_file_path, bool can_connect)
Find a Process plug-in that can debug module using the currently selected architecture.
Definition: Process.cpp:369
static constexpr llvm::StringRef LaunchSynchronousHijackListenerName
Definition: Process.h:387
static ProcessProperties & GetGlobalProperties()
Definition: Process.cpp:513
static void SettingsTerminate()
Definition: Process.cpp:4595
lldb::OptionValuePropertiesSP m_collection_sp
static llvm::StringRef GetExperimentalSettingsName()
bool SetPropertyAtIndex(uint32_t idx, T t, const ExecutionContext *exe_ctx=nullptr) const
virtual lldb::OptionValuePropertiesSP GetValueProperties() const
const lldb::OptionValueSP & GetValue() const
Definition: Property.h:45
static lldb::REPLSP Create(Status &Status, lldb::LanguageType language, Debugger *debugger, Target *target, const char *repl_options)
Get a REPL with an existing target (or, failing that, a debugger to use), and (optional) extra argume...
Definition: REPL.cpp:38
bool SignExtend(uint32_t bit_pos)
Definition: Scalar.cpp:746
unsigned long long ULongLong(unsigned long long fail_value=0) const
Definition: Scalar.cpp:335
virtual bool ScriptedStopHookHandleStop(StructuredData::GenericSP implementor_sp, ExecutionContext &exc_ctx, lldb::StreamSP stream_sp)
virtual StructuredData::GenericSP CreateScriptedStopHook(lldb::TargetSP target_sp, const char *class_name, const StructuredDataImpl &args_data, Status &error)
"lldb/Core/SearchFilter.h" This is a SearchFilter that searches through all modules.
Definition: SearchFilter.h:289
size_t GetNumSections(uint32_t depth) const
Definition: Section.cpp:533
lldb::SectionSP GetSectionAtIndex(size_t idx) const
Definition: Section.cpp:544
bool ResolveLoadAddress(uint32_t stop_id, lldb::addr_t load_addr, Address &so_addr)
bool SetSectionLoadAddress(uint32_t stop_id, const lldb::SectionSP &section_sp, lldb::addr_t load_addr, bool warn_multiple=false)
lldb::addr_t GetSectionLoadAddress(uint32_t stop_id, const lldb::SectionSP &section_sp)
bool SetSectionUnloaded(uint32_t stop_id, const lldb::SectionSP &section_sp, lldb::addr_t load_addr)
bool ResolveLoadAddress(lldb::addr_t load_addr, Address &so_addr, bool allow_section_end=false) const
"lldb/Core/SourceLocationSpec.h" A source location specifier class.
Class that provides a registry of known stack frame recognizers.
const SymbolContext & GetSymbolContext(lldb::SymbolContextItem resolve_scope)
Provide a SymbolContext for this StackFrame's current pc value.
Definition: StackFrame.cpp:300
An error handling class.
Definition: Status.h:44
void Clear()
Clear the object state.
Definition: Status.cpp:167
int SetErrorStringWithFormat(const char *format,...) __attribute__((format(printf
Set the current error string to a formatted error string.
Definition: Status.cpp:247
bool Fail() const
Test for error condition.
Definition: Status.cpp:181
void SetErrorString(llvm::StringRef err_str)
Set the current error string to err_str.
Definition: Status.cpp:233
bool Success() const
Test for success condition.
Definition: Status.cpp:279
const char * GetData() const
Definition: StreamString.h:43
llvm::StringRef GetString() const
A stream class that can stream formatted output to a file.
Definition: Stream.h:28
void Format(const char *format, Args &&... args)
Definition: Stream.h:353
llvm::raw_ostream & AsRawOstream()
Returns a raw_ostream that forwards the data to this Stream object.
Definition: Stream.h:401
size_t Indent(llvm::StringRef s="")
Indent the current line in the stream.
Definition: Stream.cpp:157
size_t Printf(const char *format,...) __attribute__((format(printf
Output printf formatted output to the stream.
Definition: Stream.cpp:134
size_t PutCString(llvm::StringRef cstr)
Output a C string to the stream.
Definition: Stream.cpp:65
size_t PutChar(char ch)
Definition: Stream.cpp:131
void SetIndentLevel(unsigned level)
Set the current indentation level.
Definition: Stream.cpp:190
void IndentLess(unsigned amount=2)
Decrement the current indentation level.
Definition: Stream.cpp:198
void IndentMore(unsigned amount=2)
Increment the current indentation level.
Definition: Stream.cpp:195
unsigned GetIndentLevel() const
Get the current indentation level.
Definition: Stream.cpp:187
void AddItem(const ObjectSP &item)
ObjectSP GetItemAtIndex(size_t idx) const
ObjectSP GetValueForKey(llvm::StringRef key) const
void ForEach(std::function< bool(llvm::StringRef key, Object *object)> const &callback) const
void Dump(lldb_private::Stream &s, bool pretty_print=true) const
std::shared_ptr< Object > ObjectSP
std::shared_ptr< Array > ArraySP
static ObjectSP ParseJSONFromFile(const FileSpec &file, Status &error)
Defines a symbol context baton that can be handed other debug core functions.
Definition: SymbolContext.h:34
lldb::TargetSP target_sp
The Target for a given query.
lldb::TargetSP GetTargetAtIndex(uint32_t index) const
Definition: TargetList.cpp:499
size_t GetNumTargets() const
Definition: TargetList.cpp:494
uint32_t GetMaximumSizeOfStringSummary() const
Definition: Target.cpp:4607
FileSpecList GetDebugFileSearchPaths()
Definition: Target.cpp:4488
bool GetDisplayRecognizedArguments() const
Definition: Target.cpp:4765
ImportStdModule GetImportStdModule() const
Definition: Target.cpp:4504
bool GetMoveToNearestCode() const
Definition: Target.cpp:4258
void AppendExecutableSearchPaths(const FileSpec &)
Definition: Target.cpp:4475
bool GetEnableSyntheticValue() const
Definition: Target.cpp:4574
ProcessLaunchInfo m_launch_info
Definition: Target.h:282
uint64_t GetExprAllocAlign() const
Definition: Target.cpp:4686
MemoryModuleLoadLevel GetMemoryModuleLoadLevel() const
Definition: Target.cpp:4737
llvm::StringRef GetArg0() const
Definition: Target.cpp:4355
uint32_t GetMaximumMemReadSize() const
Definition: Target.cpp:4613
void SetRunArguments(const Args &args)
Definition: Target.cpp:4372
FileSpec GetStandardErrorPath() const
Definition: Target.cpp:4639
bool GetEnableNotifyAboutFixIts() const
Definition: Target.cpp:4530
bool SetPreferDynamicValue(lldb::DynamicValueType d)
Definition: Target.cpp:4271
void SetDisplayRecognizedArguments(bool b)
Definition: Target.cpp:4771
std::optional< bool > GetExperimentalPropertyValue(size_t prop_idx, ExecutionContext *exe_ctx=nullptr) const
Definition: Target.cpp:4231
const ProcessLaunchInfo & GetProcessLaunchInfo() const
Definition: Target.cpp:4776
Environment ComputeEnvironment() const
Definition: Target.cpp:4378
bool GetUserSpecifiedTrapHandlerNames(Args &args) const
Definition: Target.cpp:4744
uint64_t GetExprErrorLimit() const
Definition: Target.cpp:4668
bool GetEnableAutoImportClangModules() const
Definition: Target.cpp:4498
bool GetDebugUtilityExpression() const
Definition: Target.cpp:4882
DynamicClassInfoHelper GetDynamicClassInfoHelper() const
Definition: Target.cpp:4511
FileSpec GetStandardOutputPath() const
Definition: Target.cpp:4629
void SetDisplayRuntimeSupportValues(bool b)
Definition: Target.cpp:4760
uint32_t GetMaximumNumberOfChildrenToDisplay() const
Definition: Target.cpp:4592
void SetRequireHardwareBreakpoints(bool b)
Definition: Target.cpp:4814
bool GetAutoInstallMainExecutable() const
Definition: Target.cpp:4819
uint64_t GetNumberOfRetriesWithFixits() const
Definition: Target.cpp:4524
uint64_t GetExprAllocSize() const
Definition: Target.cpp:4680
llvm::StringRef GetExpressionPrefixContents()
Definition: Target.cpp:4654
const char * GetDisassemblyFlavor() const
Definition: Target.cpp:4335
FileSpec GetStandardInputPath() const
Definition: Target.cpp:4619
lldb::DynamicValueType GetPreferDynamicValue() const
Definition: Target.cpp:4264
InlineStrategy GetInlineStrategy() const
Definition: Target.cpp:4348
Environment GetTargetEnvironment() const
Definition: Target.cpp:4438
bool GetDisplayRuntimeSupportValues() const
Definition: Target.cpp:4754
void SetUserSpecifiedTrapHandlerNames(const Args &args)
Definition: Target.cpp:4749
bool GetUseHexImmediates() const
Definition: Target.cpp:4698
uint32_t GetMaxZeroPaddingInFloatFormat() const
Definition: Target.cpp:4586
uint64_t GetExprAllocAddress() const
Definition: Target.cpp:4674
LoadCWDlldbinitFile GetLoadCWDlldbinitFile() const
Definition: Target.cpp:4723
Environment GetInheritedEnvironment() const
Definition: Target.cpp:4410
void SetArg0(llvm::StringRef arg)
Definition: Target.cpp:4361
bool GetInjectLocalVariables(ExecutionContext *exe_ctx) const
Definition: Target.cpp:4242
bool ShowHexVariableValuesWithLeadingZeroes() const
Definition: Target.cpp:4580
Environment GetEnvironment() const
Definition: Target.cpp:4406
void SetProcessLaunchInfo(const ProcessLaunchInfo &launch_info)
Definition: Target.cpp:4780
FileSpec GetSaveJITObjectsDir() const
Definition: Target.cpp:4536
void SetEnvironment(Environment env)
Definition: Target.cpp:4449
LoadScriptFromSymFile GetLoadScriptFromSymbolFile() const
Definition: Target.cpp:4716
void SetStandardErrorPath(llvm::StringRef path)
Definition: Target.cpp:4644
bool GetRunArguments(Args &args) const
Definition: Target.cpp:4367
bool GetBreakpointsConsultPlatformAvoidList()
Definition: Target.cpp:4692
FileSpecList GetExecutableSearchPaths()
Definition: Target.cpp:4483
ArchSpec GetDefaultArchitecture() const
Definition: Target.cpp:4248
Disassembler::HexImmediateStyle GetHexImmediateStyle() const
Definition: Target.cpp:4730
std::unique_ptr< TargetExperimentalProperties > m_experimental_properties_up
Definition: Target.h:283
FileSpecList GetClangModuleSearchPaths()
Definition: Target.cpp:4493
void SetStandardOutputPath(llvm::StringRef path)
Definition: Target.cpp:4634
bool GetRequireHardwareBreakpoints() const
Definition: Target.cpp:4808
PathMappingList & GetSourcePathMap() const
Definition: Target.cpp:4461
bool GetAutoSourceMapRelative() const
Definition: Target.cpp:4469
void SetDefaultArchitecture(const ArchSpec &arch)
Definition: Target.cpp:4253
void SetStandardInputPath(llvm::StringRef path)
Definition: Target.cpp:4624
lldb::LanguageType GetLanguage() const
Definition: Target.cpp:4649
TargetProperties(Target *target)
Definition: Target.cpp:4155
bool GetDisplayExpressionsInCrashlogs() const
Definition: Target.cpp:4710
bool GetEnableAutoApplyFixIts() const
Definition: Target.cpp:4518
void SetDebugUtilityExpression(bool debug)
Definition: Target.cpp:4888
std::pair< uint32_t, bool > GetMaximumDepthOfChildrenToDisplay() const
Get the max depth value, augmented with a bool to indicate whether the depth is the default.
Definition: Target.cpp:4599
llvm::json::Value ToJSON(Target &target, const lldb_private::StatisticsOptions &options)
Definition: Statistics.cpp:105
StatsDuration & GetCreateTime()
Definition: Statistics.h:149
StatsSuccessFail & GetExpressionStats()
Definition: Statistics.h:150
const ArchSpec & GetSpec() const
Definition: Target.h:1521
const Arch & operator=(const ArchSpec &spec)
Definition: Target.cpp:84
Arch(const ArchSpec &spec)
Definition: Target.cpp:80
void SetActionFromString(const std::string &strings)
Definition: Target.cpp:3795
void SetActionFromStrings(const std::vector< std::string > &strings)
Definition: Target.cpp:3799
StopHookResult HandleStop(ExecutionContext &exc_ctx, lldb::StreamSP output_sp) override
Definition: Target.cpp:3806
void GetSubclassDescription(Stream &s, lldb::DescriptionLevel level) const override
Definition: Target.cpp:3776
Status SetScriptCallback(std::string class_name, StructuredData::ObjectSP extra_args_sp)
Definition: Target.cpp:3840
StopHookResult HandleStop(ExecutionContext &exc_ctx, lldb::StreamSP output) override
Definition: Target.cpp:3861
void GetSubclassDescription(Stream &s, lldb::DescriptionLevel level) const override
Definition: Target.cpp:3878
void SetSpecifier(SymbolContextSpecifier *specifier)
Definition: Target.cpp:3710
std::unique_ptr< ThreadSpec > m_thread_spec_up
Definition: Target.h:1327
void SetThreadSpecifier(ThreadSpec *specifier)
Definition: Target.cpp:3714
StopHook(const StopHook &rhs)
Definition: Target.cpp:3702
bool ExecutionContextPasses(const ExecutionContext &exe_ctx)
Definition: Target.cpp:3718
void GetDescription(Stream &s, lldb::DescriptionLevel level) const
Definition: Target.cpp:3734
void Dump(Stream *s) const override
Definition: Target.cpp:4908
static llvm::StringRef GetFlavorString()
Definition: Target.cpp:4904
static ModuleList GetModuleListFromEvent(const Event *event_ptr)
Definition: Target.cpp:4937
static const TargetEventData * GetEventDataFromEvent(const Event *event_ptr)
Definition: Target.cpp:4918
TargetEventData(const lldb::TargetSP &target_sp)
Definition: Target.cpp:4895
static lldb::TargetSP GetTargetFromEvent(const Event *event_ptr)
Definition: Target.cpp:4928
void ModulesDidLoad(ModuleList &module_list)
Definition: Target.cpp:1690
lldb::ThreadSP CalculateThread() override
Definition: Target.cpp:2392
REPLMap m_repl_map
Definition: Target.h:1563
StopHookCollection m_stop_hooks
Definition: Target.h:1568
Module * GetExecutableModulePointer()
Definition: Target.cpp:1436
void Dump(Stream *s, lldb::DescriptionLevel description_level)
Dump a description of this object to a Stream.
Definition: Target.cpp:158
bool m_suppress_stop_hooks
Definition: Target.h:1573
void DisableAllBreakpoints(bool internal_also=false)
Definition: Target.cpp:970
lldb::WatchpointSP CreateWatchpoint(lldb::addr_t addr, size_t size, const CompilerType *type, uint32_t kind, Status &error)
Definition: Target.cpp:855
void ApplyNameToBreakpoints(BreakpointName &bp_name)
Definition: Target.cpp:809
StopHookSP CreateStopHook(StopHook::StopHookKind kind)
Add an empty stop hook to the Target's stop hook list, and returns a shared pointer to it in new_hook...
Definition: Target.cpp:2829
lldb::TraceSP GetTrace()
Get the Trace object containing processor trace information of this target.
Definition: Target.cpp:3375
PathMappingList & GetImageSearchPathList()
Definition: Target.cpp:2401
void FinalizeFileActions(ProcessLaunchInfo &info)
Definition: Target.cpp:3494
lldb::addr_t GetCallableLoadAddress(lldb::addr_t load_addr, AddressClass addr_class=AddressClass::eInvalid) const
Get load_addr as a callable code load address for this target.
Definition: Target.cpp:2803
lldb::addr_t GetOpcodeLoadAddress(lldb::addr_t load_addr, AddressClass addr_class=AddressClass::eInvalid) const
Get load_addr as an opcode for this target.
Definition: Target.cpp:2811
lldb::BreakpointSP CreateScriptedBreakpoint(const llvm::StringRef class_name, const FileSpecList *containingModules, const FileSpecList *containingSourceFiles, bool internal, bool request_hardware, StructuredData::ObjectSP extra_args_sp, Status *creation_error=nullptr)
Definition: Target.cpp:663
static Target * GetTargetFromContexts(const ExecutionContext *exe_ctx_ptr, const SymbolContext *sc_ptr)
Definition: Target.cpp:2641
lldb::addr_t GetBreakableLoadAddress(lldb::addr_t addr)
Definition: Target.cpp:2818
void ClearDummySignals(Args &signal_names)
Clear the dummy signals in signal_names from the target, or all signals if signal_names is empty.
Definition: Target.cpp:3642
static void ImageSearchPathsChanged(const PathMappingList &path_list, void *baton)
Definition: Target.cpp:2405
llvm::Expected< lldb_private::Address > GetEntryPointAddress()
This method will return the address of the starting function for this binary, e.g.
Definition: Target.cpp:2767
bool IgnoreWatchpointByID(lldb::watch_id_t watch_id, uint32_t ignore_count)
Definition: Target.cpp:1406
lldb::BreakpointSP CreateFuncRegexBreakpoint(const FileSpecList *containingModules, const FileSpecList *containingSourceFiles, RegularExpression func_regexp, lldb::LanguageType requested_language, LazyBool skip_prologue, bool internal, bool request_hardware)
Definition: Target.cpp:629
lldb::BreakpointSP GetBreakpointByID(lldb::break_id_t break_id)
Definition: Target.cpp:328
std::shared_ptr< StopHook > StopHookSP
Definition: Target.h:1385
void SymbolsDidLoad(ModuleList &module_list)
Definition: Target.cpp:1708
bool ClearAllWatchpointHistoricValues()
Definition: Target.cpp:1320
void SetTrace(const lldb::TraceSP &trace_sp)
Set the Trace object containing processor trace information of this target.
Definition: Target.cpp:3373
BreakpointList & GetBreakpointList(bool internal=false)
Definition: Target.cpp:314
CompilerType GetRegisterType(const std::string &name, const lldb_private::RegisterFlags &flags, uint32_t byte_size)
Definition: Target.cpp:2442
BreakpointNameList m_breakpoint_names
Definition: Target.h:1549
llvm::StringRef GetABIName() const
Returns the name of the target's ABI plugin.
Definition: Target.cpp:303
SourceManager & GetSourceManager()
Definition: Target.cpp:2823
lldb::SearchFilterSP GetSearchFilterForModuleList(const FileSpecList *containingModuleList)
Definition: Target.cpp:592
StopHookSP GetStopHookByID(lldb::user_id_t uid)
Definition: Target.cpp:2858
llvm::StringMap< DummySignalValues > m_dummy_signals
These are used to set the signal state when you don't have a process and more usefully in the Dummy t...
Definition: Target.h:1584
lldb::ProcessSP m_process_sp
Definition: Target.h:1557
lldb::SearchFilterSP m_search_filter_sp
Definition: Target.h:1558
PersistentExpressionState * GetPersistentExpressionStateForLanguage(lldb::LanguageType language)
Definition: Target.cpp:2486
UserExpression * GetUserExpressionForLanguage(llvm::StringRef expr, llvm::StringRef prefix, lldb::LanguageType language, Expression::ResultType desired_type, const EvaluateExpressionOptions &options, ValueObject *ctx_obj, Status &error)
Definition: Target.cpp:2506
static ConstString & GetStaticBroadcasterClass()
Definition: Target.cpp:90
void UpdateSignalsFromDummy(lldb::UnixSignalsSP signals_sp, lldb::StreamSP warning_stream_sp)
Updates the signals in signals_sp using the stored dummy signals.
Definition: Target.cpp:3630
bool m_is_dummy_target
Used to not run stop hooks for expressions.
Definition: Target.h:1574
static bool UpdateSignalFromDummy(lldb::UnixSignalsSP signals_sp, const DummySignalElement &element)
Definition: Target.cpp:3588
PathMappingList m_image_search_paths
Definition: Target.h:1559
bool ModuleIsExcludedForUnconstrainedSearches(const FileSpec &module_spec)
Return whether this FileSpec corresponds to a module that should be considered for general searches.
Definition: Target.cpp:1764
lldb::StackFrameSP CalculateStackFrame() override
Definition: Target.cpp:2394
SectionLoadList & GetSectionLoadList()
Definition: Target.h:1127
lldb::addr_t GetPersistentSymbol(ConstString name)
Definition: Target.cpp:2747
void PrimeFromDummyTarget(Target &target)
Definition: Target.cpp:136
static void SettingsTerminate()
Definition: Target.cpp:2599
bool EnableWatchpointByID(lldb::watch_id_t watch_id)
Definition: Target.cpp:1371
bool ResolveFileAddress(lldb::addr_t load_addr, Address &so_addr)
Definition: Target.cpp:3116
Debugger & GetDebugger()
Definition: Target.h:1055
bool ClearAllWatchpointHitCounts()
Definition: Target.cpp:1306
size_t ReadMemoryFromFileCache(const Address &addr, void *dst, size_t dst_len, Status &error)
Definition: Target.cpp:1796
void ClearAllLoadedSections()
Definition: Target.cpp:3192
std::vector< lldb::TypeSystemSP > GetScratchTypeSystems(bool create_on_demand=true)
Definition: Target.cpp:2451
size_t ReadScalarIntegerFromMemory(const Address &addr, uint32_t byte_size, bool is_signed, Scalar &scalar, Status &error, bool force_live_memory=false)
Definition: Target.cpp:2088
void AddNameToBreakpoint(BreakpointID &id, llvm::StringRef name, Status &error)
Definition: Target.cpp:731
void DeleteCurrentProcess()
Definition: Target.cpp:193
BreakpointList m_internal_breakpoint_list
Definition: Target.h:1546
void DisableAllowedBreakpoints()
Definition: Target.cpp:980
bool SetSectionUnloaded(const lldb::SectionSP &section_sp)
Definition: Target.cpp:3170
lldb::TargetSP CalculateTarget() override
Definition: Target.cpp:2388
const lldb::ProcessSP & GetProcessSP() const
Definition: Target.cpp:221
void ClearModules(bool delete_locations)
Definition: Target.cpp:1458
bool RemoveBreakpointByID(lldb::break_id_t break_id)
Definition: Target.cpp:1004
lldb::ModuleSP GetOrCreateModule(const ModuleSpec &module_spec, bool notify, Status *error_ptr=nullptr)
Find a binary on the system and return its Module, or return an existing Module that is already in th...
Definition: Target.cpp:2158
static bool ResetSignalFromDummy(lldb::UnixSignalsSP signals_sp, const DummySignalElement &element)
Definition: Target.cpp:3615
Architecture * GetArchitecturePlugin() const
Definition: Target.h:1053
llvm::json::Value ReportStatistics(const lldb_private::StatisticsOptions &options)
Get metrics associated with this target in JSON format.
Definition: Target.cpp:4954
FunctionCaller * GetFunctionCallerForLanguage(lldb::LanguageType language, const CompilerType &return_type, const Address &function_address, const ValueList &arg_value_list, const char *name, Status &error)
Definition: Target.cpp:2538
void EnableAllBreakpoints(bool internal_also=false)
Definition: Target.cpp:987
Status Launch(ProcessLaunchInfo &launch_info, Stream *stream)
Definition: Target.cpp:3205
bool DisableBreakpointByID(lldb::break_id_t break_id)
Definition: Target.cpp:1024
lldb::BreakpointSP CreateBreakpointAtUserEntry(Status &error)
Definition: Target.cpp:340
BreakpointName * FindBreakpointName(ConstString name, bool can_create, Status &error)
Definition: Target.cpp:762
llvm::Expected< lldb::TraceSP > CreateTrace()
Create a Trace object for the current target using the using the default supported tracing technology...
Definition: Target.cpp:3377
lldb::TraceSP m_trace_sp
An optional lldb_private::Trace object containing processor trace information of this target.
Definition: Target.h:1578
bool RemoveAllWatchpoints(bool end_to_end=true)
Definition: Target.cpp:1224
bool ReadPointerFromMemory(const Address &addr, Status &error, Address &pointer_addr, bool force_live_memory=false)
Definition: Target.cpp:2128
void UndoCreateStopHook(lldb::user_id_t uid)
If you tried to create a stop hook, and that failed, call this to remove the stop hook,...
Definition: Target.cpp:2844
WatchpointList m_watchpoint_list
Definition: Target.h:1552
@ eBroadcastBitModulesLoaded
Definition: Target.h:493
@ eBroadcastBitSymbolsLoaded
Definition: Target.h:496
@ eBroadcastBitModulesUnloaded
Definition: Target.h:494
@ eBroadcastBitWatchpointChanged
Definition: Target.h:495
@ eBroadcastBitBreakpointChanged
Definition: Target.h:492
BreakpointList m_breakpoint_list
Definition: Target.h:1545
lldb::SourceManagerUP m_source_manager_up
Definition: Target.h:1565
size_t ReadMemory(const Address &addr, void *dst, size_t dst_len, Status &error, bool force_live_memory=false, lldb::addr_t *load_addr_ptr=nullptr)
Definition: Target.cpp:1828
bool RemoveWatchpointByID(lldb::watch_id_t watch_id)
Definition: Target.cpp:1390
size_t ReadStringFromMemory(const Address &addr, char *dst, size_t max_bytes, Status &error, size_t type_width, bool force_live_memory=true)
Read a NULL terminated string from memory.
Definition: Target.cpp:2039
void DeleteBreakpointName(ConstString name)
Definition: Target.cpp:785
void NotifyWillClearList(const ModuleList &module_list) override
Definition: Target.cpp:1652
bool SetArchitecture(const ArchSpec &arch_spec, bool set_platform=false, bool merge=true)
Set the architecture for this target.
Definition: Target.cpp:1538
void NotifyModuleAdded(const ModuleList &module_list, const lldb::ModuleSP &module_sp) override
Implementing of ModuleList::Notifier.
Definition: Target.cpp:1654
llvm::Expected< lldb::TypeSystemSP > GetScratchTypeSystemForLanguage(lldb::LanguageType language, bool create_on_demand=true)
Definition: Target.cpp:2414
void ConfigureBreakpointName(BreakpointName &bp_name, const BreakpointOptions &options, const BreakpointName::Permissions &permissions)
Definition: Target.cpp:801
lldb::SearchFilterSP GetSearchFilterForModuleAndCUList(const FileSpecList *containingModules, const FileSpecList *containingSourceFiles)
Definition: Target.cpp:609
lldb::ModuleSP GetExecutableModule()
Gets the module for the main executable.
Definition: Target.cpp:1422
bool SetStopHookActiveStateByID(lldb::user_id_t uid, bool active_state)
Definition: Target.cpp:2868
const lldb::ProcessSP & CreateProcess(lldb::ListenerSP listener_sp, llvm::StringRef plugin_name, const FileSpec *crash_file, bool can_connect)
Definition: Target.cpp:209
void SetAllStopHooksActiveState(bool active_state)
Definition: Target.cpp:2879
lldb::ExpressionVariableSP GetPersistentVariable(ConstString name)
Definition: Target.cpp:2728
void NotifyModulesRemoved(lldb_private::ModuleList &module_list) override
Definition: Target.cpp:1686
size_t ReadCStringFromMemory(const Address &addr, std::string &out_str, Status &error, bool force_live_memory=false)
Definition: Target.cpp:1949
std::recursive_mutex m_mutex
An API mutex that is used by the lldb::SB* classes make the SB interface thread safe.
Definition: Target.h:1532
void ModulesDidUnload(ModuleList &module_list, bool delete_locations)
Definition: Target.cpp:1724
void CalculateExecutionContext(ExecutionContext &exe_ctx) override
Reconstruct the object's execution context into sc.
Definition: Target.cpp:2396
llvm::Expected< lldb::TraceSP > GetTraceOrCreate()
If a Trace object is present, this returns it, otherwise a new Trace is created with Trace::CreateTra...
Definition: Target.cpp:3402
void NotifyModuleUpdated(const ModuleList &module_list, const lldb::ModuleSP &old_module_sp, const lldb::ModuleSP &new_module_sp) override
Definition: Target.cpp:1674
Status SerializeBreakpointsToFile(const FileSpec &file, const BreakpointIDList &bp_ids, bool append)
Definition: Target.cpp:1065
void DidExec()
Called as the last function in Process::DidExec().
Definition: Target.cpp:1465
void SaveScriptedLaunchInfo(lldb_private::ProcessInfo &process_info)
Definition: Target.cpp:3194
std::string m_label
Definition: Target.h:1541
lldb::user_id_t m_stop_hook_next_id
Definition: Target.h:1569
void RemoveAllStopHooks()
Definition: Target.cpp:2856
static FileSpecList GetDefaultExecutableSearchPaths()
Definition: Target.cpp:2601
lldb::BreakpointSP CreateExceptionBreakpoint(enum lldb::LanguageType language, bool catch_bp, bool throw_bp, bool internal, Args *additional_args=nullptr, Status *additional_args_error=nullptr)
Definition: Target.cpp:646
lldb::SearchFilterSP GetSearchFilterForModule(const FileSpec *containingModule)
Definition: Target.cpp:574
llvm::StringMapEntry< DummySignalValues > DummySignalElement
Definition: Target.h:1475
std::recursive_mutex & GetAPIMutex()
Definition: Target.cpp:4945
static FileSpecList GetDefaultDebugFileSearchPaths()
Definition: Target.cpp:2605
void EnableAllowedBreakpoints()
Definition: Target.cpp:997
llvm::Error SetLabel(llvm::StringRef label)
Set a label for a target.
Definition: Target.cpp:2620
uint32_t m_latest_stop_hook_id
Definition: Target.h:1570
void RemoveAllowedBreakpoints()
Definition: Target.cpp:949
bool DisableAllWatchpoints(bool end_to_end=true)
Definition: Target.cpp:1253
lldb::addr_t GetReasonableReadSize(const Address &addr)
Return a recommended size for memory reads at addr, optimizing for cache usage.
Definition: Target.cpp:2026
lldb::PlatformSP m_platform_sp
The platform for this target.
Definition: Target.h:1531
llvm::Expected< std::unique_ptr< UtilityFunction > > CreateUtilityFunction(std::string expression, std::string name, lldb::LanguageType language, ExecutionContext &exe_ctx)
Creates and installs a UtilityFunction for the given language.
Definition: Target.cpp:2568
static TargetProperties & GetGlobalProperties()
Definition: Target.cpp:3055
Status Install(ProcessLaunchInfo *launch_info)
Definition: Target.cpp:3063
lldb::PlatformSP GetPlatform()
Definition: Target.h:1433
void NotifyModuleRemoved(const ModuleList &module_list, const lldb::ModuleSP &module_sp) override
Definition: Target.cpp:1664
lldb::BreakpointSP CreateAddressInModuleBreakpoint(lldb::addr_t file_addr, bool internal, const FileSpec &file_spec, bool request_hardware)
Definition: Target.cpp:483
lldb::BreakpointSP CreateBreakpoint(const FileSpecList *containingModules, const FileSpec &file, uint32_t line_no, uint32_t column, lldb::addr_t offset, LazyBool check_inlines, LazyBool skip_prologue, bool internal, bool request_hardware, LazyBool move_to_nearest_code)
Definition: Target.cpp:395
bool ResolveLoadAddress(lldb::addr_t load_addr, Address &so_addr, uint32_t stop_id=SectionLoadHistory::eStopIDNow)
Definition: Target.cpp:3111
void RemoveAllBreakpoints(bool internal_also=false)
Definition: Target.cpp:958
lldb::BreakpointSP CreateSourceRegexBreakpoint(const FileSpecList *containingModules, const FileSpecList *source_file_list, const std::unordered_set< std::string > &function_names, RegularExpression source_regex, bool internal, bool request_hardware, LazyBool move_to_nearest_code)
Definition: Target.cpp:378
static ArchSpec GetDefaultArchitecture()
Definition: Target.cpp:2609
void ResetBreakpointHitCounts()
Resets the hit count of all breakpoints.
Definition: Target.cpp:1061
const ModuleList & GetImages() const
Get accessor for the images for this process.
Definition: Target.h:972
const ArchSpec & GetArchitecture() const
Definition: Target.h:1014
WatchpointList & GetWatchpointList()
Definition: Target.h:765
bool EnableBreakpointByID(lldb::break_id_t break_id)
Definition: Target.cpp:1042
uint64_t ReadUnsignedIntegerFromMemory(const Address &addr, size_t integer_byte_size, uint64_t fail_value, Status &error, bool force_live_memory=false)
Definition: Target.cpp:2117
TargetStats m_stats
Definition: Target.h:1592
bool IgnoreAllWatchpoints(uint32_t ignore_count)
Definition: Target.cpp:1335
void AddBreakpoint(lldb::BreakpointSP breakpoint_sp, bool internal)
Definition: Target.cpp:708
TypeSystemMap m_scratch_type_system_map
Definition: Target.h:1560
void AddBreakpointName(std::unique_ptr< BreakpointName > bp_name)
Definition: Target.cpp:757
SectionLoadHistory m_section_load_history
Definition: Target.h:1544
void GetBreakpointNames(std::vector< std::string > &names)
Definition: Target.cpp:823
Target(Debugger &debugger, const ArchSpec &target_arch, const lldb::PlatformSP &platform_sp, bool is_dummy_target)
Construct with optional file and arch.
Definition: Target.cpp:95
size_t UnloadModuleSections(const lldb::ModuleSP &module_sp)
Definition: Target.cpp:3151
bool m_valid
This records the last natural stop at which we ran a stop-hook.
Definition: Target.h:1572
bool DisableWatchpointByID(lldb::watch_id_t watch_id)
Definition: Target.cpp:1352
void AddDummySignal(llvm::StringRef name, LazyBool pass, LazyBool print, LazyBool stop)
Add a signal to the Target's list of stored signals/actions.
Definition: Target.cpp:3573
lldb::WatchpointSP m_last_created_watchpoint
Definition: Target.h:1553
Status CreateBreakpointsFromFile(const FileSpec &file, BreakpointIDList &new_bps)
Definition: Target.cpp:1157
Debugger & m_debugger
Definition: Target.h:1530
void SetREPL(lldb::LanguageType language, lldb::REPLSP repl_sp)
Definition: Target.cpp:273
void SetExecutableModule(lldb::ModuleSP &module_sp, LoadDependentFiles load_dependent_files=eLoadDependentsDefault)
Set the main executable module.
Definition: Target.cpp:1471
lldb::StackFrameRecognizerManagerUP m_frame_recognizer_manager_up
Stores the frame recognizers of this target.
Definition: Target.h:1580
lldb::REPLSP GetREPL(Status &err, lldb::LanguageType language, const char *repl_options, bool can_create)
Definition: Target.cpp:223
ModuleList m_images
The list of images for this process (shared libraries and anything dynamically loaded).
Definition: Target.h:1542
lldb::ProcessSP CalculateProcess() override
Definition: Target.cpp:2390
void PrintDummySignals(Stream &strm, Args &signals)
Print all the signals set in this target.
Definition: Target.cpp:3667
void SetPlatform(const lldb::PlatformSP &platform_sp)
Definition: Target.h:1435
bool SetSectionLoadAddress(const lldb::SectionSP &section, lldb::addr_t load_addr, bool warn_multiple=false)
Definition: Target.cpp:3121
Status Attach(ProcessAttachInfo &attach_info, Stream *stream)
Definition: Target.cpp:3408
static void SetDefaultArchitecture(const ArchSpec &arch)
Definition: Target.cpp:2613
lldb::BreakpointSP m_last_created_breakpoint
Definition: Target.h:1551
void RemoveNameFromBreakpoint(lldb::BreakpointSP &bp_sp, ConstString name)
Definition: Target.cpp:796
bool RemoveStopHookByID(lldb::user_id_t uid)
Definition: Target.cpp:2851
static void SettingsInitialize()
Definition: Target.cpp:2597
~Target() override
Definition: Target.cpp:130
bool EnableAllWatchpoints(bool end_to_end=true)
Definition: Target.cpp:1280
std::recursive_mutex m_private_mutex
When the private state thread calls SB API's - usually because it is running OS plugin or Python Thre...
Definition: Target.h:1539
lldb::ExpressionResults EvaluateExpression(llvm::StringRef expression, ExecutionContextScope *exe_scope, lldb::ValueObjectSP &result_valobj_sp, const EvaluateExpressionOptions &options=EvaluateExpressionOptions(), std::string *fixed_expression=nullptr, ValueObject *ctx_obj=nullptr)
Definition: Target.cpp:2655
bool MergeArchitecture(const ArchSpec &arch_spec)
Definition: Target.cpp:1627
uint32_t GetSize(bool can_update=true)
Definition: ThreadList.cpp:83
lldb::ThreadSP GetThreadAtIndex(uint32_t idx, bool can_update=true)
Definition: ThreadList.cpp:91
static llvm::Expected< lldb::TraceSP > FindPluginForLiveProcess(llvm::StringRef plugin_name, Process &process)
Find a trace plug-in to trace a live process.
Definition: Trace.cpp:134
llvm::Expected< lldb::TypeSystemSP > GetTypeSystemForLanguage(lldb::LanguageType language, Module *module, bool can_create)
Definition: TypeSystem.cpp:317
void ForEach(std::function< bool(lldb::TypeSystemSP)> const &callback)
Definition: TypeSystem.cpp:233
void Dump(Stream &s) const
Definition: UUID.cpp:64
void Clear()
Definition: UUID.h:62
bool IsValid() const
Definition: UUID.h:69
Encapsulates a one-time expression for use in lldb.
static lldb::ExpressionResults Evaluate(ExecutionContext &exe_ctx, const EvaluateExpressionOptions &options, llvm::StringRef expr_cstr, llvm::StringRef expr_prefix, lldb::ValueObjectSP &result_valobj_sp, Status &error, std::string *fixed_expression=nullptr, ValueObject *ctx_obj=nullptr)
Evaluate one expression in the scratch context of the target passed in the exe_ctx and return its res...
static lldb::ValueObjectSP Create(ExecutionContextScope *exe_scope, lldb::ByteOrder byte_order, uint32_t addr_byte_size, lldb::addr_t address=LLDB_INVALID_ADDRESS)
lldb::watch_id_t Add(const lldb::WatchpointSP &wp_sp, bool notify)
Add a Watchpoint to the list.
void SetEnabledAll(bool enabled)
lldb::WatchpointSP FindByID(lldb::watch_id_t watchID) const
Returns a shared pointer to the watchpoint with id watchID, const version.
void GetListMutex(std::unique_lock< std::recursive_mutex > &lock)
Sets the passed in Locker to hold the Watchpoint List mutex.
WatchpointIterable Watchpoints() const
bool Remove(lldb::watch_id_t watchID, bool notify)
Removes the watchpoint given by watchID from this list.
const lldb::WatchpointSP FindByAddress(lldb::addr_t addr) const
Returns a shared pointer to the watchpoint at address addr - const version.
#define LLDB_WATCH_TYPE_WRITE
Definition: lldb-defines.h:46
#define LLDB_INVALID_BREAK_ID
Definition: lldb-defines.h:37
#define LLDB_INVALID_SIGNAL_NUMBER
Definition: lldb-defines.h:92
#define LLDB_INVALID_INDEX32
Definition: lldb-defines.h:83
#define LLDB_WATCH_TYPE_IS_VALID(type)
Definition: lldb-defines.h:48
#define LLDB_BREAK_ID_IS_INTERNAL(bid)
Definition: lldb-defines.h:40
#define LLDB_WATCH_TYPE_MODIFY
Definition: lldb-defines.h:47
#define LLDB_WATCH_TYPE_READ
Definition: lldb-defines.h:45
#define LLDB_INVALID_ADDRESS
Definition: lldb-defines.h:82
@ SelectMostRelevantFrame
A class that represents a running process on the host machine.
Definition: SBAttachInfo.h:14
Log * GetLog(Cat mask)
Retrieve the Log object for the channel associated with the given log enum.
Definition: Log.h:314
LoadScriptFromSymFile
Definition: Target.h:50
@ eLoadScriptFromSymFileTrue
Definition: Target.h:51
@ eLoadScriptFromSymFileFalse
Definition: Target.h:52
@ eLoadScriptFromSymFileWarn
Definition: Target.h:53
DynamicClassInfoHelper
Definition: Target.h:68
@ eDynamicClassInfoHelperCopyRealizedClassList
Definition: Target.h:71
@ eDynamicClassInfoHelperGetRealizedClassList
Definition: Target.h:72
@ eDynamicClassInfoHelperAuto
Definition: Target.h:69
@ eDynamicClassInfoHelperRealizedClassesStruct
Definition: Target.h:70
OptionEnumValues GetDynamicValueTypes()
Definition: Target.cpp:3938
ImportStdModule
Definition: Target.h:62
@ eImportStdModuleFalse
Definition: Target.h:63
@ eImportStdModuleFallback
Definition: Target.h:64
@ eImportStdModuleTrue
Definition: Target.h:65
const char * StateAsCString(lldb::StateType state)
Converts a StateType to a C string.
Definition: State.cpp:14
LoadCWDlldbinitFile
Definition: Target.h:56
@ eLoadCWDlldbinitTrue
Definition: Target.h:57
@ eLoadCWDlldbinitFalse
Definition: Target.h:58
@ eLoadCWDlldbinitWarn
Definition: Target.h:59
llvm::ArrayRef< OptionEnumValueElement > OptionEnumValues
InlineStrategy
Definition: Target.h:44
@ eInlineBreakpointsNever
Definition: Target.h:45
@ eInlineBreakpointsAlways
Definition: Target.h:47
@ eInlineBreakpointsHeaders
Definition: Target.h:46
Definition: SBAddress.h:15
std::shared_ptr< lldb_private::OptionValueProperties > OptionValuePropertiesSP
Definition: lldb-forward.h:379
std::shared_ptr< lldb_private::Trace > TraceSP
Definition: lldb-forward.h:446
std::shared_ptr< lldb_private::TypeSystem > TypeSystemSP
Definition: lldb-forward.h:457
std::shared_ptr< lldb_private::ABI > ABISP
Definition: lldb-forward.h:310
std::shared_ptr< lldb_private::StackFrame > StackFrameSP
Definition: lldb-forward.h:412
std::shared_ptr< lldb_private::SearchFilter > SearchFilterSP
Definition: lldb-forward.h:410
std::shared_ptr< lldb_private::BreakpointResolver > BreakpointResolverSP
Definition: lldb-forward.h:320
DescriptionLevel
Description levels for "void GetDescription(Stream *, DescriptionLevel)" calls.
@ eDescriptionLevelBrief
@ eDescriptionLevelVerbose
std::shared_ptr< lldb_private::Thread > ThreadSP
Definition: lldb-forward.h:438
std::shared_ptr< lldb_private::ValueObject > ValueObjectSP
Definition: lldb-forward.h:472
std::shared_ptr< lldb_private::ExpressionVariable > ExpressionVariableSP
Definition: lldb-forward.h:343
std::shared_ptr< lldb_private::UnixSignals > UnixSignalsSP
Definition: lldb-forward.h:468
std::shared_ptr< lldb_private::Platform > PlatformSP
Definition: lldb-forward.h:380
uint64_t offset_t
Definition: lldb-types.h:83
StateType
Process and Thread States.
@ eStateConnected
Process is connected to remote debug services, but not launched or attached to anything yet.
@ eStateStopped
Process or thread is stopped and can be examined.
@ eStateAttaching
Process is currently trying to attach.
@ eStateExited
Process has exited and can't be examined.
std::shared_ptr< lldb_private::RegisterTypeBuilder > RegisterTypeBuilderSP
Definition: lldb-forward.h:388
LanguageType
Programming language type.
@ eLanguageTypeMipsAssembler
Mips_Assembler.
@ eLanguageTypeUnknown
Unknown or invalid language value.
@ eLanguageTypeC
Non-standardized C, such as K&R.
std::shared_ptr< lldb_private::Stream > StreamSP
Definition: lldb-forward.h:420
std::shared_ptr< lldb_private::Breakpoint > BreakpointSP
Definition: lldb-forward.h:313
ExpressionResults
The results of expression evaluation.
@ eExpressionCompleted
@ eExpressionSetupError
int32_t break_id_t
Definition: lldb-types.h:84
std::shared_ptr< lldb_private::Process > ProcessSP
Definition: lldb-forward.h:381
std::shared_ptr< lldb_private::BreakpointPrecondition > BreakpointPreconditionSP
Definition: lldb-forward.h:319
std::shared_ptr< lldb_private::Event > EventSP
Definition: lldb-forward.h:337
ReturnStatus
Command Return Status Types.
@ eReturnStatusSuccessContinuingResult
@ eReturnStatusSuccessContinuingNoResult
std::shared_ptr< lldb_private::Watchpoint > WatchpointSP
Definition: lldb-forward.h:477
std::shared_ptr< lldb_private::Listener > ListenerSP
Definition: lldb-forward.h:360
int32_t watch_id_t
Definition: lldb-types.h:85
@ eSearchDepthTarget
uint64_t user_id_t
Definition: lldb-types.h:80
std::shared_ptr< lldb_private::DataBuffer > DataBufferSP
Definition: lldb-forward.h:328
std::shared_ptr< lldb_private::Section > SectionSP
Definition: lldb-forward.h:406
uint64_t addr_t
Definition: lldb-types.h:79
std::shared_ptr< lldb_private::Target > TargetSP
Definition: lldb-forward.h:436
@ eDynamicDontRunTarget
@ eDynamicCanRunTarget
@ eNoDynamicValues
std::shared_ptr< lldb_private::Module > ModuleSP
Definition: lldb-forward.h:365
std::shared_ptr< lldb_private::REPL > REPLSP
Definition: lldb-forward.h:393
A SmallBitVector that represents a set of source languages (lldb::LanguageType).
Definition: Type.h:36
llvm::SmallBitVector bitvector
Definition: Type.h:37
std::optional< lldb::LanguageType > GetSingularLanguage()
If the set contains a single language only, return it.
Definition: TypeSystem.cpp:28
A mix in class that contains a generic user ID.
Definition: UserID.h:31
lldb::user_id_t GetID() const
Get accessor for the user ID.
Definition: UserID.h:47