1 //===-- CommandObjectExpression.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 "llvm/ADT/StringRef.h"
10
11 #include "CommandObjectExpression.h"
12 #include "lldb/Core/Debugger.h"
13 #include "lldb/Expression/REPL.h"
14 #include "lldb/Expression/UserExpression.h"
15 #include "lldb/Host/OptionParser.h"
16 #include "lldb/Interpreter/CommandInterpreter.h"
17 #include "lldb/Interpreter/CommandReturnObject.h"
18 #include "lldb/Interpreter/OptionArgParser.h"
19 #include "lldb/Target/Language.h"
20 #include "lldb/Target/Process.h"
21 #include "lldb/Target/StackFrame.h"
22 #include "lldb/Target/Target.h"
23
24 using namespace lldb;
25 using namespace lldb_private;
26
CommandOptions()27 CommandObjectExpression::CommandOptions::CommandOptions() : OptionGroup() {}
28
29 CommandObjectExpression::CommandOptions::~CommandOptions() = default;
30
31 static constexpr OptionEnumValueElement g_description_verbosity_type[] = {
32 {
33 eLanguageRuntimeDescriptionDisplayVerbosityCompact,
34 "compact",
35 "Only show the description string",
36 },
37 {
38 eLanguageRuntimeDescriptionDisplayVerbosityFull,
39 "full",
40 "Show the full output, including persistent variable's name and type",
41 },
42 };
43
DescriptionVerbosityTypes()44 static constexpr OptionEnumValues DescriptionVerbosityTypes() {
45 return OptionEnumValues(g_description_verbosity_type);
46 }
47
48 #define LLDB_OPTIONS_expression
49 #include "CommandOptions.inc"
50
SetOptionValue(uint32_t option_idx,llvm::StringRef option_arg,ExecutionContext * execution_context)51 Status CommandObjectExpression::CommandOptions::SetOptionValue(
52 uint32_t option_idx, llvm::StringRef option_arg,
53 ExecutionContext *execution_context) {
54 Status error;
55
56 const int short_option = GetDefinitions()[option_idx].short_option;
57
58 switch (short_option) {
59 case 'l':
60 language = Language::GetLanguageTypeFromString(option_arg);
61 if (language == eLanguageTypeUnknown)
62 error.SetErrorStringWithFormat(
63 "unknown language type: '%s' for expression",
64 option_arg.str().c_str());
65 break;
66
67 case 'a': {
68 bool success;
69 bool result;
70 result = OptionArgParser::ToBoolean(option_arg, true, &success);
71 if (!success)
72 error.SetErrorStringWithFormat(
73 "invalid all-threads value setting: \"%s\"",
74 option_arg.str().c_str());
75 else
76 try_all_threads = result;
77 } break;
78
79 case 'i': {
80 bool success;
81 bool tmp_value = OptionArgParser::ToBoolean(option_arg, true, &success);
82 if (success)
83 ignore_breakpoints = tmp_value;
84 else
85 error.SetErrorStringWithFormat(
86 "could not convert \"%s\" to a boolean value.",
87 option_arg.str().c_str());
88 break;
89 }
90
91 case 'j': {
92 bool success;
93 bool tmp_value = OptionArgParser::ToBoolean(option_arg, true, &success);
94 if (success)
95 allow_jit = tmp_value;
96 else
97 error.SetErrorStringWithFormat(
98 "could not convert \"%s\" to a boolean value.",
99 option_arg.str().c_str());
100 break;
101 }
102
103 case 't':
104 if (option_arg.getAsInteger(0, timeout)) {
105 timeout = 0;
106 error.SetErrorStringWithFormat("invalid timeout setting \"%s\"",
107 option_arg.str().c_str());
108 }
109 break;
110
111 case 'u': {
112 bool success;
113 bool tmp_value = OptionArgParser::ToBoolean(option_arg, true, &success);
114 if (success)
115 unwind_on_error = tmp_value;
116 else
117 error.SetErrorStringWithFormat(
118 "could not convert \"%s\" to a boolean value.",
119 option_arg.str().c_str());
120 break;
121 }
122
123 case 'v':
124 if (option_arg.empty()) {
125 m_verbosity = eLanguageRuntimeDescriptionDisplayVerbosityFull;
126 break;
127 }
128 m_verbosity = (LanguageRuntimeDescriptionDisplayVerbosity)
129 OptionArgParser::ToOptionEnum(
130 option_arg, GetDefinitions()[option_idx].enum_values, 0, error);
131 if (!error.Success())
132 error.SetErrorStringWithFormat(
133 "unrecognized value for description-verbosity '%s'",
134 option_arg.str().c_str());
135 break;
136
137 case 'g':
138 debug = true;
139 unwind_on_error = false;
140 ignore_breakpoints = false;
141 break;
142
143 case 'p':
144 top_level = true;
145 break;
146
147 case 'X': {
148 bool success;
149 bool tmp_value = OptionArgParser::ToBoolean(option_arg, true, &success);
150 if (success)
151 auto_apply_fixits = tmp_value ? eLazyBoolYes : eLazyBoolNo;
152 else
153 error.SetErrorStringWithFormat(
154 "could not convert \"%s\" to a boolean value.",
155 option_arg.str().c_str());
156 break;
157 }
158
159 default:
160 llvm_unreachable("Unimplemented option");
161 }
162
163 return error;
164 }
165
OptionParsingStarting(ExecutionContext * execution_context)166 void CommandObjectExpression::CommandOptions::OptionParsingStarting(
167 ExecutionContext *execution_context) {
168 auto process_sp =
169 execution_context ? execution_context->GetProcessSP() : ProcessSP();
170 if (process_sp) {
171 ignore_breakpoints = process_sp->GetIgnoreBreakpointsInExpressions();
172 unwind_on_error = process_sp->GetUnwindOnErrorInExpressions();
173 } else {
174 ignore_breakpoints = true;
175 unwind_on_error = true;
176 }
177
178 show_summary = true;
179 try_all_threads = true;
180 timeout = 0;
181 debug = false;
182 language = eLanguageTypeUnknown;
183 m_verbosity = eLanguageRuntimeDescriptionDisplayVerbosityCompact;
184 auto_apply_fixits = eLazyBoolCalculate;
185 top_level = false;
186 allow_jit = true;
187 }
188
189 llvm::ArrayRef<OptionDefinition>
GetDefinitions()190 CommandObjectExpression::CommandOptions::GetDefinitions() {
191 return llvm::makeArrayRef(g_expression_options);
192 }
193
CommandObjectExpression(CommandInterpreter & interpreter)194 CommandObjectExpression::CommandObjectExpression(
195 CommandInterpreter &interpreter)
196 : CommandObjectRaw(interpreter, "expression",
197 "Evaluate an expression on the current "
198 "thread. Displays any returned value "
199 "with LLDB's default formatting.",
200 "",
201 eCommandProcessMustBePaused | eCommandTryTargetAPILock),
202 IOHandlerDelegate(IOHandlerDelegate::Completion::Expression),
203 m_option_group(), m_format_options(eFormatDefault),
204 m_repl_option(LLDB_OPT_SET_1, false, "repl", 'r', "Drop into REPL", false,
205 true),
206 m_command_options(), m_expr_line_count(0), m_expr_lines() {
207 SetHelpLong(
208 R"(
209 Single and multi-line expressions:
210
211 )"
212 " The expression provided on the command line must be a complete expression \
213 with no newlines. To evaluate a multi-line expression, \
214 hit a return after an empty expression, and lldb will enter the multi-line expression editor. \
215 Hit return on an empty line to end the multi-line expression."
216
217 R"(
218
219 Timeouts:
220
221 )"
222 " If the expression can be evaluated statically (without running code) then it will be. \
223 Otherwise, by default the expression will run on the current thread with a short timeout: \
224 currently .25 seconds. If it doesn't return in that time, the evaluation will be interrupted \
225 and resumed with all threads running. You can use the -a option to disable retrying on all \
226 threads. You can use the -t option to set a shorter timeout."
227 R"(
228
229 User defined variables:
230
231 )"
232 " You can define your own variables for convenience or to be used in subsequent expressions. \
233 You define them the same way you would define variables in C. If the first character of \
234 your user defined variable is a $, then the variable's value will be available in future \
235 expressions, otherwise it will just be available in the current expression."
236 R"(
237
238 Continuing evaluation after a breakpoint:
239
240 )"
241 " If the \"-i false\" option is used, and execution is interrupted by a breakpoint hit, once \
242 you are done with your investigation, you can either remove the expression execution frames \
243 from the stack with \"thread return -x\" or if you are still interested in the expression result \
244 you can issue the \"continue\" command and the expression evaluation will complete and the \
245 expression result will be available using the \"thread.completed-expression\" key in the thread \
246 format."
247
248 R"(
249
250 Examples:
251
252 expr my_struct->a = my_array[3]
253 expr -f bin -- (index * 8) + 5
254 expr unsigned int $foo = 5
255 expr char c[] = \"foo\"; c[0])");
256
257 CommandArgumentEntry arg;
258 CommandArgumentData expression_arg;
259
260 // Define the first (and only) variant of this arg.
261 expression_arg.arg_type = eArgTypeExpression;
262 expression_arg.arg_repetition = eArgRepeatPlain;
263
264 // There is only one variant this argument could be; put it into the argument
265 // entry.
266 arg.push_back(expression_arg);
267
268 // Push the data for the first argument into the m_arguments vector.
269 m_arguments.push_back(arg);
270
271 // Add the "--format" and "--gdb-format"
272 m_option_group.Append(&m_format_options,
273 OptionGroupFormat::OPTION_GROUP_FORMAT |
274 OptionGroupFormat::OPTION_GROUP_GDB_FMT,
275 LLDB_OPT_SET_1);
276 m_option_group.Append(&m_command_options);
277 m_option_group.Append(&m_varobj_options, LLDB_OPT_SET_ALL,
278 LLDB_OPT_SET_1 | LLDB_OPT_SET_2);
279 m_option_group.Append(&m_repl_option, LLDB_OPT_SET_ALL, LLDB_OPT_SET_3);
280 m_option_group.Finalize();
281 }
282
283 CommandObjectExpression::~CommandObjectExpression() = default;
284
GetOptions()285 Options *CommandObjectExpression::GetOptions() { return &m_option_group; }
286
HandleCompletion(CompletionRequest & request)287 void CommandObjectExpression::HandleCompletion(CompletionRequest &request) {
288 EvaluateExpressionOptions options;
289 options.SetCoerceToId(m_varobj_options.use_objc);
290 options.SetLanguage(m_command_options.language);
291 options.SetExecutionPolicy(lldb_private::eExecutionPolicyNever);
292 options.SetAutoApplyFixIts(false);
293 options.SetGenerateDebugInfo(false);
294
295 // We need a valid execution context with a frame pointer for this
296 // completion, so if we don't have one we should try to make a valid
297 // execution context.
298 if (m_interpreter.GetExecutionContext().GetFramePtr() == nullptr)
299 m_interpreter.UpdateExecutionContext(nullptr);
300
301 // This didn't work, so let's get out before we start doing things that
302 // expect a valid frame pointer.
303 if (m_interpreter.GetExecutionContext().GetFramePtr() == nullptr)
304 return;
305
306 ExecutionContext exe_ctx(m_interpreter.GetExecutionContext());
307 Target *exe_target = exe_ctx.GetTargetPtr();
308 Target &target = exe_target ? *exe_target : GetDummyTarget();
309
310 unsigned cursor_pos = request.GetRawCursorPos();
311 // Get the full user input including the suffix. The suffix is necessary
312 // as OptionsWithRaw will use it to detect if the cursor is cursor is in the
313 // argument part of in the raw input part of the arguments. If we cut of
314 // of the suffix then "expr -arg[cursor] --" would interpret the "-arg" as
315 // the raw input (as the "--" is hidden in the suffix).
316 llvm::StringRef code = request.GetRawLineWithUnusedSuffix();
317
318 const std::size_t original_code_size = code.size();
319
320 // Remove the first token which is 'expr' or some alias/abbreviation of that.
321 code = llvm::getToken(code).second.ltrim();
322 OptionsWithRaw args(code);
323 code = args.GetRawPart();
324
325 // The position where the expression starts in the command line.
326 assert(original_code_size >= code.size());
327 std::size_t raw_start = original_code_size - code.size();
328
329 // Check if the cursor is actually in the expression string, and if not, we
330 // exit.
331 // FIXME: We should complete the options here.
332 if (cursor_pos < raw_start)
333 return;
334
335 // Make the cursor_pos again relative to the start of the code string.
336 assert(cursor_pos >= raw_start);
337 cursor_pos -= raw_start;
338
339 auto language = exe_ctx.GetFrameRef().GetLanguage();
340
341 Status error;
342 lldb::UserExpressionSP expr(target.GetUserExpressionForLanguage(
343 code, llvm::StringRef(), language, UserExpression::eResultTypeAny,
344 options, nullptr, error));
345 if (error.Fail())
346 return;
347
348 expr->Complete(exe_ctx, request, cursor_pos);
349 }
350
351 static lldb_private::Status
CanBeUsedForElementCountPrinting(ValueObject & valobj)352 CanBeUsedForElementCountPrinting(ValueObject &valobj) {
353 CompilerType type(valobj.GetCompilerType());
354 CompilerType pointee;
355 if (!type.IsPointerType(&pointee))
356 return Status("as it does not refer to a pointer");
357 if (pointee.IsVoidType())
358 return Status("as it refers to a pointer to void");
359 return Status();
360 }
361
362 EvaluateExpressionOptions
GetEvalOptions(const Target & target)363 CommandObjectExpression::GetEvalOptions(const Target &target) {
364 EvaluateExpressionOptions options;
365 options.SetCoerceToId(m_varobj_options.use_objc);
366 options.SetUnwindOnError(m_command_options.unwind_on_error);
367 options.SetIgnoreBreakpoints(m_command_options.ignore_breakpoints);
368 options.SetKeepInMemory(true);
369 options.SetUseDynamic(m_varobj_options.use_dynamic);
370 options.SetTryAllThreads(m_command_options.try_all_threads);
371 options.SetDebug(m_command_options.debug);
372 options.SetLanguage(m_command_options.language);
373 options.SetExecutionPolicy(
374 m_command_options.allow_jit
375 ? EvaluateExpressionOptions::default_execution_policy
376 : lldb_private::eExecutionPolicyNever);
377
378 bool auto_apply_fixits;
379 if (m_command_options.auto_apply_fixits == eLazyBoolCalculate)
380 auto_apply_fixits = target.GetEnableAutoApplyFixIts();
381 else
382 auto_apply_fixits = m_command_options.auto_apply_fixits == eLazyBoolYes;
383
384 options.SetAutoApplyFixIts(auto_apply_fixits);
385 options.SetRetriesWithFixIts(target.GetNumberOfRetriesWithFixits());
386
387 if (m_command_options.top_level)
388 options.SetExecutionPolicy(eExecutionPolicyTopLevel);
389
390 // If there is any chance we are going to stop and want to see what went
391 // wrong with our expression, we should generate debug info
392 if (!m_command_options.ignore_breakpoints ||
393 !m_command_options.unwind_on_error)
394 options.SetGenerateDebugInfo(true);
395
396 if (m_command_options.timeout > 0)
397 options.SetTimeout(std::chrono::microseconds(m_command_options.timeout));
398 else
399 options.SetTimeout(llvm::None);
400 return options;
401 }
402
EvaluateExpression(llvm::StringRef expr,Stream & output_stream,Stream & error_stream,CommandReturnObject & result)403 bool CommandObjectExpression::EvaluateExpression(llvm::StringRef expr,
404 Stream &output_stream,
405 Stream &error_stream,
406 CommandReturnObject &result) {
407 // Don't use m_exe_ctx as this might be called asynchronously after the
408 // command object DoExecute has finished when doing multi-line expression
409 // that use an input reader...
410 ExecutionContext exe_ctx(m_interpreter.GetExecutionContext());
411 Target *exe_target = exe_ctx.GetTargetPtr();
412 Target &target = exe_target ? *exe_target : GetDummyTarget();
413
414 lldb::ValueObjectSP result_valobj_sp;
415 StackFrame *frame = exe_ctx.GetFramePtr();
416
417 const EvaluateExpressionOptions options = GetEvalOptions(target);
418 ExpressionResults success = target.EvaluateExpression(
419 expr, frame, result_valobj_sp, options, &m_fixed_expression);
420
421 // We only tell you about the FixIt if we applied it. The compiler errors
422 // will suggest the FixIt if it parsed.
423 if (!m_fixed_expression.empty() && target.GetEnableNotifyAboutFixIts()) {
424 if (success == eExpressionCompleted)
425 error_stream.Printf(" Fix-it applied, fixed expression was: \n %s\n",
426 m_fixed_expression.c_str());
427 }
428
429 if (result_valobj_sp) {
430 Format format = m_format_options.GetFormat();
431
432 if (result_valobj_sp->GetError().Success()) {
433 if (format != eFormatVoid) {
434 if (format != eFormatDefault)
435 result_valobj_sp->SetFormat(format);
436
437 if (m_varobj_options.elem_count > 0) {
438 Status error(CanBeUsedForElementCountPrinting(*result_valobj_sp));
439 if (error.Fail()) {
440 result.AppendErrorWithFormat(
441 "expression cannot be used with --element-count %s\n",
442 error.AsCString(""));
443 result.SetStatus(eReturnStatusFailed);
444 return false;
445 }
446 }
447
448 DumpValueObjectOptions options(m_varobj_options.GetAsDumpOptions(
449 m_command_options.m_verbosity, format));
450 options.SetVariableFormatDisplayLanguage(
451 result_valobj_sp->GetPreferredDisplayLanguage());
452
453 result_valobj_sp->Dump(output_stream, options);
454
455 result.SetStatus(eReturnStatusSuccessFinishResult);
456 }
457 } else {
458 if (result_valobj_sp->GetError().GetError() ==
459 UserExpression::kNoResult) {
460 if (format != eFormatVoid && GetDebugger().GetNotifyVoid()) {
461 error_stream.PutCString("(void)\n");
462 }
463
464 result.SetStatus(eReturnStatusSuccessFinishResult);
465 } else {
466 const char *error_cstr = result_valobj_sp->GetError().AsCString();
467 if (error_cstr && error_cstr[0]) {
468 const size_t error_cstr_len = strlen(error_cstr);
469 const bool ends_with_newline = error_cstr[error_cstr_len - 1] == '\n';
470 if (strstr(error_cstr, "error:") != error_cstr)
471 error_stream.PutCString("error: ");
472 error_stream.Write(error_cstr, error_cstr_len);
473 if (!ends_with_newline)
474 error_stream.EOL();
475 } else {
476 error_stream.PutCString("error: unknown error\n");
477 }
478
479 result.SetStatus(eReturnStatusFailed);
480 }
481 }
482 }
483
484 return (success != eExpressionSetupError &&
485 success != eExpressionParseError);
486 }
487
IOHandlerInputComplete(IOHandler & io_handler,std::string & line)488 void CommandObjectExpression::IOHandlerInputComplete(IOHandler &io_handler,
489 std::string &line) {
490 io_handler.SetIsDone(true);
491 // StreamSP output_stream =
492 // io_handler.GetDebugger().GetAsyncOutputStream();
493 // StreamSP error_stream = io_handler.GetDebugger().GetAsyncErrorStream();
494 StreamFileSP output_sp = io_handler.GetOutputStreamFileSP();
495 StreamFileSP error_sp = io_handler.GetErrorStreamFileSP();
496
497 CommandReturnObject return_obj(
498 GetCommandInterpreter().GetDebugger().GetUseColor());
499 EvaluateExpression(line.c_str(), *output_sp, *error_sp, return_obj);
500 if (output_sp)
501 output_sp->Flush();
502 if (error_sp)
503 error_sp->Flush();
504 }
505
IOHandlerIsInputComplete(IOHandler & io_handler,StringList & lines)506 bool CommandObjectExpression::IOHandlerIsInputComplete(IOHandler &io_handler,
507 StringList &lines) {
508 // An empty lines is used to indicate the end of input
509 const size_t num_lines = lines.GetSize();
510 if (num_lines > 0 && lines[num_lines - 1].empty()) {
511 // Remove the last empty line from "lines" so it doesn't appear in our
512 // resulting input and return true to indicate we are done getting lines
513 lines.PopBack();
514 return true;
515 }
516 return false;
517 }
518
GetMultilineExpression()519 void CommandObjectExpression::GetMultilineExpression() {
520 m_expr_lines.clear();
521 m_expr_line_count = 0;
522
523 Debugger &debugger = GetCommandInterpreter().GetDebugger();
524 bool color_prompt = debugger.GetUseColor();
525 const bool multiple_lines = true; // Get multiple lines
526 IOHandlerSP io_handler_sp(
527 new IOHandlerEditline(debugger, IOHandler::Type::Expression,
528 "lldb-expr", // Name of input reader for history
529 llvm::StringRef(), // No prompt
530 llvm::StringRef(), // Continuation prompt
531 multiple_lines, color_prompt,
532 1, // Show line numbers starting at 1
533 *this, nullptr));
534
535 StreamFileSP output_sp = io_handler_sp->GetOutputStreamFileSP();
536 if (output_sp) {
537 output_sp->PutCString(
538 "Enter expressions, then terminate with an empty line to evaluate:\n");
539 output_sp->Flush();
540 }
541 debugger.RunIOHandlerAsync(io_handler_sp);
542 }
543
544 static EvaluateExpressionOptions
GetExprOptions(ExecutionContext & ctx,CommandObjectExpression::CommandOptions command_options)545 GetExprOptions(ExecutionContext &ctx,
546 CommandObjectExpression::CommandOptions command_options) {
547 command_options.OptionParsingStarting(&ctx);
548
549 // Default certain settings for REPL regardless of the global settings.
550 command_options.unwind_on_error = false;
551 command_options.ignore_breakpoints = false;
552 command_options.debug = false;
553
554 EvaluateExpressionOptions expr_options;
555 expr_options.SetUnwindOnError(command_options.unwind_on_error);
556 expr_options.SetIgnoreBreakpoints(command_options.ignore_breakpoints);
557 expr_options.SetTryAllThreads(command_options.try_all_threads);
558
559 if (command_options.timeout > 0)
560 expr_options.SetTimeout(std::chrono::microseconds(command_options.timeout));
561 else
562 expr_options.SetTimeout(llvm::None);
563
564 return expr_options;
565 }
566
DoExecute(llvm::StringRef command,CommandReturnObject & result)567 bool CommandObjectExpression::DoExecute(llvm::StringRef command,
568 CommandReturnObject &result) {
569 m_fixed_expression.clear();
570 auto exe_ctx = GetCommandInterpreter().GetExecutionContext();
571 m_option_group.NotifyOptionParsingStarting(&exe_ctx);
572
573 if (command.empty()) {
574 GetMultilineExpression();
575 return result.Succeeded();
576 }
577
578 OptionsWithRaw args(command);
579 llvm::StringRef expr = args.GetRawPart();
580
581 if (args.HasArgs()) {
582 if (!ParseOptionsAndNotify(args.GetArgs(), result, m_option_group, exe_ctx))
583 return false;
584
585 if (m_repl_option.GetOptionValue().GetCurrentValue()) {
586 Target &target = GetSelectedOrDummyTarget();
587 // Drop into REPL
588 m_expr_lines.clear();
589 m_expr_line_count = 0;
590
591 Debugger &debugger = target.GetDebugger();
592
593 // Check if the LLDB command interpreter is sitting on top of a REPL
594 // that launched it...
595 if (debugger.CheckTopIOHandlerTypes(IOHandler::Type::CommandInterpreter,
596 IOHandler::Type::REPL)) {
597 // the LLDB command interpreter is sitting on top of a REPL that
598 // launched it, so just say the command interpreter is done and
599 // fall back to the existing REPL
600 m_interpreter.GetIOHandler(false)->SetIsDone(true);
601 } else {
602 // We are launching the REPL on top of the current LLDB command
603 // interpreter, so just push one
604 bool initialize = false;
605 Status repl_error;
606 REPLSP repl_sp(target.GetREPL(repl_error, m_command_options.language,
607 nullptr, false));
608
609 if (!repl_sp) {
610 initialize = true;
611 repl_sp = target.GetREPL(repl_error, m_command_options.language,
612 nullptr, true);
613 if (!repl_error.Success()) {
614 result.SetError(repl_error);
615 return result.Succeeded();
616 }
617 }
618
619 if (repl_sp) {
620 if (initialize) {
621 repl_sp->SetEvaluateOptions(
622 GetExprOptions(exe_ctx, m_command_options));
623 repl_sp->SetFormatOptions(m_format_options);
624 repl_sp->SetValueObjectDisplayOptions(m_varobj_options);
625 }
626
627 IOHandlerSP io_handler_sp(repl_sp->GetIOHandler());
628 io_handler_sp->SetIsDone(false);
629 debugger.RunIOHandlerAsync(io_handler_sp);
630 } else {
631 repl_error.SetErrorStringWithFormat(
632 "Couldn't create a REPL for %s",
633 Language::GetNameForLanguageType(m_command_options.language));
634 result.SetError(repl_error);
635 return result.Succeeded();
636 }
637 }
638 }
639 // No expression following options
640 else if (expr.empty()) {
641 GetMultilineExpression();
642 return result.Succeeded();
643 }
644 }
645
646 Target &target = GetSelectedOrDummyTarget();
647 if (EvaluateExpression(expr, result.GetOutputStream(),
648 result.GetErrorStream(), result)) {
649
650 if (!m_fixed_expression.empty() && target.GetEnableNotifyAboutFixIts()) {
651 CommandHistory &history = m_interpreter.GetCommandHistory();
652 // FIXME: Can we figure out what the user actually typed (e.g. some alias
653 // for expr???)
654 // If we can it would be nice to show that.
655 std::string fixed_command("expression ");
656 if (args.HasArgs()) {
657 // Add in any options that might have been in the original command:
658 fixed_command.append(std::string(args.GetArgStringWithDelimiter()));
659 fixed_command.append(m_fixed_expression);
660 } else
661 fixed_command.append(m_fixed_expression);
662 history.AppendString(fixed_command);
663 }
664 // Increment statistics to record this expression evaluation success.
665 target.IncrementStats(StatisticKind::ExpressionSuccessful);
666 return true;
667 }
668
669 // Increment statistics to record this expression evaluation failure.
670 target.IncrementStats(StatisticKind::ExpressionFailure);
671 result.SetStatus(eReturnStatusFailed);
672 return false;
673 }
674