openMSX
ImGuiConsole.cc
Go to the documentation of this file.
1#include "ImGuiConsole.hh"
2
3#include "ImGuiCpp.hh"
4#include "ImGuiManager.hh"
5#include "ImGuiUtils.hh"
6
7#include "BooleanSetting.hh"
8#include "CliComm.hh"
9#include "Completer.hh"
10#include "FileContext.hh"
11#include "FileException.hh"
12#include "FileOperations.hh"
14#include "Interpreter.hh"
15#include "Reactor.hh"
16#include "TclParser.hh"
17#include "Version.hh"
18
19#include "narrow.hh"
20#include "strCat.hh"
21#include "utf8_unchecked.hh"
22#include "xrange.hh"
23
24#include <imgui.h>
25#include <imgui_internal.h> // Hack: see below
26#include <imgui_stdlib.h>
27
28#include <fstream>
29
30namespace openmsx {
31
32using namespace std::literals;
33
34static constexpr std::string_view PROMPT_NEW = "> ";
35static constexpr std::string_view PROMPT_CONT = "| ";
36static constexpr std::string_view PROMPT_BUSY = "*busy*";
37
39 : ImGuiPart(manager_)
40 , consoleSetting(
41 manager.getReactor().getCommandController(), "console",
42 "turns console display on/off", false, Setting::DONT_SAVE)
43 , history(1000)
44 , lines(1000)
45 , prompt(PROMPT_NEW)
46{
47 loadHistory();
48
51 consoleSetting.attach(*this);
52
53 const auto& fullVersion = Version::full();
54 print(fullVersion);
55 print(std::string(fullVersion.size(), '-'));
56 print("\n"
57 "General information about openMSX is available at http://openmsx.org.\n"
58 "\n"
59 "Type 'help' to see a list of available commands.\n"
60 "Or read the Console Command Reference in the manual.\n"
61 "\n");
62}
63
65{
66 consoleSetting.detach(*this);
67}
68
69void ImGuiConsole::save(ImGuiTextBuffer& buf)
70{
71 savePersistent(buf, *this, persistentElements);
72}
73
74void ImGuiConsole::loadLine(std::string_view name, zstring_view value)
75{
76 loadOnePersistent(name, value, *this, persistentElements);
77}
78
79void ImGuiConsole::print(std::string_view text, imColor color)
80{
81 do {
82 auto pos = text.find('\n');
83 newLineConsole(ConsoleLine(std::string(text.substr(0, pos)), color));
84 if (pos == std::string_view::npos) break;
85 text.remove_prefix(pos + 1); // skip newline
86 } while (!text.empty());
87}
88
89void ImGuiConsole::newLineConsole(ConsoleLine line)
90{
91 auto addLine = [&](ConsoleLine&& l) {
92 if (lines.full()) lines.pop_front();
93 lines.push_back(std::move(l));
94 };
95
96 if (wrap) {
97 do {
98 auto rest = line.splitAtColumn(columns);
99 addLine(std::move(line));
100 line = std::move(rest);
101 } while (!line.str().empty());
102 } else {
103 addLine(std::move(line));
104 }
105
106 scrollToBottom = true;
107}
108
109static void drawLine(const ConsoleLine& line)
110{
111 auto n = line.numChunks();
112 for (auto i : xrange(n)) {
113 im::StyleColor(ImGuiCol_Text, getColor(line.chunkColor(i)), [&]{
114 ImGui::TextUnformatted(line.chunkText(i));
115 if (i != (n - 1)) ImGui::SameLine(0.0f, 0.0f);
116 });
117 }
118}
119
121{
122 bool reclaimFocus = show && !wasShown; // window appears
123 wasShown = show;
124 if (!show) return;
125
126 ImGui::SetNextWindowSize(ImVec2(520, 600), ImGuiCond_FirstUseEver);
127 im::Window("Console", &show, [&]{
129
130 // Reserve enough left-over height for 1 separator + 1 input text
131 const auto& style = ImGui::GetStyle();
132 const float footerHeightToReserve = style.ItemSpacing.y +
133 ImGui::GetFrameHeightWithSpacing();
134 im::Child("ScrollingRegion", ImVec2(0, -footerHeightToReserve), 0,
135 ImGuiWindowFlags_HorizontalScrollbar, [&]{
137 if (ImGui::Selectable("Clear")) {
138 lines.clear();
139 }
140 ImGui::Checkbox("Wrap (new) output", &wrap);
141 });
142
143 im::StyleVar(ImGuiStyleVar_ItemSpacing, ImVec2(4, 1), [&]{ // Tighten spacing
144 im::ListClipper(lines.size(), [&](int i) {
145 drawLine(lines[i]);
146 });
147 });
148
149 // Keep up at the bottom of the scroll region if we were already
150 // at the bottom at the beginning of the frame.
151 if (scrollToBottom || (ImGui::GetScrollY() >= ImGui::GetScrollMaxY())) {
152 scrollToBottom = false;
153 ImGui::SetScrollHereY(1.0f);
154 }
155
156 // recalculate the number of columns
157 auto width = ImGui::GetContentRegionMax().x;
158 auto charWidth = ImGui::CalcTextSize("M"sv).x;
159 columns = narrow_cast<unsigned>(width / charWidth);
160 });
161 ImGui::Separator();
162
163 // Command-line
164 ImGui::AlignTextToFramePadding();
166 ImGui::SameLine(0.0f, 0.0f);
167
168 ImGui::SetNextItemWidth(-FLT_MIN); // full window width
169 // Hack: see below
170 auto cursorScrnPos = ImGui::GetCursorScreenPos();
171 auto itemWidth = ImGui::CalcItemWidth();
172
173 ImGuiInputTextFlags flags = ImGuiInputTextFlags_EnterReturnsTrue |
174 ImGuiInputTextFlags_EscapeClearsAll |
175 ImGuiInputTextFlags_CallbackEdit |
176 ImGuiInputTextFlags_CallbackCompletion |
177 ImGuiInputTextFlags_CallbackHistory;
178 bool enter = false;
179 im::StyleColor(ImGuiCol_Text, 0x00000000, [&]{ // transparent, see HACK below
180 enter = ImGui::InputTextWithHint("##Input", "enter command", &inputBuf, flags, &textEditCallbackStub, this);
181 });
182 if (enter && (prompt != PROMPT_BUSY)) {
183 // print command in output buffer, with prompt prepended
184 ConsoleLine cmdLine(prompt);
185 cmdLine.addLine(coloredInputBuf);
186 newLineConsole(std::move(cmdLine));
187
188 // append (partial) command to a possibly multi-line command
189 strAppend(commandBuffer, inputBuf, '\n');
190
191 putHistory(std::move(inputBuf));
192 saveHistory(); // save at this point already, so that we don't lose history in case of a crash
193 inputBuf.clear();
194 coloredInputBuf.clear();
195 historyPos = -1;
196 historyBackupLine.clear();
197
198 auto& commandController = manager.getReactor().getGlobalCommandController();
199 if (commandController.isComplete(commandBuffer)) {
200 // Normally the busy prompt is NOT shown (not even briefly
201 // because the screen is not redrawn), though for some commands
202 // that potentially take a long time to execute, we explicitly
203 // do redraw.
204 prompt = PROMPT_BUSY;
205
206 manager.executeDelayed(TclObject(commandBuffer),
207 [this](const TclObject& result) {
208 if (const auto& s = result.getString(); !s.empty()) {
209 this->print(s);
210 }
211 prompt = PROMPT_NEW;
212 },
213 [this](const std::string& error) {
214 this->print(error, imColor::ERROR);
215 prompt = PROMPT_NEW;
216 });
217 commandBuffer.clear();
218 } else {
219 prompt = PROMPT_CONT;
220 }
221 reclaimFocus = true;
222 }
223 ImGui::SetItemDefaultFocus();
224
225 if (reclaimFocus ||
226 (ImGui::IsWindowFocused(ImGuiFocusedFlags_ChildWindows) &&
227 !ImGui::IsPopupOpen(nullptr, ImGuiPopupFlags_AnyPopupId) &&
228 !ImGui::IsAnyItemActive() && !ImGui::IsMouseClicked(0) && !ImGui::IsMouseClicked(1))) {
229 ImGui::SetKeyboardFocusHere(-1); // focus the InputText widget
230 }
231
232 // Hack: currently ImGui::InputText() does not support colored text.
233 // Though there are plans to extend this. See:
234 // https://github.com/ocornut/imgui/pull/3130
235 // https://github.com/ocornut/imgui/issues/902
236 // To work around this limitation, we use ImGui::InputText() as-is,
237 // but then overdraw the text using the correct colors. This works,
238 // but it's fragile because it depends on some internal implementation
239 // details. More specifically: the scroll-position. And obtaining this
240 // information required stuff from <imgui_internal.h>.
241 const auto* font = ImGui::GetFont();
242 auto fontSize = ImGui::GetFontSize();
243 gl::vec2 frameSize(itemWidth, fontSize + style.FramePadding.y * 2.0f);
244 gl::vec2 topLeft = cursorScrnPos;
245 gl::vec2 bottomRight = topLeft + frameSize;
246 gl::vec2 drawPos = topLeft + gl::vec2(style.FramePadding);
247 ImVec4 clipRect = gl::vec4(topLeft, bottomRight);
248 auto* drawList = ImGui::GetWindowDrawList();
249 auto charWidth = ImGui::GetFont()->GetCharAdvance('A'); // assumes fixed-width font
250 if (ImGui::IsItemActive()) {
251 auto id = ImGui::GetID("##Input");
252 if (const auto* state = ImGui::GetInputTextState(id)) { // Internal API !!!
253 // adjust for scroll
254 drawPos.x -= state->ScrollX;
255 // redraw cursor (it was drawn transparent before)
256 bool cursorIsVisible = (state->CursorAnim <= 0.0f) || ImFmod(state->CursorAnim, 1.20f) <= 0.80f;
257 if (cursorIsVisible) {
258 // This assumes a single line and fixed-width font
259 gl::vec2 cursorOffset(float(state->GetCursorPos()) * charWidth, 0.0f);
260 gl::vec2 cursorScreenPos = ImTrunc(drawPos + cursorOffset);
261 ImRect cursorScreenRect(cursorScreenPos.x, cursorScreenPos.y - 0.5f, cursorScreenPos.x + 1.0f, cursorScreenPos.y + fontSize - 1.5f);
262 if (cursorScreenRect.Overlaps(clipRect)) {
263 drawList->AddLine(cursorScreenRect.Min, cursorScreenRect.GetBL(), getColor(imColor::TEXT));
264 }
265 }
266 }
267 }
268 for (auto i : xrange(coloredInputBuf.numChunks())) {
269 auto text = coloredInputBuf.chunkText(i);
270 auto rgba = getColor(coloredInputBuf.chunkColor(i));
271 const char* begin = text.data();
272 const char* end = begin + text.size();
273 drawList->AddText(font, fontSize, drawPos, rgba, begin, end, 0.0f, &clipRect);
274 // avoid ImGui::CalcTextSize(): it's off-by-one for sizes >= 256 pixels
275 drawPos.x += charWidth * float(utf8::unchecked::distance(begin, end));
276 }
277 });
278}
279
280int ImGuiConsole::textEditCallbackStub(ImGuiInputTextCallbackData* data)
281{
282 auto* console = static_cast<ImGuiConsole*>(data->UserData);
283 return console->textEditCallback(data);
284}
285
286int ImGuiConsole::textEditCallback(ImGuiInputTextCallbackData* data)
287{
288 switch (data->EventFlag) {
289 case ImGuiInputTextFlags_CallbackCompletion: {
290 std::string_view oldLine{data->Buf, narrow<size_t>(data->BufTextLen)};
291 std::string_view front = utf8::unchecked::substr(oldLine, 0, data->CursorPos);
292 std::string_view back = utf8::unchecked::substr(oldLine, data->CursorPos);
293
294 auto& commandController = manager.getReactor().getGlobalCommandController();
295 std::string newFront = commandController.tabCompletion(front);
296 historyBackupLine = strCat(std::move(newFront), back);
297 historyPos = -1;
298
299 data->DeleteChars(0, data->BufTextLen);
300 data->InsertChars(0, historyBackupLine.c_str());
301
302 colorize(historyBackupLine);
303 break;
304 }
305 case ImGuiInputTextFlags_CallbackHistory: {
306 bool match = false;
307 if (data->EventKey == ImGuiKey_UpArrow) {
308 while (!match && (historyPos < narrow<int>(history.size() - 1))) {
309 ++historyPos;
310 match = history[historyPos].starts_with(historyBackupLine);
311 }
312 } else if ((data->EventKey == ImGuiKey_DownArrow) && (historyPos != -1)) {
313 while (!match) {
314 if (--historyPos == -1) break;
315 match = history[historyPos].starts_with(historyBackupLine);
316 }
317 }
318 if (match || (historyPos == -1)) {
319 const auto& historyStr = (historyPos >= 0) ? history[historyPos] : historyBackupLine;
320 data->DeleteChars(0, data->BufTextLen);
321 data->InsertChars(0, historyStr.c_str());
322 colorize(std::string_view{data->Buf, narrow<size_t>(data->BufTextLen)});
323 }
324 break;
325 }
326 case ImGuiInputTextFlags_CallbackEdit: {
327 historyBackupLine.assign(data->Buf, narrow<size_t>(data->BufTextLen));
328 historyPos = -1;
329 colorize(historyBackupLine);
330 break;
331 }
332 }
333 return 0;
334}
335
336void ImGuiConsole::colorize(std::string_view line)
337{
338 TclParser parser = manager.getInterpreter().parse(line);
339 const auto& colors = parser.getColors();
340 assert(colors.size() == line.size());
341
342 coloredInputBuf.clear();
343 size_t pos = 0;
344 while (pos != colors.size()) {
345 char col = colors[pos];
346 size_t pos2 = pos++;
347 while ((pos != colors.size()) && (colors[pos] == col)) {
348 ++pos;
349 }
350 imColor color = [&] {
351 switch (col) {
352 using enum imColor;
353 case 'E': return ERROR;
354 case 'c': return COMMENT;
355 case 'v': return VARIABLE;
356 case 'l': return LITERAL;
357 case 'p': return PROC;
358 case 'o': return OPERATOR;
359 default: return TEXT; // other
360 }
361 }();
362 coloredInputBuf.addChunk(line.substr(pos2, pos - pos2), color);
363 }
364}
365
366void ImGuiConsole::putHistory(std::string command)
367{
368 if (command.empty()) return;
369 if (!history.empty() && (history.front() == command)) {
370 return;
371 }
372 if (history.full()) history.pop_back();
373 history.push_front(std::move(command));
374}
375
376void ImGuiConsole::saveHistory()
377{
378 try {
379 std::ofstream outputFile;
381 userFileContext("console").resolveCreate("history.txt"));
382 if (!outputFile) {
383 throw FileException("Error while saving the console history.");
384 }
385 for (const auto& s : view::reverse(history)) {
386 outputFile << s << '\n';
387 }
388 } catch (FileException& e) {
389 manager.getCliComm().printWarning(e.getMessage());
390 }
391}
392
393void ImGuiConsole::loadHistory()
394{
395 try {
396 std::ifstream inputFile(
397 userFileContext("console").resolveCreate("history.txt"));
398 std::string line;
399 while (inputFile) {
400 getline(inputFile, line);
401 putHistory(line);
402 }
403 } catch (FileException&) {
404 // Error while loading the console history, ignore
405 }
406}
407
408void ImGuiConsole::output(std::string_view text)
409{
410 print(text);
411}
412
413unsigned ImGuiConsole::getOutputColumns() const
414{
415 return columns;
416}
417
418void ImGuiConsole::update(const Setting& /*setting*/) noexcept
419{
420 show = consoleSetting.getBoolean();
421 if (!show) {
422 // Close the console via the 'console' setting. Typically this
423 // means via the F10 hotkey (or possibly by typing 'set console
424 // off' in the console).
425 //
426 // Give focus to the main openMSX window.
427 //
428 // This makes the following scenario work:
429 // * You were controlling the MSX, e.g. playing a game.
430 // * You press F10 to open the console.
431 // * You type a command (e.g. swap a game disk, for some people
432 // the console is still more convenient and/or faster than the
433 // new media menu).
434 // * You press F10 again to close the console
435 // * At this point the focus should go back to the main openMSX
436 // window (so that MSX input works).
437 SDL_SetWindowInputFocus(SDL_GetWindowFromID(WindowEvent::getMainWindowId()));
438 ImGui::SetWindowFocus(nullptr);
439 }
440}
441
442} // namespace openmsx
const std::string & getColors() const
Ouput: a string of equal length of the input command where each character indicates the type of the c...
Definition TclParser.hh:29
void push_front(T2 &&t)
size_t size() const
void printWarning(std::string_view message)
Definition CliComm.cc:10
static void setOutput(InterpreterOutput *output_)
Definition Completer.hh:72
This class represents a single text line in the console.
void addLine(const ConsoleLine &ln)
Append another line (possibly containing multiple chunks).
std::string_view chunkText(size_t i) const
Get the text for the i-th chunk.
imColor chunkColor(size_t i) const
Get the color for the i-th chunk.
void addChunk(std::string_view text, imColor color=imColor::TEXT)
Append a chunk with a (different) color.
void clear()
Reinitialize to an empty line.
size_t numChunks() const
Get the number of different chunks.
std::string tabCompletion(std::string_view command)
Complete the given command.
void paint(MSXMotherBoard *motherBoard) override
void save(ImGuiTextBuffer &buf) override
ImGuiConsole(ImGuiManager &manager)
void loadLine(std::string_view name, zstring_view value) override
Interpreter & getInterpreter()
void executeDelayed(std::function< void()> action)
ImGuiManager & manager
Definition ImGuiPart.hh:30
void setOutput(InterpreterOutput *output_)
TclParser parse(std::string_view command)
GlobalCommandController & getGlobalCommandController()
Definition Reactor.hh:90
void detach(Observer< T > &observer)
Definition Subject.hh:60
void attach(Observer< T > &observer)
Definition Subject.hh:54
zstring_view getString() const
Definition TclObject.cc:141
static std::string full()
Definition Version.cc:8
static uint32_t getMainWindowId()
Definition Event.hh:218
Like std::string_view, but with the extra guarantee that it refers to a zero-terminated string.
auto CalcTextSize(std::string_view str)
Definition ImGuiUtils.hh:37
void TextUnformatted(const std::string &str)
Definition ImGuiUtils.hh:24
constexpr double e
Definition Math.hh:21
vecN< 2, float > vec2
Definition gl_vec.hh:178
vecN< 4, float > vec4
Definition gl_vec.hh:180
void Window(const char *name, bool *p_open, ImGuiWindowFlags flags, std::invocable<> auto next)
Definition ImGuiCpp.hh:63
void StyleVar(ImGuiStyleVar idx, float val, std::invocable<> auto next)
Definition ImGuiCpp.hh:190
void PopupContextWindow(const char *str_id, ImGuiPopupFlags popup_flags, std::invocable<> auto next)
Definition ImGuiCpp.hh:442
void StyleColor(bool active, Args &&...args)
Definition ImGuiCpp.hh:175
void Child(const char *str_id, const ImVec2 &size, ImGuiChildFlags child_flags, ImGuiWindowFlags window_flags, std::invocable<> auto next)
Definition ImGuiCpp.hh:110
void ListClipper(size_t count, int forceIndex, float lineHeight, std::invocable< int > auto next)
Definition ImGuiCpp.hh:542
void openOfStream(std::ofstream &stream, zstring_view filename)
Open an ofstream in a platform-independent manner.
This file implemented 3 utility functions:
Definition Autofire.cc:11
bool loadOnePersistent(std::string_view name, zstring_view value, C &c, const std::tuple< Elements... > &tup)
void savePersistent(ImGuiTextBuffer &buf, C &c, const std::tuple< Elements... > &tup)
std::optional< bool > match(const BooleanInput &binding, const Event &event, function_ref< int(JoystickId)> getJoyDeadZone)
ImU32 getColor(imColor col)
const FileContext & userFileContext()
std::string_view substr(std::string_view utf8, std::string_view::size_type first=0, std::string_view::size_type len=std::string_view::npos)
auto distance(octet_iterator first, octet_iterator last)
Definition view.hh:15
constexpr auto reverse(Range &&range)
Definition view.hh:514
std::string strCat()
Definition strCat.hh:703
void strAppend(std::string &result, Ts &&...ts)
Definition strCat.hh:752
constexpr auto xrange(T e)
Definition xrange.hh:132
constexpr auto begin(const zstring_view &x)
constexpr auto end(const zstring_view &x)