LLDB mainline
ClangUserExpression.cpp
Go to the documentation of this file.
1//===-- ClangUserExpression.cpp -------------------------------------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8
9#include <cstdio>
10#include <sys/types.h>
11
12#include <cstdlib>
13#include <map>
14#include <string>
15
16#include "ClangUserExpression.h"
17
19#include "ClangASTMetadata.h"
20#include "ClangDiagnostic.h"
26
28#include "lldb/Core/Debugger.h"
29#include "lldb/Core/Module.h"
35#include "lldb/Host/HostInfo.h"
36#include "lldb/Symbol/Block.h"
42#include "lldb/Symbol/Type.h"
45#include "lldb/Target/Process.h"
47#include "lldb/Target/Target.h"
52#include "lldb/Utility/Log.h"
55
56#include "clang/AST/DeclCXX.h"
57#include "clang/AST/DeclObjC.h"
58
59#include "clang/Basic/DiagnosticSema.h"
60#include "llvm/ADT/STLExtras.h"
61#include "llvm/ADT/ScopeExit.h"
62#include "llvm/BinaryFormat/Dwarf.h"
63
64using namespace lldb_private;
65
67
69 ExecutionContextScope &exe_scope, llvm::StringRef expr,
70 llvm::StringRef prefix, SourceLanguage language, ResultType desired_type,
71 const EvaluateExpressionOptions &options, ValueObject *ctx_obj)
72 : LLVMUserExpression(exe_scope, expr, prefix, language, desired_type,
73 options),
74 m_type_system_helper(*m_target_wp.lock(), options.GetExecutionPolicy() ==
76 m_result_delegate(exe_scope.CalculateTarget()), m_ctx_obj(ctx_obj) {
77 switch (m_language.name) {
78 case llvm::dwarf::DW_LNAME_C_plus_plus:
79 m_allow_cxx = true;
80 break;
81 case llvm::dwarf::DW_LNAME_ObjC:
82 m_allow_objc = true;
83 break;
84 case llvm::dwarf::DW_LNAME_ObjC_plus_plus:
85 default:
86 m_allow_cxx = true;
87 m_allow_objc = true;
88 break;
89 }
90}
91
93
96
97 LLDB_LOGF(log, "ClangUserExpression::ScanContext()");
98
99 m_target = exe_ctx.GetTargetPtr();
100
101 if (!(m_allow_cxx || m_allow_objc)) {
102 LLDB_LOGF(log, " [CUE::SC] Settings inhibit C++ and Objective-C");
103 return;
104 }
105
106 StackFrame *frame = exe_ctx.GetFramePtr();
107 if (frame == nullptr) {
108 LLDB_LOGF(log, " [CUE::SC] Null stack frame");
109 return;
110 }
111
112 SymbolContext sym_ctx = frame->GetSymbolContext(lldb::eSymbolContextFunction |
113 lldb::eSymbolContextBlock);
114
115 if (!sym_ctx.function) {
116 LLDB_LOGF(log, " [CUE::SC] Null function");
117 return;
118 }
119
120 // Find the block that defines the function represented by "sym_ctx"
121 Block *function_block = sym_ctx.GetFunctionBlock();
122
123 if (!function_block) {
124 LLDB_LOGF(log, " [CUE::SC] Null function block");
125 return;
126 }
127
128 CompilerDeclContext decl_context = function_block->GetDeclContext();
129
130 if (!decl_context) {
131 LLDB_LOGF(log, " [CUE::SC] Null decl context");
132 return;
133 }
134
135 if (m_ctx_obj) {
136 switch (m_ctx_obj->GetObjectRuntimeLanguage()) {
146 break;
150 break;
151 default:
152 break;
153 }
154 m_needs_object_ptr = true;
155 } else if (clang::CXXMethodDecl *method_decl =
157 if (m_allow_cxx && method_decl->isInstance()) {
159 lldb::VariableListSP variable_list_sp(
160 function_block->GetBlockVariableList(true));
161
162 const char *thisErrorString = "Stopped in a C++ method, but 'this' "
163 "isn't available; pretending we are in a "
164 "generic context";
165
166 if (!variable_list_sp) {
167 err = Status::FromErrorString(thisErrorString);
168 return;
169 }
170
171 lldb::VariableSP this_var_sp(
172 variable_list_sp->FindVariable(ConstString("this")));
173
174 if (!this_var_sp || !this_var_sp->IsInScope(frame) ||
175 !this_var_sp->LocationIsValidForFrame(frame)) {
176 err = Status::FromErrorString(thisErrorString);
177 return;
178 }
179 }
180
182 m_needs_object_ptr = true;
183 }
184 } else if (clang::ObjCMethodDecl *method_decl =
186 decl_context)) {
187 if (m_allow_objc) {
189 lldb::VariableListSP variable_list_sp(
190 function_block->GetBlockVariableList(true));
191
192 const char *selfErrorString = "Stopped in an Objective-C method, but "
193 "'self' isn't available; pretending we "
194 "are in a generic context";
195
196 if (!variable_list_sp) {
197 err = Status::FromErrorString(selfErrorString);
198 return;
199 }
200
201 lldb::VariableSP self_variable_sp =
202 variable_list_sp->FindVariable(ConstString("self"));
203
204 if (!self_variable_sp || !self_variable_sp->IsInScope(frame) ||
205 !self_variable_sp->LocationIsValidForFrame(frame)) {
206 err = Status::FromErrorString(selfErrorString);
207 return;
208 }
209 }
210
212 m_needs_object_ptr = true;
213
214 if (!method_decl->isInstanceMethod())
215 m_in_static_method = true;
216 }
217 } else if (clang::FunctionDecl *function_decl =
219 // We might also have a function that said in the debug information that it
220 // captured an object pointer. The best way to deal with getting to the
221 // ivars at present is by pretending that this is a method of a class in
222 // whatever runtime the debug info says the object pointer belongs to. Do
223 // that here.
224
225 if (std::optional<ClangASTMetadata> metadata =
227 function_decl);
228 metadata && metadata->HasObjectPtr()) {
229 lldb::LanguageType language = metadata->GetObjectPtrLanguage();
230 if (language == lldb::eLanguageTypeC_plus_plus) {
232 lldb::VariableListSP variable_list_sp(
233 function_block->GetBlockVariableList(true));
234
235 const char *thisErrorString = "Stopped in a context claiming to "
236 "capture a C++ object pointer, but "
237 "'this' isn't available; pretending we "
238 "are in a generic context";
239
240 if (!variable_list_sp) {
241 err = Status::FromErrorString(thisErrorString);
242 return;
243 }
244
245 lldb::VariableSP this_var_sp(
246 variable_list_sp->FindVariable(ConstString("this")));
247
248 if (!this_var_sp || !this_var_sp->IsInScope(frame) ||
249 !this_var_sp->LocationIsValidForFrame(frame)) {
250 err = Status::FromErrorString(thisErrorString);
251 return;
252 }
253 }
254
256 m_needs_object_ptr = true;
257 } else if (language == lldb::eLanguageTypeObjC) {
259 lldb::VariableListSP variable_list_sp(
260 function_block->GetBlockVariableList(true));
261
262 const char *selfErrorString =
263 "Stopped in a context claiming to capture an Objective-C object "
264 "pointer, but 'self' isn't available; pretending we are in a "
265 "generic context";
266
267 if (!variable_list_sp) {
268 err = Status::FromErrorString(selfErrorString);
269 return;
270 }
271
272 lldb::VariableSP self_variable_sp =
273 variable_list_sp->FindVariable(ConstString("self"));
274
275 if (!self_variable_sp || !self_variable_sp->IsInScope(frame) ||
276 !self_variable_sp->LocationIsValidForFrame(frame)) {
277 err = Status::FromErrorString(selfErrorString);
278 return;
279 }
280
281 Type *self_type = self_variable_sp->GetType();
282
283 if (!self_type) {
284 err = Status::FromErrorString(selfErrorString);
285 return;
286 }
287
288 CompilerType self_clang_type = self_type->GetForwardCompilerType();
289
290 if (!self_clang_type) {
291 err = Status::FromErrorString(selfErrorString);
292 return;
293 }
294
295 if (TypeSystemClang::IsObjCClassType(self_clang_type)) {
296 return;
298 self_clang_type)) {
300 m_needs_object_ptr = true;
301 } else {
302 err = Status::FromErrorString(selfErrorString);
303 return;
304 }
305 } else {
307 m_needs_object_ptr = true;
308 }
309 }
310 }
311 }
312}
313
314// This is a really nasty hack, meant to fix Objective-C expressions of the
315// form (int)[myArray count]. Right now, because the type information for
316// count is not available, [myArray count] returns id, which can't be directly
317// cast to int without causing a clang error.
318static void ApplyObjcCastHack(std::string &expr) {
319 const std::string from = "(int)[";
320 const std::string to = "(int)(long long)[";
321
322 size_t offset;
323
324 while ((offset = expr.find(from)) != expr.npos)
325 expr.replace(offset, from.size(), to);
326}
327
329 ExecutionContext &exe_ctx) {
330 if (Target *target = exe_ctx.GetTargetPtr()) {
331 if (PersistentExpressionState *persistent_state =
332 target->GetPersistentExpressionStateForLanguage(
334 m_clang_state = llvm::cast<ClangPersistentVariables>(persistent_state);
335 m_result_delegate.RegisterPersistentState(persistent_state);
336 } else {
337 diagnostic_manager.PutString(
338 lldb::eSeverityError, "couldn't start parsing (no persistent data)");
339 return false;
340 }
341 } else {
342 diagnostic_manager.PutString(lldb::eSeverityError,
343 "error: couldn't start parsing (no target)");
344 return false;
345 }
346 return true;
347}
348
349static void SetupDeclVendor(ExecutionContext &exe_ctx, Target *target,
350 DiagnosticManager &diagnostic_manager) {
351 if (!target->GetEnableAutoImportClangModules())
352 return;
353
354 auto *persistent_state = llvm::cast<ClangPersistentVariables>(
356 if (!persistent_state)
357 return;
358
359 std::shared_ptr<ClangModulesDeclVendor> decl_vendor =
360 persistent_state->GetClangModulesDeclVendor();
361 if (!decl_vendor)
362 return;
363
364 StackFrame *frame = exe_ctx.GetFramePtr();
365 if (!frame)
366 return;
367
368 Block *block = frame->GetFrameBlock();
369 if (!block)
370 return;
371 SymbolContext sc;
372
373 block->CalculateSymbolContext(&sc);
374
375 if (!sc.comp_unit)
376 return;
377 ClangModulesDeclVendor::ModuleVector modules_for_macros =
378 persistent_state->GetHandLoadedClangModules();
379
380 auto err =
381 decl_vendor->AddModulesForCompileUnit(*sc.comp_unit, modules_for_macros);
382 if (!err)
383 return;
384
385 // Module load errors aren't fatal to the expression evaluator. Printing
386 // them as diagnostics to the console would be too noisy and misleading
387 // Hence just print them to the expression log.
388 llvm::handleAllErrors(std::move(err), [](const llvm::StringError &e) {
389 LLDB_LOG(GetLog(LLDBLog::Expressions), "{0}", e.getMessage());
390 });
391}
392
394 assert(m_options.GetExecutionPolicy() != eExecutionPolicyTopLevel &&
395 "Top level expressions aren't wrapped.");
398 return Kind::CppMemberFunction;
399 else if (m_in_objectivec_method) {
401 return Kind::ObjCStaticMethod;
402 return Kind::ObjCInstanceMethod;
403 }
404 // Not in any kind of 'special' function, so just wrap it in a normal C
405 // function.
406 return Kind::Function;
407}
408
410 DiagnosticManager &diagnostic_manager, ExecutionContext &exe_ctx,
411 std::vector<std::string> modules_to_import, bool for_completion) {
412
413 std::string prefix = m_expr_prefix;
414
415 if (m_options.GetExecutionPolicy() == eExecutionPolicyTopLevel) {
417 } else {
419 m_filename, prefix, m_expr_text, GetWrapKind()));
420
421 if (!m_source_code->GetText(m_transformed_text, exe_ctx, !m_ctx_obj,
422 for_completion, modules_to_import,
423 m_options.GetCppIgnoreContextQualifiers())) {
424 diagnostic_manager.PutString(lldb::eSeverityError,
425 "couldn't construct expression body");
426 return;
427 }
428
429 // Find and store the start position of the original code inside the
430 // transformed code. We need this later for the code completion.
431 std::size_t original_start;
432 std::size_t original_end;
433 bool found_bounds = m_source_code->GetOriginalBodyBounds(
434 m_transformed_text, original_start, original_end);
435 if (found_bounds)
436 m_user_expression_start_pos = original_start;
437 }
438}
439
441 switch (language) {
447 return true;
448 default:
449 return false;
450 }
451}
452
453/// Utility method that puts a message into the expression log and
454/// returns an invalid module configuration.
455static CppModuleConfiguration LogConfigError(const std::string &msg) {
457 LLDB_LOG(log, "[C++ module config] {0}", msg);
458 return CppModuleConfiguration();
459}
460
462 ExecutionContext &exe_ctx) {
464
465 // Don't do anything if this is not a C++ module configuration.
466 if (!SupportsCxxModuleImport(language))
467 return LogConfigError("Language doesn't support C++ modules");
468
469 Target *target = exe_ctx.GetTargetPtr();
470 if (!target)
471 return LogConfigError("No target");
472
473 StackFrame *frame = exe_ctx.GetFramePtr();
474 if (!frame)
475 return LogConfigError("No frame");
476
477 Block *block = frame->GetFrameBlock();
478 if (!block)
479 return LogConfigError("No block");
480
481 SymbolContext sc;
482 block->CalculateSymbolContext(&sc);
483 if (!sc.comp_unit)
484 return LogConfigError("Couldn't calculate symbol context");
485
486 // Build a list of files we need to analyze to build the configuration.
487 FileSpecList files;
488 for (auto &f : sc.comp_unit->GetSupportFiles())
489 files.AppendIfUnique(f->Materialize());
490 // We also need to look at external modules in the case of -gmodules as they
491 // contain the support files for libc++ and the C library.
492 llvm::DenseSet<SymbolFile *> visited_symbol_files;
494 visited_symbol_files, [&files](Module &module) {
495 for (std::size_t i = 0; i < module.GetNumCompileUnits(); ++i) {
496 const SupportFileList &support_files =
497 module.GetCompileUnitAtIndex(i)->GetSupportFiles();
498 for (auto &f : support_files) {
499 files.AppendIfUnique(f->Materialize());
500 }
501 }
502 return false;
503 });
504
505 LLDB_LOG(log, "[C++ module config] Found {0} support files to analyze",
506 files.GetSize());
507 if (log && log->GetVerbose()) {
508 for (auto &f : files)
509 LLDB_LOGV(log, "[C++ module config] Analyzing support file: {0}",
510 f.GetPath());
511 }
512
513 // Try to create a configuration from the files. If there is no valid
514 // configuration possible with the files, this just returns an invalid
515 // configuration.
516 return CppModuleConfiguration(files, target->GetArchitecture().GetTriple());
517}
518
520 DiagnosticManager &diagnostic_manager, ExecutionContext &exe_ctx,
521 bool for_completion) {
522 InstallContext(exe_ctx);
523
524 if (!SetupPersistentState(diagnostic_manager, exe_ctx))
525 return false;
526
527 Status err;
528 ScanContext(exe_ctx, err);
529
530 if (!err.Success()) {
531 diagnostic_manager.PutString(lldb::eSeverityWarning, err.AsCString());
532 }
533
534 ////////////////////////////////////
535 // Generate the expression
536 //
537
539
540 SetupDeclVendor(exe_ctx, m_target, diagnostic_manager);
541
542 m_filename = m_clang_state->GetNextExprFileName();
543
544 if (m_target->GetImportStdModule() == eImportStdModuleTrue)
545 SetupCppModuleImports(exe_ctx);
546
547 CreateSourceCode(diagnostic_manager, exe_ctx, m_imported_cpp_modules,
548 for_completion);
549 return true;
550}
551
553 DiagnosticManager &diagnostic_manager, ExecutionContext &exe_ctx,
554 lldb_private::ExecutionPolicy execution_policy, bool keep_result_in_memory,
555 bool generate_debug_info) {
556 m_materializer_up = std::make_unique<Materializer>();
557
558 ResetDeclMap(exe_ctx, m_result_delegate, keep_result_in_memory);
559
560 llvm::scope_exit on_exit([this]() { ResetDeclMap(); });
561
562 if (!DeclMap()->WillParse(exe_ctx, GetMaterializer())) {
563 diagnostic_manager.PutString(
565 "current process state is unsuitable for expression parsing");
566 return false;
567 }
568
569 if (m_options.GetExecutionPolicy() == eExecutionPolicyTopLevel) {
570 DeclMap()->SetLookupsEnabled(true);
571 }
572
573 m_parser = std::make_unique<ClangExpressionParser>(
574 exe_ctx.GetBestExecutionContextScope(), *this, generate_debug_info,
575 diagnostic_manager, m_include_directories, m_filename);
576
577 unsigned num_errors = m_parser->Parse(diagnostic_manager);
578
579 // Check here for FixItHints. If there are any try to apply the fixits and
580 // set the fixed text in m_fixed_text before returning an error.
581 if (num_errors) {
582 if (diagnostic_manager.HasFixIts()) {
583 if (m_parser->RewriteExpression(diagnostic_manager)) {
584 size_t fixed_start;
585 size_t fixed_end;
586 m_fixed_text = diagnostic_manager.GetFixedExpression();
587 // Retrieve the original expression in case we don't have a top level
588 // expression (which has no surrounding source code).
589 if (m_source_code && m_source_code->GetOriginalBodyBounds(
590 m_fixed_text, fixed_start, fixed_end))
592 m_fixed_text.substr(fixed_start, fixed_end - fixed_start);
593 }
594 }
595 return false;
596 }
597
598 //////////////////////////////////////////////////////////////////////////////
599 // Prepare the output of the parser for execution, evaluating it statically
600 // if possible
601 //
602
603 {
604 Status jit_error = m_parser->PrepareForExecution(
606 m_can_interpret, execution_policy);
607
608 if (!jit_error.Success()) {
609 const char *error_cstr = jit_error.AsCString();
610 if (error_cstr && error_cstr[0])
611 diagnostic_manager.PutString(lldb::eSeverityError, error_cstr);
612 else
613 diagnostic_manager.PutString(lldb::eSeverityError,
614 "expression can't be interpreted or run");
615 return false;
616 }
617 }
618 return true;
619}
620
623
624 CppModuleConfiguration module_config =
625 GetModuleConfig(m_language.AsLanguageType(), exe_ctx);
627 m_include_directories = module_config.GetIncludeDirs();
628
629 LLDB_LOG(log, "List of imported modules in expression: {0}",
630 llvm::make_range(m_imported_cpp_modules.begin(),
632 LLDB_LOG(log, "List of include directories gathered for modules: {0}",
633 llvm::make_range(m_include_directories.begin(),
634 m_include_directories.end()));
635}
636
637static bool shouldRetryWithCppModule(Target &target, ExecutionPolicy exe_policy) {
638 // Top-level expression don't yet support importing C++ modules.
640 return false;
642}
643
645 ExecutionContext &exe_ctx,
646 lldb_private::ExecutionPolicy execution_policy,
647 bool keep_result_in_memory,
648 bool generate_debug_info) {
650
651 if (!PrepareForParsing(diagnostic_manager, exe_ctx, /*for_completion*/ false))
652 return false;
653
654 LLDB_LOGF(log, "Parsing the following code:\n%s", m_transformed_text.c_str());
655
656 ////////////////////////////////////
657 // Set up the target and compiler
658 //
659
660 Target *target = exe_ctx.GetTargetPtr();
661
662 if (!target) {
663 diagnostic_manager.PutString(lldb::eSeverityError, "invalid target");
664 return false;
665 }
666
667 //////////////////////////
668 // Parse the expression
669 //
670
671 bool parse_success = TryParse(diagnostic_manager, exe_ctx, execution_policy,
672 keep_result_in_memory, generate_debug_info);
673 // If the expression failed to parse, check if retrying parsing with a loaded
674 // C++ module is possible.
675 if (!parse_success && shouldRetryWithCppModule(*target, execution_policy)) {
676 // Load the loaded C++ modules.
677 SetupCppModuleImports(exe_ctx);
678 // If we did load any modules, then retry parsing.
679 if (!m_imported_cpp_modules.empty()) {
680 // Create a dedicated diagnostic manager for the second parse attempt.
681 // These diagnostics are only returned to the caller if using the fallback
682 // actually succeeded in getting the expression to parse. This prevents
683 // that module-specific issues regress diagnostic quality with the
684 // fallback mode.
685 DiagnosticManager retry_manager;
686 // The module imports are injected into the source code wrapper,
687 // so recreate those.
688 CreateSourceCode(retry_manager, exe_ctx, m_imported_cpp_modules,
689 /*for_completion*/ false);
690 parse_success = TryParse(retry_manager, exe_ctx, execution_policy,
691 keep_result_in_memory, generate_debug_info);
692 // Return the parse diagnostics if we were successful.
693 if (parse_success)
694 diagnostic_manager = std::move(retry_manager);
695 }
696 }
697 if (!parse_success)
698 return false;
699
701 bool register_execution_unit = false;
702
703 if (m_options.GetExecutionPolicy() == eExecutionPolicyTopLevel) {
704 register_execution_unit = true;
705 }
706
707 // If there is more than one external function in the execution unit, it
708 // needs to keep living even if it's not top level, because the result
709 // could refer to that function.
710
711 if (m_execution_unit_sp->GetJittedFunctions().size() > 1) {
712 register_execution_unit = true;
713 }
714
715 if (register_execution_unit) {
716 if (auto *persistent_state =
718 m_language.AsLanguageType()))
719 persistent_state->RegisterExecutionUnit(m_execution_unit_sp);
720 }
721 }
722
723 if (generate_debug_info) {
724 lldb::ModuleSP jit_module_sp(m_execution_unit_sp->GetJITModule());
725
726 if (jit_module_sp) {
727 ConstString const_func_name(FunctionName());
728 FileSpec jit_file;
729 jit_file.SetFilename(const_func_name);
730 jit_module_sp->SetFileSpecAndObjectName(jit_file, ConstString());
731 m_jit_module_wp = jit_module_sp;
732 target->GetImages().Append(jit_module_sp);
733 }
734 }
735
736 Process *process = exe_ctx.GetProcessPtr();
737 if (process && m_jit_start_addr != LLDB_INVALID_ADDRESS)
738 m_jit_process_wp = lldb::ProcessWP(process->shared_from_this());
739 return true;
740}
741
742/// Converts an absolute position inside a given code string into
743/// a column/line pair.
744///
745/// \param[in] abs_pos
746/// A absolute position in the code string that we want to convert
747/// to a column/line pair.
748///
749/// \param[in] code
750/// A multi-line string usually representing source code.
751///
752/// \param[out] line
753/// The line in the code that contains the given absolute position.
754/// The first line in the string is indexed as 1.
755///
756/// \param[out] column
757/// The column in the line that contains the absolute position.
758/// The first character in a line is indexed as 0.
759static void AbsPosToLineColumnPos(size_t abs_pos, llvm::StringRef code,
760 unsigned &line, unsigned &column) {
761 // Reset to code position to beginning of the file.
762 line = 0;
763 column = 0;
764
765 assert(abs_pos <= code.size() && "Absolute position outside code string?");
766
767 // We have to walk up to the position and count lines/columns.
768 for (std::size_t i = 0; i < abs_pos; ++i) {
769 // If we hit a line break, we go back to column 0 and enter a new line.
770 // We only handle \n because that's what we internally use to make new
771 // lines for our temporary code strings.
772 if (code[i] == '\n') {
773 ++line;
774 column = 0;
775 continue;
776 }
777 ++column;
778 }
779}
780
782 CompletionRequest &request,
783 unsigned complete_pos) {
785
786 // We don't want any visible feedback when completing an expression. Mostly
787 // because the results we get from an incomplete invocation are probably not
788 // correct.
789 DiagnosticManager diagnostic_manager;
790
791 if (!PrepareForParsing(diagnostic_manager, exe_ctx, /*for_completion*/ true))
792 return false;
793
794 LLDB_LOGF(log, "Parsing the following code:\n%s", m_transformed_text.c_str());
795
796 //////////////////////////
797 // Parse the expression
798 //
799
800 m_materializer_up = std::make_unique<Materializer>();
801
802 ResetDeclMap(exe_ctx, m_result_delegate, /*keep result in memory*/ true);
803
804 llvm::scope_exit on_exit([this]() { ResetDeclMap(); });
805
806 if (!DeclMap()->WillParse(exe_ctx, GetMaterializer())) {
807 diagnostic_manager.PutString(
809 "current process state is unsuitable for expression parsing");
810
811 return false;
812 }
813
814 if (m_options.GetExecutionPolicy() == eExecutionPolicyTopLevel) {
815 DeclMap()->SetLookupsEnabled(true);
816 }
817
819 false, diagnostic_manager);
820
821 // We have to find the source code location where the user text is inside
822 // the transformed expression code. When creating the transformed text, we
823 // already stored the absolute position in the m_transformed_text string. The
824 // only thing left to do is to transform it into the line:column format that
825 // Clang expects.
826
827 // The line and column of the user expression inside the transformed source
828 // code.
829 unsigned user_expr_line, user_expr_column;
832 user_expr_line, user_expr_column);
833 else
834 return false;
835
836 // The actual column where we have to complete is the start column of the
837 // user expression + the offset inside the user code that we were given.
838 const unsigned completion_column = user_expr_column + complete_pos;
839 parser.Complete(request, user_expr_line, completion_column, complete_pos);
840
841 return true;
842}
843
845 lldb::StackFrameSP frame_sp, llvm::StringRef object_name, Status &err) {
846 auto valobj_sp =
847 GetObjectPointerValueObject(std::move(frame_sp), object_name, err);
848
849 // We're inside a C++ class method. This could potentially be an unnamed
850 // lambda structure. If the lambda captured a "this", that should be
851 // the object pointer.
852 if (auto thisChildSP = valobj_sp->GetChildMemberWithName("this")) {
853 valobj_sp = thisChildSP;
854 }
855
856 if (!err.Success() || !valobj_sp.get())
858
859 lldb::addr_t ret = valobj_sp->GetValueAsUnsigned(LLDB_INVALID_ADDRESS);
860
861 if (ret == LLDB_INVALID_ADDRESS) {
863 "Couldn't load '{0}' because its value couldn't be evaluated",
864 object_name);
866 }
867
868 return ret;
869}
870
872 std::vector<lldb::addr_t> &args,
873 lldb::addr_t struct_address,
874 DiagnosticManager &diagnostic_manager) {
877
878 if (m_needs_object_ptr) {
879 lldb::StackFrameSP frame_sp = exe_ctx.GetFrameSP();
880 if (!frame_sp)
881 return true;
882
884 diagnostic_manager.PutString(
886 "need object pointer but don't know the language");
887 return false;
888 }
889
890 static constexpr llvm::StringLiteral g_cplusplus_object_name("this");
891 static constexpr llvm::StringLiteral g_objc_object_name("self");
892 llvm::StringRef object_name =
893 m_in_cplusplus_method ? g_cplusplus_object_name : g_objc_object_name;
894
895 Status object_ptr_error;
896
897 if (m_ctx_obj) {
898 ValueObject::AddrAndType address = m_ctx_obj->GetAddressOf(false);
899 if (address.address == LLDB_INVALID_ADDRESS ||
900 address.type != eAddressTypeLoad)
901 object_ptr_error = Status::FromErrorString("Can't get context object's "
902 "debuggee address");
903 else
904 object_ptr = address.address;
905 } else {
907 object_ptr =
908 GetCppObjectPointer(frame_sp, object_name, object_ptr_error);
909 } else {
910 object_ptr = GetObjectPointer(frame_sp, object_name, object_ptr_error);
911 }
912 }
913
914 if (!object_ptr_error.Success()) {
915 exe_ctx.GetTargetRef().GetDebugger().GetAsyncOutputStream()->Format(
916 "warning: `{0}' is not accessible (substituting 0). {1}\n",
917 object_name, object_ptr_error.AsCString());
918 object_ptr = 0;
919 }
920
922 static constexpr llvm::StringLiteral cmd_name("_cmd");
923
924 cmd_ptr = GetObjectPointer(frame_sp, cmd_name, object_ptr_error);
925
926 if (!object_ptr_error.Success()) {
927 diagnostic_manager.Printf(
929 "couldn't get cmd pointer (substituting NULL): %s",
930 object_ptr_error.AsCString());
931 cmd_ptr = 0;
932 }
933 }
934
935 args.push_back(object_ptr);
936
938 args.push_back(cmd_ptr);
939
940 args.push_back(struct_address);
941 } else {
942 args.push_back(struct_address);
943 }
944 return true;
945}
946
951
953 DiagnosticManager &diagnostic_manager) const {
954 const bool is_fixable_cvr_error = llvm::any_of(
955 diagnostic_manager.Diagnostics(),
956 [](std::unique_ptr<Diagnostic> const &diag) {
957 switch (diag->GetCompilerID()) {
958 case clang::diag::err_member_function_call_bad_cvr:
959 case clang::diag::err_typecheck_assign_const_method:
960 return true;
961 default:
962 return false;
963 }
964 });
965
966 // Nothing to report.
967 if (!is_fixable_cvr_error)
968 return;
969
970 // If the user already tried ignoring function qualifiers but
971 // the expression still failed, we don't want to suggest the hint again.
972 if (m_options.GetCppIgnoreContextQualifiers()) {
973 // Hard to prove that we don't get here so don't emit a diagnostic n
974 // non-asserts builds. But we do want a signal in asserts builds.
975 assert(false &&
976 "CppIgnoreContextQualifiers didn't resolve compiler diagnostic.");
977 return;
978 }
979
980 diagnostic_manager.Printf(
982 "Possibly trying to mutate object in a const context. Try "
983 "running the expression with: expression --c++-ignore-context-qualifiers "
984 "-- %s",
985 !m_fixed_text.empty() ? m_fixed_text.c_str() : m_expr_text.c_str());
986}
987
989 DiagnosticManager &diagnostic_manager) const {
990 if (llvm::none_of(diagnostic_manager.Diagnostics(),
991 [](std::unique_ptr<Diagnostic> const &diag) {
992 switch (diag->GetCompilerID()) {
993 // FIXME: should we also be checking
994 // clang::diag::err_no_member_template?
995 case clang::diag::err_no_template:
996 case clang::diag::err_non_template_in_template_id:
997 return true;
998 default:
999 return false;
1000 }
1001 }))
1002 return;
1003
1004 diagnostic_manager.AddDiagnostic(
1005 "Naming template instantiation not yet supported. Template functions "
1006 "can be invoked via their mangled name. For example, using "
1007 "`_Z3fooIiEvi(123)` for `foo<int>(123)`",
1009}
1010
1012 DiagnosticManager &diagnostic_manager) const {
1013 FixupCVRParseErrorDiagnostics(diagnostic_manager);
1014 FixupTemplateLookupDiagnostics(diagnostic_manager);
1015}
1016
1018
1020 ExecutionContext &exe_ctx,
1022 bool keep_result_in_memory, ValueObject *ctx_obj,
1023 bool ignore_context_qualifiers) {
1024 std::shared_ptr<ClangASTImporter> ast_importer;
1025 auto *state = exe_ctx.GetTargetSP()->GetPersistentExpressionStateForLanguage(
1027 if (state) {
1028 auto *persistent_vars = llvm::cast<ClangPersistentVariables>(state);
1029 ast_importer = persistent_vars->GetClangASTImporter();
1030 }
1031 m_expr_decl_map_up = std::make_unique<ClangExpressionDeclMap>(
1032 keep_result_in_memory, &delegate, exe_ctx.GetTargetSP(), ast_importer,
1033 ctx_obj, ignore_context_qualifiers);
1034}
1035
1036clang::ASTConsumer *
1038 clang::ASTConsumer *passthrough) {
1039 m_result_synthesizer_up = std::make_unique<ASTResultSynthesizer>(
1040 passthrough, m_top_level, m_target);
1041
1042 return m_result_synthesizer_up.get();
1043}
1044
1050
1052 return m_persistent_state->GetNextPersistentVariableName(false);
1053}
1054
1059
1064
static bool shouldRetryWithCppModule(Target &target, ExecutionPolicy exe_policy)
CppModuleConfiguration GetModuleConfig(lldb::LanguageType language, ExecutionContext &exe_ctx)
static CppModuleConfiguration LogConfigError(const std::string &msg)
Utility method that puts a message into the expression log and returns an invalid module configuratio...
static void AbsPosToLineColumnPos(size_t abs_pos, llvm::StringRef code, unsigned &line, unsigned &column)
Converts an absolute position inside a given code string into a column/line pair.
static void SetupDeclVendor(ExecutionContext &exe_ctx, Target *target, DiagnosticManager &diagnostic_manager)
static bool SupportsCxxModuleImport(lldb::LanguageType language)
static void ApplyObjcCastHack(std::string &expr)
#define LLDB_LOG(log,...)
The LLDB_LOG* macros defined below are the way to emit log messages.
Definition Log.h:369
#define LLDB_LOGF(log,...)
Definition Log.h:376
#define LLDB_LOGV(log,...)
Definition Log.h:383
llvm::Triple & GetTriple()
Architecture triple accessor.
Definition ArchSpec.h:457
A class that describes a single lexical block.
Definition Block.h:41
lldb::VariableListSP GetBlockVariableList(bool can_create)
Get the variable list for this block only.
Definition Block.cpp:392
void CalculateSymbolContext(SymbolContext *sc) override
Reconstruct the object's symbol context into sc.
Definition Block.cpp:137
CompilerDeclContext GetDeclContext()
Definition Block.cpp:473
void SetLookupsEnabled(bool lookups_enabled)
"lldb/Expression/ClangExpressionParser.h" Encapsulates an instance of Clang that can parse expression...
bool Complete(CompletionRequest &request, unsigned line, unsigned pos, unsigned typed_pos) override
Attempts to find possible command line completions for the given expression.
WrapKind
The possible ways an expression can be wrapped.
static ClangExpressionSourceCode * CreateWrapped(llvm::StringRef filename, llvm::StringRef prefix, llvm::StringRef body, WrapKind wrap_kind)
clang::ASTConsumer * ASTTransformer(clang::ASTConsumer *passthrough) override
Return the object that the parser should allow to access ASTs.
std::unique_ptr< ClangExpressionDeclMap > m_expr_decl_map_up
std::unique_ptr< ASTResultSynthesizer > m_result_synthesizer_up
void RegisterPersistentState(PersistentExpressionState *persistent_state)
void DidDematerialize(lldb::ExpressionVariableSP &variable) override
void FixupTemplateLookupDiagnostics(DiagnosticManager &diagnostic_manager) const
bool m_enforce_valid_object
True if the expression parser should enforce the presence of a valid class pointer in order to genera...
std::string m_filename
File name used for the expression.
lldb::ExpressionVariableSP GetResultAfterDematerialization(ExecutionContextScope *exe_scope) override
ClangUserExpression(ExecutionContextScope &exe_scope, llvm::StringRef expr, llvm::StringRef prefix, SourceLanguage language, ResultType desired_type, const EvaluateExpressionOptions &options, ValueObject *ctx_obj)
Constructor.
bool m_in_objectivec_method
True if the expression is compiled as an Objective-C method (true if it was parsed when exe_ctx was i...
void CreateSourceCode(DiagnosticManager &diagnostic_manager, ExecutionContext &exe_ctx, std::vector< std::string > modules_to_import, bool for_completion)
bool Complete(ExecutionContext &exe_ctx, CompletionRequest &request, unsigned complete_pos) override
Attempts to find possible command line completions for the given (possible incomplete) user expressio...
ClangExpressionSourceCode::WrapKind GetWrapKind() const
Defines how the current expression should be wrapped.
std::unique_ptr< ClangExpressionParser > m_parser
The parser instance we used to parse the expression.
void SetupCppModuleImports(ExecutionContext &exe_ctx)
void FixupParseErrorDiagnostics(DiagnosticManager &diagnostic_manager) const override
Called by expression evaluator when a parse error occurs.
bool PrepareForParsing(DiagnosticManager &diagnostic_manager, ExecutionContext &exe_ctx, bool for_completion)
bool m_needs_object_ptr
True if "this" or "self" must be looked up and passed in.
ClangExpressionDeclMap * DeclMap()
bool SetupPersistentState(DiagnosticManager &diagnostic_manager, ExecutionContext &exe_ctx)
bool m_in_static_method
True if the expression is compiled as a static (or class) method (currently true if it was parsed whe...
bool Parse(DiagnosticManager &diagnostic_manager, ExecutionContext &exe_ctx, lldb_private::ExecutionPolicy execution_policy, bool keep_result_in_memory, bool generate_debug_info) override
Parse the expression.
bool TryParse(DiagnosticManager &diagnostic_manager, ExecutionContext &exe_ctx, lldb_private::ExecutionPolicy execution_policy, bool keep_result_in_memory, bool generate_debug_info)
Populate m_in_cplusplus_method and m_in_objectivec_method based on the environment.
std::optional< size_t > m_user_expression_start_pos
The absolute character position in the transformed source code where the user code (as typed by the u...
bool AddArguments(ExecutionContext &exe_ctx, std::vector< lldb::addr_t > &args, lldb::addr_t struct_address, DiagnosticManager &diagnostic_manager) override
lldb::addr_t GetCppObjectPointer(lldb::StackFrameSP frame, llvm::StringRef object_name, Status &err)
std::unique_ptr< ClangExpressionSourceCode > m_source_code
std::vector< std::string > m_imported_cpp_modules
A list of module names that should be imported when parsing.
ClangUserExpressionHelper m_type_system_helper
ClangPersistentVariables * m_clang_state
void FixupCVRParseErrorDiagnostics(DiagnosticManager &diagnostic_manager) const
void ScanContext(ExecutionContext &exe_ctx, lldb_private::Status &err) override
bool m_in_cplusplus_method
True if the expression is compiled as a C++ member function (true if it was parsed when exe_ctx was i...
std::vector< std::string > m_include_directories
The include directories that should be used when parsing the expression.
ValueObject * m_ctx_obj
The object (if any) in which context the expression is evaluated.
const SupportFileList & GetSupportFiles()
Get the compile unit's support file list.
virtual bool ForEachExternalModule(llvm::DenseSet< lldb_private::SymbolFile * > &visited_symbol_files, llvm::function_ref< bool(Module &)> lambda)
Apply a lambda to each external lldb::Module referenced by this compilation unit.
Represents a generic declaration context in a program.
Generic representation of a type in a programming language.
"lldb/Utility/ArgCompletionRequest.h"
A uniqued constant string class.
Definition ConstString.h:40
A Clang configuration when importing C++ modules.
llvm::ArrayRef< std::string > GetIncludeDirs() const
Returns a list of include directories that should be used when using this configuration (e....
llvm::ArrayRef< std::string > GetImportedModules() const
Returns a list of (top level) modules that should be imported when using this configuration (e....
lldb::StreamUP GetAsyncOutputStream()
size_t void PutString(lldb::Severity severity, llvm::StringRef str)
const DiagnosticList & Diagnostics() const
size_t Printf(lldb::Severity severity, const char *format,...) __attribute__((format(printf
const std::string & GetFixedExpression()
"lldb/Target/ExecutionContextScope.h" Inherit from this if your object can reconstruct its execution ...
"lldb/Target/ExecutionContext.h" A class that contains an execution context.
ExecutionContextScope * GetBestExecutionContextScope() const
const lldb::TargetSP & GetTargetSP() const
Get accessor to get the target shared pointer.
StackFrame * GetFramePtr() const
Returns a pointer to the frame object.
const lldb::StackFrameSP & GetFrameSP() const
Get accessor to get the frame shared pointer.
Target * GetTargetPtr() const
Returns a pointer to the target object.
Target & GetTargetRef() const
Returns a reference to the target object.
Process * GetProcessPtr() const
Returns a pointer to the process object.
lldb::addr_t m_jit_end_addr
The address of the JITted function within the JIT allocation.
Definition Expression.h:95
lldb::ProcessWP m_jit_process_wp
Expression's always have to have a target...
Definition Expression.h:89
lldb::addr_t m_jit_start_addr
An expression might have a process, but it doesn't need to (e.g.
Definition Expression.h:92
lldb::TargetWP m_target_wp
Definition Expression.h:88
A file collection class.
size_t GetSize() const
Get the number of files in the file list.
bool AppendIfUnique(const FileSpec &file)
Append a FileSpec object if unique.
A file utility class.
Definition FileSpec.h:57
void SetFilename(ConstString filename)
Filename string set accessor.
Definition FileSpec.cpp:352
std::string m_transformed_text
The text of the expression, as send to the parser.
bool m_can_interpret
True if the expression could be evaluated statically; false otherwise.
Materializer * GetMaterializer() override
Return the Materializer that the parser should use when registering external values.
std::unique_ptr< Materializer > m_materializer_up
The materializer to use when running the expression.
bool m_allow_cxx
True if the language allows C++.
Target * m_target
The target for storing persistent data like types and variables.
LLVMUserExpression(ExecutionContextScope &exe_scope, llvm::StringRef expr, llvm::StringRef prefix, SourceLanguage language, ResultType desired_type, const EvaluateExpressionOptions &options)
std::shared_ptr< IRExecutionUnit > m_execution_unit_sp
The execution unit the expression is stored in.
bool m_allow_objc
True if the language allows Objective-C.
bool GetVerbose() const
Definition Log.cpp:326
void Append(const lldb::ModuleSP &module_sp, bool notify=true)
Append a module to the module list.
A class that describes an executable image and its associated object and symbol files.
Definition Module.h:90
size_t GetNumCompileUnits()
Get the number of compile units for this module.
Definition Module.cpp:416
A plug-in interface definition class for debugging a process.
Definition Process.h:354
This base class provides an interface to stack frames.
Definition StackFrame.h:44
virtual const SymbolContext & GetSymbolContext(lldb::SymbolContextItem resolve_scope)
Provide a SymbolContext for this StackFrame's current pc value.
virtual Block * GetFrameBlock()
Get the current lexical scope block for this StackFrame, if possible.
An error handling class.
Definition Status.h:118
static Status FromErrorString(const char *str)
Definition Status.h:141
const char * AsCString(const char *default_error_str="unknown error") const
Get the error string associated with the current error.
Definition Status.cpp:194
static Status static Status FromErrorStringWithFormatv(const char *format, Args &&...args)
Definition Status.h:151
bool Success() const
Test for success condition.
Definition Status.cpp:303
A list of support files for a CompileUnit.
Defines a symbol context baton that can be handed other debug core functions.
Function * function
The Function for a given query.
Block * GetFunctionBlock()
Find a block that defines the function represented by this symbol context.
CompileUnit * comp_unit
The CompileUnit for a given query.
ImportStdModule GetImportStdModule() const
Definition Target.cpp:4875
bool GetEnableAutoImportClangModules() const
Definition Target.cpp:4869
Debugger & GetDebugger() const
Definition Target.h:1224
PersistentExpressionState * GetPersistentExpressionStateForLanguage(lldb::LanguageType language)
Definition Target.cpp:2685
const ModuleList & GetImages() const
Get accessor for the images for this process.
Definition Target.h:1141
const ArchSpec & GetArchitecture() const
Definition Target.h:1183
static clang::CXXMethodDecl * DeclContextGetAsCXXMethodDecl(const CompilerDeclContext &dc)
static clang::ObjCMethodDecl * DeclContextGetAsObjCMethodDecl(const CompilerDeclContext &dc)
static clang::FunctionDecl * DeclContextGetAsFunctionDecl(const CompilerDeclContext &dc)
static bool IsObjCClassType(const CompilerType &type)
static std::optional< ClangASTMetadata > DeclContextGetMetaData(const CompilerDeclContext &dc, const clang::Decl *object)
static bool IsObjCObjectPointerType(const CompilerType &type, CompilerType *target_type=nullptr)
CompilerType GetForwardCompilerType()
Definition Type.cpp:782
static lldb::ValueObjectSP GetObjectPointerValueObject(lldb::StackFrameSP frame, llvm::StringRef object_name, Status &err)
Return ValueObject for a given variable name in the current stack frame.
SourceLanguage m_language
The language to use when parsing (unknown means use defaults).
std::string m_fixed_text
The text of the expression with fix-its applied this won't be set if the fixed text doesn't parse.
void InstallContext(ExecutionContext &exe_ctx)
Populate m_in_cplusplus_method and m_in_objectivec_method based on the environment.
std::string m_expr_prefix
The text of the translation-level definitions, as provided by the user.
const char * FunctionName() override
Return the function name that should be used for executing the expression.
std::string m_expr_text
The text of the expression, as typed by the user.
EvaluateExpressionOptions m_options
Additional options provided by the user.
static lldb::addr_t GetObjectPointer(lldb::StackFrameSP frame_sp, llvm::StringRef object_name, Status &err)
#define LLDB_INVALID_ADDRESS
A class that represents a running process on the host machine.
Log * GetLog(Cat mask)
Retrieve the Log object for the channel associated with the given log enum.
Definition Log.h:332
ExecutionPolicy
Expression execution policies.
@ eImportStdModuleFallback
Definition Target.h:70
@ eImportStdModuleTrue
Definition Target.h:71
@ eAddressTypeLoad
Address is an address as in the current target inferior process.
std::shared_ptr< lldb_private::StackFrame > StackFrameSP
std::shared_ptr< lldb_private::ExpressionVariable > ExpressionVariableSP
LanguageType
Programming language type.
@ eLanguageTypeC_plus_plus_14
ISO C++:2014.
@ eLanguageTypeC11
ISO C:2011.
@ eLanguageTypeC99
ISO C:1999.
@ eLanguageTypeC_plus_plus_03
ISO C++:2003.
@ eLanguageTypeObjC_plus_plus
Objective-C++.
@ eLanguageTypeC_plus_plus_11
ISO C++:2011.
@ eLanguageTypeC89
ISO C:1989.
@ eLanguageTypeC
Non-standardized C, such as K&R.
@ eLanguageTypeObjC
Objective-C.
@ eLanguageTypeC_plus_plus
ISO C++:1998.
std::shared_ptr< lldb_private::VariableList > VariableListSP
std::weak_ptr< lldb_private::Process > ProcessWP
std::shared_ptr< lldb_private::Variable > VariableSP
uint64_t addr_t
Definition lldb-types.h:80
std::shared_ptr< lldb_private::Module > ModuleSP
A type-erased pair of llvm::dwarf::SourceLanguageName and version.