LLDB mainline
CommandObjectDWIMPrint.cpp
Go to the documentation of this file.
1//===-- CommandObjectDWIMPrint.cpp ------------------------------*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8
10
22#include "lldb/lldb-defines.h"
24#include "lldb/lldb-forward.h"
25#include "llvm/ADT/StringRef.h"
26
27#include <regex>
28
29using namespace llvm;
30using namespace lldb;
31using namespace lldb_private;
32
34 : CommandObjectRaw(interpreter, "dwim-print",
35 "Print a variable or expression.",
36 "dwim-print [<variable-name> | <expression>]",
37 eCommandProcessMustBePaused | eCommandTryTargetAPILock) {
38
40
45 StringRef exclude_expr_options[] = {"debug", "top-level"};
46 m_option_group.Append(&m_expr_options, exclude_expr_options);
48 m_option_group.Finalize();
49}
50
52
53void CommandObjectDWIMPrint::DoExecute(StringRef command,
54 CommandReturnObject &result) {
55 m_option_group.NotifyOptionParsingStarting(&m_exe_ctx);
56 OptionsWithRaw args{command};
57 StringRef expr = args.GetRawPart();
58
59 if (expr.empty()) {
60 result.AppendErrorWithFormatv("'{0}' takes a variable or expression",
62 return;
63 }
64
65 if (args.HasArgs()) {
66 if (!ParseOptionsAndNotify(args.GetArgs(), result, m_option_group,
67 m_exe_ctx))
68 return;
69 }
70
71 // If the user has not specified, default to disabling persistent results.
72 if (m_expr_options.suppress_persistent_result == eLazyBoolCalculate)
73 m_expr_options.suppress_persistent_result = eLazyBoolYes;
74 bool suppress_result = m_expr_options.ShouldSuppressResult(m_varobj_options);
75
76 auto verbosity = GetDebugger().GetDWIMPrintVerbosity();
77
78 Target *target_ptr = m_exe_ctx.GetTargetPtr();
79 // Fallback to the dummy target, which can allow for expression evaluation.
80 Target &target = target_ptr ? *target_ptr : GetDummyTarget();
81
82 EvaluateExpressionOptions eval_options =
83 m_expr_options.GetEvaluateExpressionOptions(target, m_varobj_options);
84 // This command manually removes the result variable, make sure expression
85 // evaluation doesn't do it first.
86 eval_options.SetSuppressPersistentResult(false);
87
88 DumpValueObjectOptions dump_options = m_varobj_options.GetAsDumpOptions(
89 m_expr_options.m_verbosity, m_format_options.GetFormat());
90 dump_options.SetHideRootName(suppress_result)
91 .SetExpandPointerTypeFlags(lldb::eTypeIsObjC);
92
93 bool is_po = m_varobj_options.use_object_desc;
94
95 StackFrame *frame = m_exe_ctx.GetFramePtr();
96
97 // Either the language was explicitly specified, or we check the frame.
98 lldb::LanguageType language = m_expr_options.language;
99 if (language == lldb::eLanguageTypeUnknown && frame)
100 language = frame->GuessLanguage().AsLanguageType();
101
102 // Add a hint if object description was requested, but no description
103 // function was implemented.
104 auto maybe_add_hint = [&](llvm::StringRef output) {
105 static bool note_shown = false;
106 if (note_shown)
107 return;
108
109 // Identify the default output of object description for Swift and
110 // Objective-C
111 // "<Name: 0x...>. The regex is:
112 // - Start with "<".
113 // - Followed by 1 or more non-whitespace characters.
114 // - Followed by ": 0x".
115 // - Followed by 5 or more hex digits.
116 // - Followed by ">".
117 // - End with zero or more whitespace characters.
118 static const std::regex swift_class_regex(
119 "^<\\S+: 0x[[:xdigit:]]{5,}>\\s*$");
120
121 if (GetDebugger().GetShowDontUsePoHint() && target_ptr &&
122 (language == lldb::eLanguageTypeSwift ||
123 language == lldb::eLanguageTypeObjC) &&
124 std::regex_match(output.data(), swift_class_regex)) {
125
126 result.AppendNote(
127 "object description requested, but type doesn't implement "
128 "a custom object description. Consider using \"p\" instead of "
129 "\"po\" (this note will only be shown once per debug session).\n");
130 note_shown = true;
131 }
132 };
133
134 // Dump `valobj` according to whether `po` was requested or not.
135 auto dump_val_object = [&](ValueObject &valobj) {
136 if (is_po) {
137 StreamString temp_result_stream;
138 if (llvm::Error error = valobj.Dump(temp_result_stream, dump_options)) {
139 result.AppendError(toString(std::move(error)));
140 return;
141 }
142 llvm::StringRef output = temp_result_stream.GetString();
143 maybe_add_hint(output);
144 result.GetOutputStream() << output;
145 } else {
146 llvm::Error error =
147 valobj.Dump(result.GetOutputStream(), dump_options);
148 if (error) {
149 result.AppendError(toString(std::move(error)));
150 return;
151 }
152 }
153 m_interpreter.PrintWarningsIfNecessary(result.GetOutputStream(),
154 m_cmd_name);
156 };
157
158 // First, try `expr` as a _limited_ frame variable expression path: only the
159 // dot operator (`.`) is permitted for this case.
160 //
161 // This is limited to support only unambiguous expression paths. Of note,
162 // expression paths are not attempted if the expression contain either the
163 // arrow operator (`->`) or the subscript operator (`[]`). This is because
164 // both operators can be overloaded in C++, and could result in ambiguity in
165 // how the expression is handled. Additionally, `*` and `&` are not supported.
166 const bool try_variable_path =
167 expr.find_first_of("*&->[]") == StringRef::npos;
168 if (frame && try_variable_path) {
169 VariableSP var_sp;
170 Status status;
171 auto valobj_sp = frame->GetValueForVariableExpressionPath(
172 expr, eval_options.GetUseDynamic(),
174 status);
175 if (valobj_sp && status.Success() && valobj_sp->GetError().Success()) {
176 if (!suppress_result) {
177 if (auto persisted_valobj = valobj_sp->Persist())
178 valobj_sp = persisted_valobj;
179 }
180
181 if (verbosity == eDWIMPrintVerbosityFull) {
182 StringRef flags;
183 if (args.HasArgs())
184 flags = args.GetArgString();
185 result.AppendNoteWithFormatv("ran `frame variable {0}{1}`", flags,
186 expr);
187 }
188
189 dump_val_object(*valobj_sp);
190 return;
191 }
192 }
193
194 // Second, try `expr` as a persistent variable.
195 if (expr.starts_with("$"))
196 if (auto *state = target.GetPersistentExpressionStateForLanguage(language))
197 if (auto var_sp = state->GetVariable(expr))
198 if (auto valobj_sp = var_sp->GetValueObject()) {
199 dump_val_object(*valobj_sp);
200 return;
201 }
202
203 // Third, and lastly, try `expr` as a source expression to evaluate.
204 {
205 auto *exe_scope = m_exe_ctx.GetBestExecutionContextScope();
206 ValueObjectSP valobj_sp;
207 std::string fixed_expression;
208
209 ExpressionResults expr_result = target.EvaluateExpression(
210 expr, exe_scope, valobj_sp, eval_options, &fixed_expression);
211
212 if (valobj_sp)
213 result.GetValueObjectList().Append(valobj_sp);
214
215 // Record the position of the expression in the command.
216 std::optional<uint16_t> indent;
217 if (fixed_expression.empty()) {
218 size_t pos = m_original_command.rfind(expr);
219 if (pos != llvm::StringRef::npos)
220 indent = pos;
221 }
222 // Previously the indent was set up for diagnosing command line
223 // parsing errors. Now point it to the expression.
224 result.SetDiagnosticIndent(indent);
225
226 // Only mention Fix-Its if the expression evaluator applied them.
227 // Compiler errors refer to the final expression after applying Fix-It(s).
228 if (!fixed_expression.empty() && target.GetEnableNotifyAboutFixIts()) {
229 Stream &error_stream = result.GetErrorStream();
230 error_stream << " Evaluated this expression after applying Fix-It(s):\n";
231 error_stream << " " << fixed_expression << "\n";
232 }
233
234 // If the expression failed, return an error.
235 if (expr_result != eExpressionCompleted) {
236 if (valobj_sp)
237 result.SetError(valobj_sp->GetError().Clone());
238 else
240 "unknown error evaluating expression `{0}`", expr);
241 return;
242 }
243
244 if (verbosity != eDWIMPrintVerbosityNone) {
245 StringRef flags;
246 if (args.HasArgs())
247 flags = args.GetArgStringWithDelimiter();
248 result.AppendNoteWithFormatv("ran `expression {0}{1}`", flags, expr);
249 }
250
251 if (valobj_sp->GetError().GetError() != UserExpression::kNoResult)
252 dump_val_object(*valobj_sp);
253 else
255
256 if (suppress_result)
257 if (auto result_var_sp =
258 target.GetPersistentVariable(valobj_sp->GetName())) {
259 auto language = valobj_sp->GetPreferredDisplayLanguage();
260 if (auto *persistent_state =
262 persistent_state->RemovePersistentVariable(result_var_sp);
263 }
264 }
265}
static llvm::raw_ostream & error(Stream &strm)
CommandObjectExpression::CommandOptions m_expr_options
CommandObjectDWIMPrint(CommandInterpreter &interpreter)
OptionGroupValueObjectDisplay m_varobj_options
void DoExecute(llvm::StringRef command, CommandReturnObject &result) override
CommandObjectRaw(CommandInterpreter &interpreter, llvm::StringRef name, llvm::StringRef help="", llvm::StringRef syntax="", uint32_t flags=0)
void AddSimpleArgumentList(lldb::CommandArgumentType arg_type, ArgumentRepetitionType repetition_type=eArgRepeatPlain)
bool ParseOptionsAndNotify(Args &args, CommandReturnObject &result, OptionGroupOptions &group_options, ExecutionContext &exe_ctx)
CommandInterpreter & m_interpreter
void void AppendError(llvm::StringRef in_string)
const ValueObjectList & GetValueObjectList() const
void void AppendNote(llvm::StringRef in_string)
void SetStatus(lldb::ReturnStatus status)
void SetDiagnosticIndent(std::optional< uint16_t > indent)
void AppendNoteWithFormatv(const char *format, Args &&...args)
void AppendErrorWithFormatv(const char *format, Args &&...args)
lldb::DWIMPrintVerbosity GetDWIMPrintVerbosity() const
Definition Debugger.cpp:685
DumpValueObjectOptions & SetHideRootName(bool hide_root_name)
DumpValueObjectOptions & SetExpandPointerTypeFlags(unsigned flags)
lldb::DynamicValueType GetUseDynamic() const
Definition Target.h:383
static const uint32_t OPTION_GROUP_GDB_FMT
static const uint32_t OPTION_GROUP_FORMAT
A pair of an option list with a 'raw' string as a suffix.
Definition Args.h:319
bool HasArgs() const
Returns true if there are any arguments before the raw suffix.
Definition Args.h:330
Args & GetArgs()
Returns the list of arguments.
Definition Args.h:335
llvm::StringRef GetArgString() const
Returns the part of the input string that was used for parsing the argument list.
Definition Args.h:362
const std::string & GetRawPart() const
Returns the raw suffix part of the parsed string.
Definition Args.h:368
llvm::StringRef GetArgStringWithDelimiter() const
Returns the part of the input string that was used for parsing the argument list.
Definition Args.h:353
A command line option parsing protocol class.
Definition Options.h:58
This base class provides an interface to stack frames.
Definition StackFrame.h:44
@ eExpressionPathOptionsAllowDirectIVarAccess
Definition StackFrame.h:51
lldb::ValueObjectSP GetValueForVariableExpressionPath(llvm::StringRef var_expr, lldb::DynamicValueType use_dynamic, uint32_t options, lldb::VariableSP &var_sp, Status &error)
Create a ValueObject for a variable name / pathname, possibly including simple dereference/child sele...
SourceLanguage GuessLanguage()
Similar to GetLanguage(), but is allowed to take a potentially incorrect guess if exact information i...
An error handling class.
Definition Status.h:118
bool Success() const
Test for success condition.
Definition Status.cpp:304
llvm::StringRef GetString() const
A stream class that can stream formatted output to a file.
Definition Stream.h:28
bool GetEnableNotifyAboutFixIts() const
Definition Target.cpp:4803
PersistentExpressionState * GetPersistentExpressionStateForLanguage(lldb::LanguageType language)
Definition Target.cpp:2675
lldb::ExpressionVariableSP GetPersistentVariable(ConstString name)
Definition Target.cpp:2910
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:2842
static const Status::ValueType kNoResult
ValueObject::GetError() returns this if there is no result from the expression.
void Append(const lldb::ValueObjectSP &val_obj_sp)
#define LLDB_OPT_SET_1
#define LLDB_OPT_SET_ALL
A class that represents a running process on the host machine.
const char * toString(AppleArm64ExceptionClass EC)
std::shared_ptr< lldb_private::ValueObject > ValueObjectSP
@ eDWIMPrintVerbosityFull
Always print a message indicating how dwim-print is evaluating its expression.
@ eDWIMPrintVerbosityNone
Run dwim-print with no verbosity.
LanguageType
Programming language type.
@ eLanguageTypeUnknown
Unknown or invalid language value.
@ eLanguageTypeSwift
Swift.
@ eLanguageTypeObjC
Objective-C.
ExpressionResults
The results of expression evaluation.
@ eExpressionCompleted
@ eReturnStatusSuccessFinishResult
@ eReturnStatusSuccessFinishNoResult
std::shared_ptr< lldb_private::Variable > VariableSP
lldb::LanguageType AsLanguageType() const
Definition Language.cpp:554