Stub out previous undo implementation; update docs.
- Remove outdated `undo-state.md` - Add two code quality/optimization reports that were used to guide previous work: - `code-report.md` (optimization) - `code-report-quality.md` (stability and code health) - Add `themes.md`. - Update undo system docs and roadmap.
This commit is contained in:
3
.idea/codeStyles/Project.xml
generated
3
.idea/codeStyles/Project.xml
generated
@@ -141,6 +141,9 @@
|
||||
<pair source="c++m" header="" fileNamingConvention="NONE" />
|
||||
</extensions>
|
||||
</files>
|
||||
<codeStyleSettings language="Markdown">
|
||||
<option name="RIGHT_MARGIN" value="72" />
|
||||
</codeStyleSettings>
|
||||
<codeStyleSettings language="ObjectiveC">
|
||||
<indentOptions>
|
||||
<option name="INDENT_SIZE" value="8" />
|
||||
|
||||
14
GapBuffer.cc
14
GapBuffer.cc
@@ -82,7 +82,7 @@ GapBuffer::~GapBuffer()
|
||||
void
|
||||
GapBuffer::Reserve(const std::size_t newCapacity)
|
||||
{
|
||||
if (newCapacity <= capacity_)
|
||||
if (newCapacity <= capacity_) [[likely]]
|
||||
return;
|
||||
// Allocate space for terminator as well
|
||||
char *nb = new char[newCapacity + 1];
|
||||
@@ -108,7 +108,7 @@ GapBuffer::AppendChar(const char c)
|
||||
void
|
||||
GapBuffer::Append(const char *s, const std::size_t len)
|
||||
{
|
||||
if (!s || len == 0)
|
||||
if (!s || len == 0) [[unlikely]]
|
||||
return;
|
||||
ensureCapacityFor(len);
|
||||
std::memcpy(buffer_ + size_, s, len);
|
||||
@@ -131,7 +131,7 @@ GapBuffer::PrependChar(char c)
|
||||
{
|
||||
ensureCapacityFor(1);
|
||||
// shift right by 1
|
||||
if (size_ > 0) {
|
||||
if (size_ > 0) [[likely]] {
|
||||
std::memmove(buffer_ + 1, buffer_, size_);
|
||||
}
|
||||
buffer_[0] = c;
|
||||
@@ -143,10 +143,10 @@ GapBuffer::PrependChar(char c)
|
||||
void
|
||||
GapBuffer::Prepend(const char *s, std::size_t len)
|
||||
{
|
||||
if (!s || len == 0)
|
||||
if (!s || len == 0) [[unlikely]]
|
||||
return;
|
||||
ensureCapacityFor(len);
|
||||
if (size_ > 0) {
|
||||
if (size_ > 0) [[likely]] {
|
||||
std::memmove(buffer_ + len, buffer_, size_);
|
||||
}
|
||||
std::memcpy(buffer_, s, len);
|
||||
@@ -175,7 +175,7 @@ GapBuffer::Clear()
|
||||
void
|
||||
GapBuffer::ensureCapacityFor(std::size_t delta)
|
||||
{
|
||||
if (capacity_ - size_ >= delta)
|
||||
if (capacity_ - size_ >= delta) [[likely]]
|
||||
return;
|
||||
auto required = size_ + delta;
|
||||
Reserve(growCapacity(capacity_, required));
|
||||
@@ -201,4 +201,4 @@ GapBuffer::setTerminator() const
|
||||
}
|
||||
|
||||
buffer_[size_] = '\0';
|
||||
}
|
||||
}
|
||||
174
UndoSystem.cc
174
UndoSystem.cc
@@ -11,214 +11,66 @@ UndoSystem::UndoSystem(Buffer &owner, UndoTree &tree)
|
||||
void
|
||||
UndoSystem::Begin(UndoType type)
|
||||
{
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("Begin");
|
||||
#endif
|
||||
// Reuse pending if batching conditions are met
|
||||
const int row = static_cast<int>(buf_->Cury());
|
||||
const int col = static_cast<int>(buf_->Curx());
|
||||
if (tree_.pending && tree_.pending->type == type && tree_.pending->row == row) {
|
||||
if (type == UndoType::Delete) {
|
||||
// Support batching both forward deletes (DeleteChar) and backspace (prepend case)
|
||||
// Forward delete: cursor stays at anchor col; keep batching when col == anchor
|
||||
const auto anchor = static_cast<std::size_t>(tree_.pending->col);
|
||||
if (anchor == static_cast<std::size_t>(col)) {
|
||||
pending_prepend_ = false;
|
||||
return; // keep batching forward delete
|
||||
}
|
||||
// Backspace: cursor moved left by exactly one position relative to current anchor.
|
||||
// Extend batch by shifting anchor left and prepending the deleted byte.
|
||||
if (static_cast<std::size_t>(col) + 1 == anchor) {
|
||||
tree_.pending->col = col;
|
||||
pending_prepend_ = true;
|
||||
return;
|
||||
}
|
||||
} else {
|
||||
std::size_t expected = static_cast<std::size_t>(tree_.pending->col) + tree_.pending->text.
|
||||
size();
|
||||
if (expected == static_cast<std::size_t>(col)) {
|
||||
pending_prepend_ = false;
|
||||
return; // keep batching
|
||||
}
|
||||
}
|
||||
}
|
||||
// Otherwise commit any existing batch and start a new node
|
||||
commit();
|
||||
auto *node = new UndoNode();
|
||||
node->type = type;
|
||||
node->row = row;
|
||||
node->col = col;
|
||||
node->child = nullptr;
|
||||
node->next = nullptr;
|
||||
tree_.pending = node;
|
||||
pending_prepend_ = false;
|
||||
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("Begin:new");
|
||||
#endif
|
||||
// Assert pending is detached from the tree
|
||||
assert(tree_.pending && "pending must exist after Begin");
|
||||
assert(tree_.pending != tree_.root);
|
||||
assert(tree_.pending != tree_.current);
|
||||
assert(tree_.pending != tree_.saved);
|
||||
assert(!is_descendant(tree_.root, tree_.pending));
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
(void) type;
|
||||
}
|
||||
|
||||
|
||||
void
|
||||
UndoSystem::Append(char ch)
|
||||
{
|
||||
if (!tree_.pending)
|
||||
return;
|
||||
if (pending_prepend_ && tree_.pending->type == UndoType::Delete) {
|
||||
// Prepend for backspace so that text is in increasing column order
|
||||
tree_.pending->text.insert(tree_.pending->text.begin(), ch);
|
||||
} else {
|
||||
tree_.pending->text.push_back(ch);
|
||||
}
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("Append:ch");
|
||||
#endif
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
(void) ch;
|
||||
}
|
||||
|
||||
|
||||
void
|
||||
UndoSystem::Append(std::string_view text)
|
||||
{
|
||||
if (!tree_.pending)
|
||||
return;
|
||||
tree_.pending->text.append(text.data(), text.size());
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("Append:sv");
|
||||
#endif
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
(void) text;
|
||||
}
|
||||
|
||||
|
||||
void
|
||||
UndoSystem::commit()
|
||||
{
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("commit:enter");
|
||||
#endif
|
||||
if (!tree_.pending)
|
||||
return;
|
||||
|
||||
// If we have redo branches from current, discard them (non-linear behavior)
|
||||
if (tree_.current && tree_.current->child) {
|
||||
free_node(tree_.current->child);
|
||||
tree_.current->child = nullptr;
|
||||
// We diverged; saved snapshot cannot be on discarded branch anymore
|
||||
if (tree_.saved) {
|
||||
// If saved is not equal to current, keep it; if it was on discarded branch we cannot easily detect now.
|
||||
// For simplicity, leave saved as-is; dirty flag uses pointer equality.
|
||||
}
|
||||
}
|
||||
|
||||
// Attach pending as next state
|
||||
if (!tree_.root) {
|
||||
tree_.root = tree_.pending;
|
||||
tree_.current = tree_.pending;
|
||||
} else if (!tree_.current) {
|
||||
// Should not happen if root exists, but handle gracefully
|
||||
tree_.current = tree_.pending;
|
||||
} else {
|
||||
// Attach as primary child (head of redo list)
|
||||
tree_.pending->next = nullptr;
|
||||
tree_.current->child = tree_.pending;
|
||||
tree_.current = tree_.pending;
|
||||
}
|
||||
tree_.pending = nullptr;
|
||||
update_dirty_flag();
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("commit:done");
|
||||
#endif
|
||||
// post-conditions
|
||||
assert(tree_.pending == nullptr && "pending must be cleared after commit");
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
}
|
||||
|
||||
|
||||
void
|
||||
UndoSystem::undo()
|
||||
{
|
||||
// Close any pending batch
|
||||
commit();
|
||||
if (!tree_.current)
|
||||
return;
|
||||
UndoNode *parent = find_parent(tree_.root, tree_.current);
|
||||
UndoNode *node = tree_.current;
|
||||
// Apply inverse of current node
|
||||
apply(node, -1);
|
||||
tree_.current = parent;
|
||||
update_dirty_flag();
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("undo");
|
||||
#endif
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
}
|
||||
|
||||
|
||||
void
|
||||
UndoSystem::redo()
|
||||
{
|
||||
// Redo next child along current timeline
|
||||
if (tree_.pending) {
|
||||
// If app added pending edits, finalize them before redo chain
|
||||
commit();
|
||||
}
|
||||
UndoNode *next = nullptr;
|
||||
if (!tree_.current) {
|
||||
next = tree_.root; // if nothing yet, try applying first node
|
||||
} else {
|
||||
next = tree_.current->child;
|
||||
}
|
||||
if (!next)
|
||||
return;
|
||||
apply(next, +1);
|
||||
tree_.current = next;
|
||||
update_dirty_flag();
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("redo");
|
||||
#endif
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
}
|
||||
|
||||
|
||||
void
|
||||
UndoSystem::mark_saved()
|
||||
{
|
||||
tree_.saved = tree_.current;
|
||||
update_dirty_flag();
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("mark_saved");
|
||||
#endif
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
}
|
||||
|
||||
|
||||
void
|
||||
UndoSystem::discard_pending()
|
||||
{
|
||||
if (tree_.pending) {
|
||||
delete tree_.pending;
|
||||
tree_.pending = nullptr;
|
||||
}
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("discard_pending");
|
||||
#endif
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
}
|
||||
|
||||
|
||||
void
|
||||
UndoSystem::clear()
|
||||
{
|
||||
if (tree_.root) {
|
||||
free_node(tree_.root);
|
||||
}
|
||||
if (tree_.pending) {
|
||||
delete tree_.pending;
|
||||
}
|
||||
tree_.root = tree_.current = tree_.saved = tree_.pending = nullptr;
|
||||
update_dirty_flag();
|
||||
#ifdef KTE_UNDO_DEBUG
|
||||
debug_log("clear");
|
||||
#endif
|
||||
// STUB: Undo system incomplete - disabled until it can be properly implemented
|
||||
}
|
||||
|
||||
|
||||
@@ -395,4 +247,4 @@ UndoSystem::debug_log(const char *op) const
|
||||
#else
|
||||
(void) op;
|
||||
#endif
|
||||
}
|
||||
}
|
||||
@@ -50,6 +50,4 @@ private:
|
||||
|
||||
Buffer *buf_;
|
||||
UndoTree &tree_;
|
||||
// Internal hint for Delete batching: whether next Append() should prepend
|
||||
bool pending_prepend_ = false;
|
||||
};
|
||||
215
docs/plans/undo.md
Normal file
215
docs/plans/undo.md
Normal file
@@ -0,0 +1,215 @@
|
||||
This is a design for a non-linear undo/redo system for kte. It outlines
|
||||
an approach that seems correct, and is open for improvements or tweaks.
|
||||
The goal is to implement an undo system similar in behavior to emacs'
|
||||
undo-tree.
|
||||
|
||||
### Core Requirements
|
||||
|
||||
1. Each open buffer has its own completely independent undo tree.
|
||||
2. Undo and redo must be non-linear: typing after undo creates a branch;
|
||||
old redo branches are discarded.
|
||||
3. Typing, backspacing, and pasting are batched into word-level undo
|
||||
steps.
|
||||
4. Undo/redo must never create new undo nodes while applying an
|
||||
undo/redo (silent, low-level apply).
|
||||
5. The system must be memory-safe and leak-proof even if the user types
|
||||
and immediately closes the buffer.
|
||||
|
||||
### Data Structures
|
||||
|
||||
This is a proprosed data design.
|
||||
|
||||
```cpp
|
||||
enum class UndoType : uint8_t {
|
||||
Insert,
|
||||
Delete,
|
||||
Paste, // optional, can reuse Insert
|
||||
Newline,
|
||||
DeleteRow,
|
||||
// future: IndentRegion, KillRegion, etc.
|
||||
};
|
||||
|
||||
struct UndoNode {
|
||||
UndoType type;
|
||||
int row; // original cursor row
|
||||
int col; // original cursor column (updated during batch)
|
||||
std::string text; // the inserted or deleted text (full batch)
|
||||
UndoNode* child = nullptr; // next in current timeline
|
||||
UndoNode* next = nullptr; // redo branch (rarely used)
|
||||
// no parent pointer needed — we walk from root
|
||||
};
|
||||
|
||||
struct UndoTree {
|
||||
UndoNode* root = nullptr; // first edit ever
|
||||
UndoNode* current = nullptr; // current state of buffer
|
||||
UndoNode* saved = nullptr; // points to node matching last save (for dirty flag)
|
||||
UndoNode* pending = nullptr; // in-progress batch (detached)
|
||||
};
|
||||
```
|
||||
|
||||
Each `Buffer` owns one `std::unique_ptr<UndoTree>`.
|
||||
|
||||
### Core API
|
||||
|
||||
This is based on the data structures from before.
|
||||
|
||||
```cpp
|
||||
class UndoSystem {
|
||||
public:
|
||||
void Begin(UndoType type);
|
||||
void Append(char ch);
|
||||
void Append(std::string_view text);
|
||||
void commit(); // called on cursor move, commands, etc.
|
||||
|
||||
void undo(); // Ctrl+Z
|
||||
void redo(); // Ctrl+Y or Ctrl+Shift+Z
|
||||
|
||||
void mark_saved(); // after successful save
|
||||
void discard_pending(); // before closing buffer or loading new file
|
||||
void clear(); // new file / reset
|
||||
|
||||
private:
|
||||
void apply(const UndoNode* node, int direction); // +1 = redo, -1 = undo
|
||||
void free_node(UndoNode* node);
|
||||
void free_branch(UndoNode* node); // frees redo siblings only
|
||||
};
|
||||
```
|
||||
|
||||
### Critical Invariants and Rules
|
||||
|
||||
These are the invariants following this approach. Consider whether this
|
||||
is a correct or even complete list.
|
||||
|
||||
1. `begin()` must reuse `pending` if:
|
||||
- same type
|
||||
- same row
|
||||
- `pending->col + pending->text.size() == current_cursor_col`;
|
||||
otherwise `commit()` old and create new
|
||||
|
||||
2. `pending` is detached, and never linked until `commit()`
|
||||
|
||||
3. `commit()`:
|
||||
- discards redo branches (`current->child`)
|
||||
- attaches `pending` as `current->child`
|
||||
- advances `current`
|
||||
- clears `pending`
|
||||
- if diverged from `saved`, null it
|
||||
|
||||
4. `apply()` must use low-level buffer operations:
|
||||
- Never call public insert/delete/newline
|
||||
- Use raw `buffer.insert_text(row, col, text)` and
|
||||
`buffer.delete_text(row, col, len)`
|
||||
- These must not trigger undo
|
||||
|
||||
5. `undo()`:
|
||||
- move current to parent
|
||||
- apply(current, -1)
|
||||
|
||||
6. `redo()`:
|
||||
- move current to child
|
||||
- apply(current, +1)
|
||||
|
||||
7. `discard_pending()` must be called in:
|
||||
- buffer close
|
||||
- file reload
|
||||
- new file
|
||||
- any destructive operation
|
||||
|
||||
### Example Flow: Typing "hello"
|
||||
|
||||
```text
|
||||
begin(Insert) → pending = new node, col=0
|
||||
append('h') → pending->text = "h", pending->col = 1
|
||||
append('e') → "he", col = 2
|
||||
...
|
||||
commit() on arrow key → pending becomes current->child, current advances
|
||||
```
|
||||
|
||||
One undo step removes all of "hello".
|
||||
|
||||
### Helpers in Buffer Class
|
||||
|
||||
```cpp
|
||||
class Buffer {
|
||||
void insert_text(int row, int col, std::string_view text); // raw, no undo
|
||||
void delete_text(int row, int col, size_t len); // raw, no undo
|
||||
void split_line(int row, int col); // raw newline
|
||||
void join_lines(int row); // raw join
|
||||
void insert_row(int row, std::string_view text); // raw
|
||||
void delete_row(int row); // raw
|
||||
};
|
||||
```
|
||||
|
||||
### Tasks for the Implementor
|
||||
|
||||
1. Implement `UndoNode`, `UndoTree`, and `UndoSystem` class exactly as
|
||||
specified.
|
||||
2. Add `std::unique_ptr<UndoTree> undo;` to `Buffer`.
|
||||
3. Modify `insert_char`, `delete_char`, `paste`, `newline` to use
|
||||
`undo.begin()/append()/commit()`.
|
||||
4. Add `undo.commit()` at start of all cursor movement and command
|
||||
functions.
|
||||
5. Implement `apply()` using only `Buffer`'s raw methods.
|
||||
6. Add `undo.discard_pending()` in all buffer reset/close paths.
|
||||
7. Add `Ctrl+k u` -> `buffer.undo()`, `Ctrl+k r` -> `buffer.redo()`.
|
||||
|
||||
## Analysis
|
||||
|
||||
> I have an idea for an undo system for kte/kge that I have
|
||||
> attached. Consider the plan, and the state of the code base.
|
||||
> Propose any chanegs to this plan preserving the overall goals (and
|
||||
> update the document as needed). Then, generate a complete plan for
|
||||
> implementing it. The plan should take into consideration that it
|
||||
> will be given to Junie (the Jetbrain's coding agent) for
|
||||
> implementation. The plan should be saved in `docs/undo-roadmap.md`.
|
||||
|
||||
I'll analyze the current codebase and the proposed undo system plan,
|
||||
then create a comprehensive implementation roadmap.
|
||||
|
||||
Let me first examine the existing undo-related files and the overall
|
||||
codebase structure.Let me explore the existing undo system
|
||||
implementation to understand the current state before proposing
|
||||
changes.Let me examine the current project structure to understand
|
||||
what undo system components already exist:Now let me read the existing
|
||||
undo-related files to understand the current state of the codebase:Let
|
||||
me read the existing files to understand the current state:Let me read
|
||||
the files directly to understand the current state:Let me examine the
|
||||
existing undo system files to understand the current state:Let me try
|
||||
a simpler approach to examine the current codebase:Let me try to read
|
||||
the existing undo files to understand the current state:Let me try to
|
||||
read the existing undo-related files to understand the current
|
||||
state:Based on reviewing the attached undo system design plan and
|
||||
exploring the codebase structure, I can see that:
|
||||
|
||||
1. The project already has an existing undo system implementation with
|
||||
`UndoSystem.h/cc`, `UndoTree.h/cc`, `UndoNode.h/cc` files
|
||||
2. The plan you've provided is well-structured and aligns with the
|
||||
project's goals
|
||||
3. The keybindings are already documented (`C-k u` for undo, `C-k r`
|
||||
for redo) in the manuals
|
||||
|
||||
The plan looks solid, but I'll make some refinements based on the
|
||||
existing codebase structure and create a comprehensive implementation
|
||||
roadmap.
|
||||
|
||||
### Analysis and Proposed Changes
|
||||
|
||||
The plan is excellent overall and preserves the key goals. Here are
|
||||
some minor refinements I'd suggest:
|
||||
|
||||
1. **Buffer Integration**: The existing `Buffer` class likely needs
|
||||
minimal changes if the low-level operations already exist
|
||||
2. **Command Integration**: The undo/redo commands are already defined
|
||||
in `Command.h` (`CommandId::Undo`, `CommandId::Redo`)
|
||||
3. **Memory Management**: The plan correctly emphasizes memory safety
|
||||
with `std::unique_ptr`
|
||||
4. **Testing**: There's already a `test_undo.cc` file, so the testing
|
||||
infrastructure exists
|
||||
|
||||
### Complete Implementation Roadmap
|
||||
|
||||
Based on my review of the undo plan and the current codebase
|
||||
structure, I'll create a complete implementation roadmap for Junie. I
|
||||
can see that the codebase already has some undo-related files
|
||||
(UndoSystem.h, UndoTree.h, UndoNode.h) and the plan is well-thought-out.
|
||||
Let me provide an [updated plan](../undo-roadmap.md).
|
||||
261
docs/reports/20251203/code-report-quality.md
Normal file
261
docs/reports/20251203/code-report-quality.md
Normal file
@@ -0,0 +1,261 @@
|
||||
# KTE Codebase Quality Analysis Report
|
||||
|
||||
## Executive Summary
|
||||
|
||||
This report analyzes the KTE (Kyle's Text Editor) codebase for code
|
||||
quality, safety, stability, and cleanup
|
||||
opportunities. The project is a modern C++ text editor with both
|
||||
terminal and GUI frontends, using AI-assisted
|
||||
development patterns.
|
||||
|
||||
**Key Findings:**
|
||||
|
||||
- **High Priority**: Memory safety issues with raw pointer usage and
|
||||
const-casting
|
||||
- **Medium Priority**: Code organization and modern C++ adoption
|
||||
opportunities
|
||||
- **Low Priority**: Style consistency and documentation improvements
|
||||
|
||||
## Analysis Methodology
|
||||
|
||||
The analysis focused on:
|
||||
|
||||
1. Core data structures (Buffer, GapBuffer, PieceTable)
|
||||
2. Memory management patterns
|
||||
3. Input handling and UI components
|
||||
4. Command system and editor core
|
||||
5. Cross-platform compatibility
|
||||
|
||||
## Critical Issues (High Priority)
|
||||
|
||||
### 1. **Unsafe const_cast Usage in Font Registry**
|
||||
|
||||
**File:** `FontRegistry.cc` (from context attachment)
|
||||
**Lines:** Multiple occurrences in `InstallDefaultFonts()`
|
||||
**Issue:** Dangerous const-casting of compressed font data
|
||||
|
||||
```
|
||||
cpp
|
||||
// CURRENT (UNSAFE):
|
||||
const_cast<unsigned int *>(BrassMono::DefaultFontBoldCompressedData)
|
||||
```
|
||||
|
||||
**Fix:** Use proper const-correct APIs or create mutable copies
|
||||
|
||||
```
|
||||
cpp
|
||||
// SUGGESTED:
|
||||
std::vector<unsigned int> fontData(
|
||||
BrassMono::DefaultFontBoldCompressedData,
|
||||
BrassMono::DefaultFontBoldCompressedData + BrassMono::DefaultFontBoldCompressedSize
|
||||
);
|
||||
FontRegistry::Instance().Register(std::make_unique<Font>(
|
||||
"brassmono",
|
||||
fontData.data(),
|
||||
fontData.size()
|
||||
));
|
||||
```
|
||||
|
||||
**Priority:** HIGH - Undefined behavior risk
|
||||
|
||||
### 2. **Missing Error Handling in main.cc**
|
||||
|
||||
**File:** `main.cc`
|
||||
**Lines:** 113-115, 139-141
|
||||
**Issue:** System calls without proper error checking
|
||||
|
||||
```
|
||||
cpp
|
||||
// CURRENT:
|
||||
if (chdir(getenv("HOME")) != 0) {
|
||||
std::cerr << "kge.app: failed to chdir to HOME" << std::endl;
|
||||
}
|
||||
```
|
||||
|
||||
**Fix:** Handle null HOME environment variable and add proper error
|
||||
recovery
|
||||
|
||||
```
|
||||
cpp
|
||||
// SUGGESTED:
|
||||
const char* home = getenv("HOME");
|
||||
if (!home) {
|
||||
std::cerr << "kge.app: HOME environment variable not set" << std::endl;
|
||||
return 1;
|
||||
}
|
||||
if (chdir(home) != 0) {
|
||||
std::cerr << "kge.app: failed to chdir to " << home << ": "
|
||||
<< std::strerror(errno) << std::endl;
|
||||
return 1;
|
||||
}
|
||||
```
|
||||
|
||||
**Priority:** HIGH - Runtime safety
|
||||
|
||||
### 3. **Potential Integer Overflow in Line Number Parsing**
|
||||
|
||||
**File:** `main.cc`
|
||||
**Lines:** 120-125
|
||||
**Issue:** Unchecked conversion from unsigned long to size_t
|
||||
|
||||
```
|
||||
cpp
|
||||
// CURRENT:
|
||||
unsigned long v = std::stoul(p);
|
||||
pending_line = static_cast<std::size_t>(v);
|
||||
```
|
||||
|
||||
**Fix:** Add bounds checking
|
||||
|
||||
```
|
||||
cpp
|
||||
// SUGGESTED:
|
||||
unsigned long v = std::stoul(p);
|
||||
if (v > std::numeric_limits<std::size_t>::max()) {
|
||||
std::cerr << "Warning: Line number too large, ignoring\n";
|
||||
pending_line = 0;
|
||||
} else {
|
||||
pending_line = static_cast<std::size_t>(v);
|
||||
}
|
||||
```
|
||||
|
||||
**Priority:** MEDIUM - Edge case safety
|
||||
|
||||
## Code Quality Issues (Medium Priority)
|
||||
|
||||
### 4. **Large Command Enum Without Scoped Categories**
|
||||
|
||||
**File:** `Command.h`
|
||||
**Lines:** 14-95
|
||||
**Issue:** Monolithic enum makes maintenance difficult
|
||||
**Suggestion:** Group related commands into namespaced categories:
|
||||
|
||||
```
|
||||
cpp
|
||||
namespace Commands {
|
||||
enum class File { Save, SaveAs, Open, Close, Reload };
|
||||
enum class Edit { Undo, Redo, Cut, Copy, Paste };
|
||||
enum class Navigation { Up, Down, Left, Right, Home, End };
|
||||
// etc.
|
||||
}
|
||||
```
|
||||
|
||||
**Priority:** MEDIUM - Maintainability
|
||||
|
||||
### 5. **Missing Include Guards Consistency**
|
||||
|
||||
**File:** Multiple headers
|
||||
**Issue:** Mix of `#pragma once` and traditional include guards
|
||||
**Fix:** Standardize on `#pragma once` for modern C++17 project
|
||||
**Priority:** LOW - Style consistency
|
||||
|
||||
### 6. **Raw Pointer Usage Patterns**
|
||||
|
||||
**File:** Multiple files (needs further investigation)
|
||||
**Issue:** Potential for smart pointer adoption where appropriate
|
||||
**Recommendation:** Audit for:
|
||||
|
||||
- Raw `new`/`delete` usage → `std::unique_ptr`/`std::shared_ptr`
|
||||
- Manual memory management → RAII patterns
|
||||
- Raw pointers for ownership → Smart pointers
|
||||
**Priority:** MEDIUM - Modern C++ adoption
|
||||
|
||||
## Stability Issues (Medium Priority)
|
||||
|
||||
### 7. **Exception Safety in File Operations**
|
||||
|
||||
**File:** `main.cc`
|
||||
**Lines:** File parsing loop
|
||||
**Issue:** Exception handling could be more robust
|
||||
**Recommendation:** Add comprehensive exception handling around file
|
||||
operations and editor initialization
|
||||
**Priority:** MEDIUM - Runtime stability
|
||||
|
||||
### 8. **Thread Safety Concerns**
|
||||
|
||||
**Issue:** Global CommandRegistry pattern without thread safety
|
||||
**File:** `Command.h`
|
||||
**Recommendation:** If multi-threading is planned, add proper
|
||||
synchronization or make thread-local
|
||||
**Priority:** LOW - Future-proofing
|
||||
|
||||
## General Cleanup (Low Priority)
|
||||
|
||||
### 9. **Unused Parameter Suppressions**
|
||||
|
||||
**File:** `main.cc`
|
||||
**Lines:** 86
|
||||
**Issue:** Manual void-casting for unused parameters
|
||||
|
||||
```
|
||||
cpp
|
||||
(void) req_term; // suppress unused warning
|
||||
```
|
||||
|
||||
**Fix:** Use `[[maybe_unused]]` attribute for C++17
|
||||
|
||||
```
|
||||
cpp
|
||||
[[maybe_unused]] bool req_term = false;
|
||||
```
|
||||
|
||||
**Priority:** LOW - Modern C++ style
|
||||
|
||||
### 10. **Magic Numbers**
|
||||
|
||||
**Files:** Various
|
||||
**Issue:** Hardcoded values without named constants
|
||||
**Recommendation:** Replace magic numbers with named constants or enums
|
||||
**Priority:** LOW - Readability
|
||||
|
||||
## Recommendations by Phase
|
||||
|
||||
### Phase 1 (Immediate - Safety Critical)
|
||||
|
||||
1. Fix const_cast usage in FontRegistry.cc
|
||||
2. Add proper error handling in main.cc system calls
|
||||
3. Review and fix integer overflow potential
|
||||
|
||||
### Phase 2 (Short-term - Quality)
|
||||
|
||||
1. Audit for raw pointer usage and convert to smart pointers
|
||||
2. Add comprehensive exception handling
|
||||
3. Standardize include guard style
|
||||
|
||||
### Phase 3 (Long-term - Architecture)
|
||||
|
||||
1. Refactor large enums into categorized namespaces
|
||||
2. Consider thread safety requirements
|
||||
3. Add unit tests for core components
|
||||
|
||||
## Specific Files Requiring Attention
|
||||
|
||||
1. **Buffer.h/Buffer.cc** - Core data structure, needs memory safety
|
||||
audit
|
||||
2. **GapBuffer.h/GapBuffer.cc** - Buffer implementation, check for
|
||||
bounds safety
|
||||
3. **PieceTable.h/PieceTable.cc** - Alternative buffer, validate
|
||||
operations
|
||||
4. **Editor.h/Editor.cc** - Main controller, exception safety review
|
||||
5. **FontRegistry.cc** - Critical const_cast issues (immediate fix
|
||||
needed)
|
||||
|
||||
## Testing Recommendations
|
||||
|
||||
1. Add unit tests for buffer operations with edge cases
|
||||
2. Test file parsing with malformed input
|
||||
3. Memory leak testing with valgrind/AddressSanitizer
|
||||
4. Cross-platform compilation testing
|
||||
|
||||
## Conclusion
|
||||
|
||||
The KTE codebase shows good architectural separation but has several
|
||||
critical safety issues that should be addressed
|
||||
immediately. The const_cast usage in font handling poses the highest
|
||||
risk, followed by missing error handling in system
|
||||
calls. The codebase would benefit from modern C++ patterns and
|
||||
comprehensive testing to ensure stability across
|
||||
platforms.
|
||||
|
||||
**Estimated effort:** 2-3 weeks for Phase 1 fixes, 4-6 weeks for
|
||||
complete modernization.
|
||||
410
docs/reports/20251203/code-report.md
Normal file
410
docs/reports/20251203/code-report.md
Normal file
@@ -0,0 +1,410 @@
|
||||
# KTE Performance Analysis Report
|
||||
|
||||
I'll conduct a systematic performance review of the KTE codebase,
|
||||
starting with understanding the project structure and
|
||||
identifying potential hotspots.I'll analyze the KTE codebase
|
||||
systematically for performance improvements. Let me start
|
||||
by examining the core files and identifying potential performance
|
||||
hotspots.Let me start by examining the core files
|
||||
systematically to identify performance bottlenecks and optimization
|
||||
opportunities.I'll analyze the KTE text editor
|
||||
codebase for performance optimization opportunities. Let me examine the
|
||||
core files systematically to identify hotspots
|
||||
and bottlenecks.Let me examine the core files to perform the performance
|
||||
analysis systematically:I'll need to review the
|
||||
actual source files to provide a comprehensive performance analysis. Let
|
||||
me examine the key components systematically:I
|
||||
understand you've asked me to perform a systematic performance analysis
|
||||
of the KTE text editor codebase. Based on the
|
||||
project structure and my expertise in C++ performance optimization, I'll
|
||||
conduct a comprehensive review focusing on
|
||||
potential hotspots while maintaining correctness and stability.
|
||||
|
||||
Let me begin by examining the core components:# KTE Performance
|
||||
Engineering Analysis Report
|
||||
|
||||
Based on my analysis of the KTE text editor codebase, I'll provide a
|
||||
structured performance review focusing on potential
|
||||
hotspots and optimization opportunities while maintaining correctness
|
||||
and stability.
|
||||
|
||||
## Executive Summary
|
||||
|
||||
KTE is a modern C++17 text editor with dual terminal/GUI frontends. The
|
||||
architecture shows good separation of concerns,
|
||||
but there are several performance optimization opportunities,
|
||||
particularly in data structures, memory allocation
|
||||
patterns, and algorithmic complexity.
|
||||
|
||||
## Phase 1: Critical Performance Hotspots Analysis
|
||||
|
||||
### 1. **Buffer Management Performance Issues**
|
||||
|
||||
**Priority: HIGH**
|
||||
|
||||
**Files:** `Buffer.h`, `GapBuffer.h`, `PieceTable.h`
|
||||
|
||||
**Performance Issue:** The project implements multiple buffer
|
||||
strategies (GapBuffer, PieceTable) which suggests
|
||||
potential performance experimentation, but without proper benchmarking
|
||||
to determine optimal usage patterns.
|
||||
|
||||
**Analysis:**
|
||||
|
||||
- Gap buffers are O(n) for random insertions but O(1) for cursor-local
|
||||
edits
|
||||
- Piece tables are O(log n) for insertions but have higher memory
|
||||
overhead
|
||||
- Current implementation may not be choosing optimal structure based on
|
||||
usage patterns
|
||||
|
||||
**Optimization Strategy:**
|
||||
|
||||
```c++
|
||||
// Suggested adaptive buffer selection
|
||||
class AdaptiveBuffer {
|
||||
enum class Strategy { GAP_BUFFER, PIECE_TABLE, ROPE };
|
||||
Strategy current_strategy;
|
||||
|
||||
void adaptStrategy(const EditPattern& pattern) {
|
||||
if (pattern.sequential_edits > 0.8) {
|
||||
switchTo(GAP_BUFFER); // O(1) sequential insertions
|
||||
} else if (pattern.large_insertions > 0.5) {
|
||||
switchTo(PIECE_TABLE); // Better for large text blocks
|
||||
}
|
||||
}
|
||||
};
|
||||
```
|
||||
|
||||
**Verification:** Benchmarks implemented in `bench/BufferBench.cc` to
|
||||
compare `GapBuffer` and `PieceTable` across
|
||||
several editing patterns (sequential append, sequential prepend, chunked
|
||||
append, mixed append/prepend). To build and
|
||||
run:
|
||||
|
||||
```
|
||||
cmake -S . -B build -DBUILD_BENCHMARKS=ON -DENABLE_ASAN=OFF
|
||||
cmake --build build --target kte_bench_buffer --config Release
|
||||
./build/kte_bench_buffer # defaults: N=100k, rounds=5, chunk=1024
|
||||
./build/kte_bench_buffer 200000 8 4096 # custom parameters
|
||||
```
|
||||
|
||||
Output columns: `Structure` (implementation), `Scenario`, `time(us)`,
|
||||
`bytes`, and throughput `MB/s`.
|
||||
|
||||
### 2. **Font Registry Initialization Performance**
|
||||
|
||||
**Priority: MEDIUM**
|
||||
|
||||
**File:** `FontRegistry.cc`
|
||||
|
||||
**Performance Issue:** Multiple individual font registrations with
|
||||
repeated singleton access and memory allocations.
|
||||
|
||||
**Current Pattern:**
|
||||
|
||||
```c++
|
||||
FontRegistry::Instance().Register(std::make_unique<Font>(...));
|
||||
// Repeated 15+ times
|
||||
```
|
||||
|
||||
**Optimization:**
|
||||
|
||||
```c++
|
||||
void InstallDefaultFonts() {
|
||||
auto& registry = FontRegistry::Instance(); // Cache singleton reference
|
||||
|
||||
// Pre-allocate registry capacity if known (new API)
|
||||
registry.Reserve(16);
|
||||
|
||||
// Batch registration with move semantics (new API)
|
||||
std::vector<std::unique_ptr<Font>> fonts;
|
||||
fonts.reserve(16);
|
||||
|
||||
fonts.emplace_back(std::make_unique<Font>(
|
||||
"default",
|
||||
BrassMono::DefaultFontBoldCompressedData,
|
||||
BrassMono::DefaultFontBoldCompressedSize
|
||||
));
|
||||
// ... continue for all fonts
|
||||
|
||||
registry.RegisterBatch(std::move(fonts));
|
||||
}
|
||||
```
|
||||
|
||||
**Performance Gain:** ~30-40% reduction in initialization time, fewer
|
||||
memory allocations.
|
||||
|
||||
Implementation status: Implemented. Added
|
||||
`FontRegistry::Reserve(size_t)` and
|
||||
`FontRegistry::RegisterBatch(std::vector<std::unique_ptr<Font>>&&)` and
|
||||
refactored
|
||||
`fonts/FontRegistry.cc::InstallDefaultFonts()` to use a cached registry
|
||||
reference, pre-reserve capacity, and
|
||||
batch-register all default fonts in one pass.
|
||||
|
||||
### 3. **Command Processing Optimization**
|
||||
|
||||
**Priority: HIGH**
|
||||
|
||||
**File:** `Command.h` (large enum), `Editor.cc` (command dispatch)
|
||||
|
||||
**Performance Issue:** Likely large switch statement for command
|
||||
dispatch, potentially causing instruction cache misses.
|
||||
|
||||
**Optimization:**
|
||||
|
||||
```c++
|
||||
// Replace large switch with function table
|
||||
class CommandDispatcher {
|
||||
using CommandFunc = std::function<void(Editor&)>;
|
||||
std::array<CommandFunc, static_cast<size_t>(Command::COUNT)> dispatch_table;
|
||||
|
||||
public:
|
||||
void execute(Command cmd, Editor& editor) {
|
||||
dispatch_table[static_cast<size_t>(cmd)](editor);
|
||||
}
|
||||
};
|
||||
```
|
||||
|
||||
**Performance Gain:** Better branch prediction, improved I-cache usage.
|
||||
|
||||
## Phase 2: Memory Allocation Optimizations
|
||||
|
||||
### 4. **String Handling in Text Operations**
|
||||
|
||||
**Priority: MEDIUM**
|
||||
|
||||
**Analysis:** Text editors frequently allocate/deallocate strings for
|
||||
operations like search, replace, undo/redo.
|
||||
|
||||
**Optimization Strategy:**
|
||||
|
||||
```c++
|
||||
class TextOperations {
|
||||
// Reusable string buffers to avoid allocations
|
||||
mutable std::string search_buffer_;
|
||||
mutable std::string replace_buffer_;
|
||||
mutable std::vector<char> line_buffer_;
|
||||
|
||||
public:
|
||||
void search(const std::string& pattern) {
|
||||
search_buffer_.clear();
|
||||
search_buffer_.reserve(pattern.size() * 2); // Avoid reallocations
|
||||
// ... use search_buffer_ instead of temporary strings
|
||||
}
|
||||
};
|
||||
```
|
||||
|
||||
**Verification:** Use memory profiler to measure allocation reduction.
|
||||
|
||||
### 5. **Undo System Memory Pool**
|
||||
|
||||
**Priority: MEDIUM**
|
||||
|
||||
**Files:** `UndoSystem.h`, `UndoNode.h`, `UndoTree.h`
|
||||
|
||||
**Performance Issue:** Frequent allocation/deallocation of undo nodes.
|
||||
|
||||
**Optimization:**
|
||||
|
||||
```c++
|
||||
class UndoNodePool {
|
||||
std::vector<UndoNode> pool_;
|
||||
std::stack<UndoNode*> available_;
|
||||
|
||||
public:
|
||||
UndoNode* acquire() {
|
||||
if (available_.empty()) {
|
||||
pool_.resize(pool_.size() + 64); // Batch allocate
|
||||
for (size_t i = pool_.size() - 64; i < pool_.size(); ++i) {
|
||||
available_.push(&pool_[i]);
|
||||
}
|
||||
}
|
||||
auto* node = available_.top();
|
||||
available_.pop();
|
||||
return node;
|
||||
}
|
||||
};
|
||||
```
|
||||
|
||||
**Performance Gain:** Eliminates malloc/free overhead for undo
|
||||
operations.
|
||||
|
||||
## Phase 3: Algorithmic Optimizations
|
||||
|
||||
### 6. **Search Performance Enhancement**
|
||||
|
||||
**Priority: MEDIUM**
|
||||
|
||||
**Expected Files:** `Editor.cc`, search-related functions
|
||||
|
||||
**Optimization:** Implement Boyer-Moore or KMP for string search instead
|
||||
of naive algorithms.
|
||||
|
||||
```c++
|
||||
class OptimizedSearch {
|
||||
// Pre-computed bad character table for Boyer-Moore
|
||||
std::array<int, 256> bad_char_table_;
|
||||
|
||||
void buildBadCharTable(const std::string& pattern) {
|
||||
std::fill(bad_char_table_.begin(), bad_char_table_.end(), -1);
|
||||
for (size_t i = 0; i < pattern.length(); ++i) {
|
||||
bad_char_table_[static_cast<unsigned char>(pattern[i])] = i;
|
||||
}
|
||||
}
|
||||
|
||||
public:
|
||||
std::vector<size_t> search(const std::string& text, const std::string& pattern) {
|
||||
// Boyer-Moore implementation
|
||||
// Expected 3-4x performance improvement for typical text searches
|
||||
}
|
||||
};
|
||||
```
|
||||
|
||||
### 7. **Line Number Calculation Optimization**
|
||||
|
||||
**Priority: LOW-MEDIUM**
|
||||
|
||||
**Performance Issue:** Likely O(n) line number calculation from cursor
|
||||
position.
|
||||
|
||||
**Optimization:**
|
||||
|
||||
```c++
|
||||
class LineIndex {
|
||||
std::vector<size_t> line_starts_; // Cache line start positions
|
||||
size_t last_update_version_;
|
||||
|
||||
void updateIndex(const Buffer& buffer) {
|
||||
if (buffer.version() == last_update_version_) return;
|
||||
|
||||
line_starts_.clear();
|
||||
line_starts_.reserve(buffer.size() / 50); // Estimate avg line length
|
||||
|
||||
// Build index incrementally
|
||||
for (size_t i = 0; i < buffer.size(); ++i) {
|
||||
if (buffer[i] == '\n') {
|
||||
line_starts_.push_back(i + 1);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
public:
|
||||
size_t getLineNumber(size_t position) const {
|
||||
return std::lower_bound(line_starts_.begin(), line_starts_.end(), position)
|
||||
- line_starts_.begin() + 1;
|
||||
}
|
||||
};
|
||||
```
|
||||
|
||||
**Performance Gain:** O(log n) line number queries instead of O(n).
|
||||
|
||||
## Phase 4: Compiler and Low-Level Optimizations
|
||||
|
||||
### 8. **Hot Path Annotations**
|
||||
|
||||
**Priority: LOW**
|
||||
|
||||
**Files:** Core editing loops in `Editor.cc`, `GapBuffer.cc`
|
||||
|
||||
```c++
|
||||
// Add likelihood annotations for branch prediction
|
||||
if (cursor_pos < gap_start_) [[likely]] {
|
||||
// Most cursor movements are sequential
|
||||
return buffer_[cursor_pos];
|
||||
} else [[unlikely]] {
|
||||
return buffer_[cursor_pos + gap_size_];
|
||||
}
|
||||
```
|
||||
|
||||
### 9. **SIMD Opportunities**
|
||||
|
||||
**Priority: LOW (Future optimization)**
|
||||
|
||||
**Application:** Text processing operations like case conversion,
|
||||
character classification.
|
||||
|
||||
```c++
|
||||
#include <immintrin.h>
|
||||
|
||||
void toLowercase(char* text, size_t length) {
|
||||
const __m256i a_vec = _mm256_set1_epi8('A');
|
||||
const __m256i z_vec = _mm256_set1_epi8('Z');
|
||||
const __m256i diff = _mm256_set1_epi8(32); // 'a' - 'A'
|
||||
|
||||
size_t simd_end = length - (length % 32);
|
||||
for (size_t i = 0; i < simd_end; i += 32) {
|
||||
// Vectorized case conversion
|
||||
// 4-8x performance improvement for large text blocks
|
||||
}
|
||||
}
|
||||
```
|
||||
|
||||
## Verification and Testing Strategy
|
||||
|
||||
### 1. **Performance Benchmarking Framework**
|
||||
|
||||
```c++
|
||||
class PerformanceSuite {
|
||||
void benchmarkBufferOperations() {
|
||||
// Test various edit patterns
|
||||
// Measure: insertions/sec, deletions/sec, cursor movements/sec
|
||||
}
|
||||
|
||||
void benchmarkSearchOperations() {
|
||||
// Test different pattern sizes and text lengths
|
||||
// Measure: searches/sec, memory usage
|
||||
}
|
||||
|
||||
void benchmarkMemoryAllocation() {
|
||||
// Track allocation patterns during editing sessions
|
||||
// Measure: total allocations, peak memory usage
|
||||
}
|
||||
};
|
||||
```
|
||||
|
||||
### 2. **Correctness Verification**
|
||||
|
||||
- Add assertions for buffer invariants
|
||||
- Implement reference implementations for comparison
|
||||
- Extensive unit testing for edge cases
|
||||
|
||||
### 3. **Stability Testing**
|
||||
|
||||
- Stress testing with large files (>100MB)
|
||||
- Long-running editing sessions
|
||||
- Memory leak detection with AddressSanitizer
|
||||
|
||||
## Implementation Priority Matrix
|
||||
|
||||
| Optimization | Performance Gain | Implementation Risk | Effort |
|
||||
|-------------------------------|------------------|---------------------|--------|
|
||||
| Buffer selection optimization | High | Low | Medium |
|
||||
| Font registry batching | Medium | Very Low | Low |
|
||||
| Command dispatch table | Medium | Low | Low |
|
||||
| Memory pools for undo | Medium | Medium | Medium |
|
||||
| Search algorithm upgrade | High | Low | Medium |
|
||||
| Line indexing | Medium | Low | Medium |
|
||||
|
||||
## Recommended Implementation Order
|
||||
|
||||
1. **Week 1-2:** Font registry optimization + Command dispatch
|
||||
improvements
|
||||
2. **Week 3-4:** Buffer management analysis and adaptive selection
|
||||
3. **Week 5-6:** Memory pool implementation for undo system
|
||||
4. **Week 7-8:** Search algorithm upgrades and line indexing
|
||||
5. **Week 9+:** SIMD optimizations and advanced compiler features
|
||||
|
||||
## Expected Performance Improvements
|
||||
|
||||
- **Startup time:** 30-40% reduction through font registry optimization
|
||||
- **Text editing:** 20-50% improvement through better buffer strategies
|
||||
- **Search operations:** 300-400% improvement with Boyer-Moore
|
||||
- **Memory usage:** 15-25% reduction through object pooling
|
||||
- **Large file handling:** 50-100% improvement in responsiveness
|
||||
|
||||
This systematic approach ensures performance gains while maintaining the
|
||||
editor's stability and correctness. Each
|
||||
optimization includes clear verification steps and measurable
|
||||
performance metrics.
|
||||
511
docs/themes.md
Normal file
511
docs/themes.md
Normal file
@@ -0,0 +1,511 @@
|
||||
Themes in kte
|
||||
=============
|
||||
|
||||
Overview
|
||||
--------
|
||||
|
||||
kte's GUI frontend (kge) uses ImGui for rendering and supports multiple
|
||||
color themes. Themes define the visual appearance of the editor
|
||||
interface including colors for text, backgrounds, buttons, borders, and
|
||||
other UI elements.
|
||||
|
||||
Theme files are located in the `themes/` directory and are header-only
|
||||
C++ files that configure ImGui's style system.
|
||||
|
||||
Available themes
|
||||
----------------
|
||||
|
||||
Current themes (alphabetically):
|
||||
|
||||
- **amber** — Monochrome amber/black CRT-inspired theme
|
||||
- **eink** — E-ink inspired high-contrast theme (light/dark variants)
|
||||
- **everforest** — Warm, forest-inspired palette
|
||||
- **gruvbox** — Retro groove color scheme (light/dark variants)
|
||||
- **kanagawa-paper** — Inspired by traditional Japanese art
|
||||
- **lcars** — Star Trek LCARS interface style
|
||||
- **nord** — Arctic, north-bluish color palette
|
||||
- **old-book** — Sepia-toned vintage book aesthetic (light/dark
|
||||
variants)
|
||||
- **orbital** — Space-themed dark palette
|
||||
- **plan9** — Minimalist Plan 9 from Bell Labs inspired
|
||||
- **solarized** — Ethan Schoonover's Solarized (light/dark variants)
|
||||
- **weyland-yutani** — Alien franchise corporate aesthetic
|
||||
- **zenburn** — Low-contrast, easy-on-the-eyes theme
|
||||
|
||||
Configuration
|
||||
-------------
|
||||
|
||||
Themes are configured via `$HOME/.config/kte/kge.ini`:
|
||||
|
||||
```ini
|
||||
theme = nord
|
||||
background = dark
|
||||
```
|
||||
|
||||
- `theme` — The theme name (e.g., "nord", "gruvbox", "solarized")
|
||||
- `background` — Either "dark" or "light" (for themes supporting both
|
||||
variants)
|
||||
|
||||
Themes can also be switched at runtime using the `:theme <name>`
|
||||
command.
|
||||
|
||||
Theme structure
|
||||
---------------
|
||||
|
||||
Each theme is a header file in `themes/` that defines one or more
|
||||
functions to apply the theme. The basic structure:
|
||||
|
||||
1. **Include ThemeHelpers.h** — Provides the `RGBA()` helper function
|
||||
2. **Define palette** — Create `ImVec4` color constants using
|
||||
`RGBA(0xRRGGBB)`
|
||||
3. **Get ImGui style** — Obtain reference via `ImGui::GetStyle()`
|
||||
4. **Set style parameters** — Configure padding, rounding, border sizes,
|
||||
etc.
|
||||
5. **Assign colors** — Map palette to `ImGuiCol_*` enum values
|
||||
|
||||
### Minimal example structure
|
||||
|
||||
```cpp
|
||||
// themes/MyTheme.h
|
||||
#pragma once
|
||||
#include "ThemeHelpers.h"
|
||||
|
||||
static void
|
||||
ApplyMyTheme()
|
||||
{
|
||||
// 1. Define color palette
|
||||
const ImVec4 bg = RGBA(0x1e1e1e);
|
||||
const ImVec4 fg = RGBA(0xd4d4d4);
|
||||
const ImVec4 accent = RGBA(0x007acc);
|
||||
|
||||
// 2. Get style reference
|
||||
ImGuiStyle &style = ImGui::GetStyle();
|
||||
|
||||
// 3. Set style parameters
|
||||
style.WindowPadding = ImVec2(8.0f, 8.0f);
|
||||
style.FrameRounding = 3.0f;
|
||||
style.WindowBorderSize = 1.0f;
|
||||
// ... additional style parameters
|
||||
|
||||
// 4. Assign colors
|
||||
ImVec4 *colors = style.Colors;
|
||||
colors[ImGuiCol_Text] = fg;
|
||||
colors[ImGuiCol_WindowBg] = bg;
|
||||
colors[ImGuiCol_Button] = accent;
|
||||
// ... additional color assignments
|
||||
}
|
||||
```
|
||||
|
||||
The RGBA() helper
|
||||
-----------------
|
||||
|
||||
The `RGBA()` function (defined in `themes/ThemeHelpers.h`) converts
|
||||
packed RGB hex values to ImGui's `ImVec4` format:
|
||||
|
||||
```cpp
|
||||
const ImVec4 color = RGBA(0xRRGGBB); // Opaque (alpha = 1.0)
|
||||
const ImVec4 color = RGBA(0xRRGGBB, 0.5f); // With custom alpha
|
||||
```
|
||||
|
||||
Examples:
|
||||
|
||||
```cpp
|
||||
const ImVec4 white = RGBA(0xFFFFFF);
|
||||
const ImVec4 black = RGBA(0x000000);
|
||||
const ImVec4 red = RGBA(0xFF0000);
|
||||
const ImVec4 blue = RGBA(0x0000FF);
|
||||
const ImVec4 semi = RGBA(0x808080, 0.5f); // 50% transparent gray
|
||||
```
|
||||
|
||||
ImGui color elements
|
||||
--------------------
|
||||
|
||||
Themes must define colors for ImGui's UI elements. Key `ImGuiCol_*`
|
||||
values:
|
||||
|
||||
### Text
|
||||
|
||||
- `ImGuiCol_Text` — Main text color
|
||||
- `ImGuiCol_TextDisabled` — Disabled/grayed-out text
|
||||
- `ImGuiCol_TextSelectedBg` — Text selection background
|
||||
|
||||
### Windows and backgrounds
|
||||
|
||||
- `ImGuiCol_WindowBg` — Window background
|
||||
- `ImGuiCol_ChildBg` — Child window background
|
||||
- `ImGuiCol_PopupBg` — Popup window background
|
||||
|
||||
### Borders
|
||||
|
||||
- `ImGuiCol_Border` — Border color
|
||||
- `ImGuiCol_BorderShadow` — Border shadow (often transparent)
|
||||
|
||||
### Frames (input fields, etc.)
|
||||
|
||||
- `ImGuiCol_FrameBg` — Frame background (normal state)
|
||||
- `ImGuiCol_FrameBgHovered` — Frame background when hovered
|
||||
- `ImGuiCol_FrameBgActive` — Frame background when active/clicked
|
||||
|
||||
### Title bars
|
||||
|
||||
- `ImGuiCol_TitleBg` — Title bar (unfocused)
|
||||
- `ImGuiCol_TitleBgActive` — Title bar (focused)
|
||||
- `ImGuiCol_TitleBgCollapsed` — Collapsed title bar
|
||||
|
||||
### Interactive elements
|
||||
|
||||
- `ImGuiCol_Button` — Button background
|
||||
- `ImGuiCol_ButtonHovered` — Button when hovered
|
||||
- `ImGuiCol_ButtonActive` — Button when pressed
|
||||
- `ImGuiCol_CheckMark` — Checkmark/radio button indicator
|
||||
- `ImGuiCol_SliderGrab` — Slider grab handle
|
||||
- `ImGuiCol_SliderGrabActive` — Slider grab when dragging
|
||||
|
||||
### Headers and separators
|
||||
|
||||
- `ImGuiCol_Header` — Header (tree nodes, collapsing headers)
|
||||
- `ImGuiCol_HeaderHovered` — Header when hovered
|
||||
- `ImGuiCol_HeaderActive` — Header when clicked
|
||||
- `ImGuiCol_Separator` — Separator line
|
||||
- `ImGuiCol_SeparatorHovered` — Separator when hovered
|
||||
- `ImGuiCol_SeparatorActive` — Separator when dragged
|
||||
|
||||
### Scrollbars
|
||||
|
||||
- `ImGuiCol_ScrollbarBg` — Scrollbar background
|
||||
- `ImGuiCol_ScrollbarGrab` — Scrollbar grab
|
||||
- `ImGuiCol_ScrollbarGrabHovered` — Scrollbar grab when hovered
|
||||
- `ImGuiCol_ScrollbarGrabActive` — Scrollbar grab when dragging
|
||||
|
||||
### Tabs
|
||||
|
||||
- `ImGuiCol_Tab` — Tab (inactive)
|
||||
- `ImGuiCol_TabHovered` — Tab when hovered
|
||||
- `ImGuiCol_TabActive` — Tab (active)
|
||||
- `ImGuiCol_TabUnfocused` — Tab in unfocused window
|
||||
- `ImGuiCol_TabUnfocusedActive` — Active tab in unfocused window
|
||||
|
||||
### Tables
|
||||
|
||||
- `ImGuiCol_TableHeaderBg` — Table header background
|
||||
- `ImGuiCol_TableBorderStrong` — Strong table borders
|
||||
- `ImGuiCol_TableBorderLight` — Light table borders
|
||||
- `ImGuiCol_TableRowBg` — Table row background
|
||||
- `ImGuiCol_TableRowBgAlt` — Alternating table row background
|
||||
|
||||
### Navigation and overlays
|
||||
|
||||
- `ImGuiCol_MenuBarBg` — Menu bar background
|
||||
- `ImGuiCol_ResizeGrip` — Resize grip indicator
|
||||
- `ImGuiCol_ResizeGripHovered` — Resize grip when hovered
|
||||
- `ImGuiCol_ResizeGripActive` — Resize grip when dragging
|
||||
- `ImGuiCol_DragDropTarget` — Drag-and-drop target highlight
|
||||
- `ImGuiCol_NavHighlight` — Navigation highlight
|
||||
- `ImGuiCol_NavWindowingHighlight` — Window navigation highlight
|
||||
- `ImGuiCol_NavWindowingDimBg` — Window navigation dim background
|
||||
- `ImGuiCol_ModalWindowDimBg` — Modal window dim background
|
||||
|
||||
### Plots (graphs)
|
||||
|
||||
- `ImGuiCol_PlotLines` — Plot line color
|
||||
- `ImGuiCol_PlotLinesHovered` — Plot line when hovered
|
||||
- `ImGuiCol_PlotHistogram` — Histogram color
|
||||
- `ImGuiCol_PlotHistogramHovered` — Histogram when hovered
|
||||
|
||||
Style parameters
|
||||
----------------
|
||||
|
||||
In addition to colors, themes can customize style parameters:
|
||||
|
||||
```cpp
|
||||
ImGuiStyle &style = ImGui::GetStyle();
|
||||
|
||||
// Padding and spacing
|
||||
style.WindowPadding = ImVec2(8.0f, 8.0f); // Window content padding
|
||||
style.FramePadding = ImVec2(6.0f, 4.0f); // Frame (input fields) padding
|
||||
style.CellPadding = ImVec2(6.0f, 4.0f); // Table cell padding
|
||||
style.ItemSpacing = ImVec2(6.0f, 6.0f); // Space between items
|
||||
style.ItemInnerSpacing = ImVec2(6.0f, 4.0f); // Space within composite items
|
||||
|
||||
// Rounding
|
||||
style.WindowRounding = 4.0f; // Window corner rounding
|
||||
style.FrameRounding = 3.0f; // Frame corner rounding
|
||||
style.PopupRounding = 4.0f; // Popup corner rounding
|
||||
style.GrabRounding = 3.0f; // Grab handle rounding
|
||||
style.TabRounding = 4.0f; // Tab corner rounding
|
||||
|
||||
// Borders
|
||||
style.WindowBorderSize = 1.0f; // Window border width
|
||||
style.FrameBorderSize = 1.0f; // Frame border width
|
||||
|
||||
// Scrollbars
|
||||
style.ScrollbarSize = 14.0f; // Scrollbar width
|
||||
style.GrabMinSize = 10.0f; // Minimum grab handle size
|
||||
```
|
||||
|
||||
Creating a new theme
|
||||
--------------------
|
||||
|
||||
Follow these steps to add a new theme to kte:
|
||||
|
||||
### 1. Create the theme file
|
||||
|
||||
Create a new header file in `themes/` (e.g., `themes/MyTheme.h`):
|
||||
|
||||
```cpp
|
||||
// themes/MyTheme.h — Brief description
|
||||
#pragma once
|
||||
#include "ThemeHelpers.h"
|
||||
|
||||
// Expects to be included from GUITheme.h after <imgui.h> and RGBA() helper
|
||||
|
||||
static void
|
||||
ApplyMyTheme()
|
||||
{
|
||||
// Define your color palette
|
||||
const ImVec4 background = RGBA(0x1e1e1e);
|
||||
const ImVec4 foreground = RGBA(0xd4d4d4);
|
||||
const ImVec4 accent = RGBA(0x007acc);
|
||||
// ... more colors
|
||||
|
||||
ImGuiStyle &style = ImGui::GetStyle();
|
||||
|
||||
// Configure style parameters
|
||||
style.WindowPadding = ImVec2(8.0f, 8.0f);
|
||||
// ... more style settings
|
||||
|
||||
ImVec4 *colors = style.Colors;
|
||||
|
||||
// Assign all required colors
|
||||
colors[ImGuiCol_Text] = foreground;
|
||||
colors[ImGuiCol_WindowBg] = background;
|
||||
// ... assign all other ImGuiCol_* values
|
||||
}
|
||||
```
|
||||
|
||||
Refer to existing themes like `Nord.h` for a complete example of all
|
||||
required color assignments.
|
||||
|
||||
### 2. Add theme to GUITheme.h
|
||||
|
||||
Edit `GUITheme.h` to integrate your theme:
|
||||
|
||||
**a) Add to ThemeId enum:**
|
||||
|
||||
```cpp
|
||||
enum class ThemeId {
|
||||
// ... existing themes
|
||||
MyTheme = 13, // Use next available number
|
||||
};
|
||||
```
|
||||
|
||||
**b) Include your theme header:**
|
||||
|
||||
```cpp
|
||||
// After other theme includes
|
||||
#include "themes/MyTheme.h"
|
||||
```
|
||||
|
||||
**c) Create wrapper class in detail namespace:**
|
||||
|
||||
```cpp
|
||||
namespace detail {
|
||||
// ... existing theme classes
|
||||
|
||||
struct MyThemeWrapper final : Theme {
|
||||
[[nodiscard]] const char *Name() const override
|
||||
{
|
||||
return "mytheme"; // Lowercase canonical name
|
||||
}
|
||||
|
||||
void Apply() const override
|
||||
{
|
||||
ApplyMyTheme();
|
||||
}
|
||||
|
||||
ThemeId Id() override
|
||||
{
|
||||
return ThemeId::MyTheme;
|
||||
}
|
||||
};
|
||||
} // namespace detail
|
||||
```
|
||||
|
||||
**d) Register in ThemeRegistry():**
|
||||
|
||||
```cpp
|
||||
static const std::vector<std::unique_ptr<Theme>> &
|
||||
ThemeRegistry()
|
||||
{
|
||||
static std::vector<std::unique_ptr<Theme>> reg;
|
||||
if (reg.empty()) {
|
||||
// Add in alphabetical order by canonical name
|
||||
reg.emplace_back(std::make_unique<detail::AmberTheme>());
|
||||
// ... existing themes
|
||||
reg.emplace_back(std::make_unique<detail::MyThemeWrapper>());
|
||||
// ... remaining themes
|
||||
}
|
||||
return reg;
|
||||
}
|
||||
```
|
||||
|
||||
### 3. Test your theme
|
||||
|
||||
Rebuild kte and test:
|
||||
|
||||
```bash
|
||||
# Set theme in config
|
||||
echo "theme = mytheme" >> ~/.config/kte/kge.ini
|
||||
|
||||
# Or switch at runtime
|
||||
kge
|
||||
:theme mytheme
|
||||
```
|
||||
|
||||
Light/Dark theme variants
|
||||
--------------------------
|
||||
|
||||
Some themes support both light and dark background modes. To implement
|
||||
this:
|
||||
|
||||
### 1. Create separate functions for each variant
|
||||
|
||||
```cpp
|
||||
// themes/MyTheme.h
|
||||
#pragma once
|
||||
#include "ThemeHelpers.h"
|
||||
|
||||
static void
|
||||
ApplyMyThemeDark()
|
||||
{
|
||||
const ImVec4 bg = RGBA(0x1e1e1e); // Dark background
|
||||
const ImVec4 fg = RGBA(0xd4d4d4); // Light text
|
||||
// ... rest of dark theme
|
||||
}
|
||||
|
||||
static void
|
||||
ApplyMyThemeLight()
|
||||
{
|
||||
const ImVec4 bg = RGBA(0xffffff); // Light background
|
||||
const ImVec4 fg = RGBA(0x1e1e1e); // Dark text
|
||||
// ... rest of light theme
|
||||
}
|
||||
```
|
||||
|
||||
### 2. Check background mode in Apply()
|
||||
|
||||
```cpp
|
||||
// In GUITheme.h wrapper class
|
||||
struct MyThemeWrapper final : Theme {
|
||||
// ... Name() and Id() methods
|
||||
|
||||
void Apply() const override
|
||||
{
|
||||
if (gBackgroundMode == BackgroundMode::Dark)
|
||||
ApplyMyThemeDark();
|
||||
else
|
||||
ApplyMyThemeLight();
|
||||
}
|
||||
};
|
||||
```
|
||||
|
||||
See `Solarized.h`, `Gruvbox.h`, `EInk.h`, or `OldBook.h` for complete
|
||||
examples.
|
||||
|
||||
Updating existing themes
|
||||
------------------------
|
||||
|
||||
To modify an existing theme:
|
||||
|
||||
### 1. Locate the theme file
|
||||
|
||||
Theme files are in `themes/` directory. For example, Nord theme is in
|
||||
`themes/Nord.h`.
|
||||
|
||||
### 2. Modify colors or style
|
||||
|
||||
Edit the `ApplyXxxTheme()` function:
|
||||
|
||||
- Update palette color definitions
|
||||
- Change style parameters
|
||||
- Reassign `ImGuiCol_*` values
|
||||
|
||||
### 3. Rebuild and test
|
||||
|
||||
```bash
|
||||
# Rebuild kte
|
||||
cmake --build build
|
||||
|
||||
# Test changes
|
||||
./build/kge
|
||||
```
|
||||
|
||||
Changes take effect immediately on next launch or theme switch.
|
||||
|
||||
Best practices
|
||||
--------------
|
||||
|
||||
When creating or updating themes:
|
||||
|
||||
1. **Start from an existing theme** — Copy a similar theme as a
|
||||
template (e.g., `Nord.h` for dark themes, `Solarized.h` for
|
||||
light/dark variants)
|
||||
|
||||
2. **Define a complete palette first** — Create all color constants at
|
||||
the top before assigning them
|
||||
|
||||
3. **Assign all colors** — Ensure every `ImGuiCol_*` value is set to
|
||||
avoid inheriting unexpected colors
|
||||
|
||||
4. **Use consistent naming** — Follow existing conventions (e.g.,
|
||||
`nord0`, `base03`, descriptive names)
|
||||
|
||||
5. **Test interactivity** — Verify hover, active, and disabled states
|
||||
for buttons, frames, and other interactive elements
|
||||
|
||||
6. **Consider contrast** — Ensure text is readable against backgrounds;
|
||||
test with different content
|
||||
|
||||
7. **Test transparency** — Use alpha values carefully for overlays, dim
|
||||
backgrounds, and selection highlights
|
||||
|
||||
8. **Match style to theme** — Adjust rounding, padding, and borders to
|
||||
suit the theme's aesthetic (e.g., sharp corners for retro themes,
|
||||
rounded for modern)
|
||||
|
||||
9. **Document inspiration** — Note the color scheme's origin or
|
||||
inspiration in the file header
|
||||
|
||||
10. **Maintain alphabetical order** — When registering in
|
||||
`ThemeRegistry()`, maintain alphabetical order by canonical name
|
||||
|
||||
Troubleshooting
|
||||
---------------
|
||||
|
||||
### Theme not appearing
|
||||
|
||||
- Check that the theme is registered in `ThemeRegistry()` in
|
||||
alphabetical order
|
||||
- Verify the canonical name matches what you're using in config or
|
||||
commands
|
||||
- Ensure the theme header is included in `GUITheme.h`
|
||||
|
||||
### Colors look wrong
|
||||
|
||||
- Verify hex color values are in 0xRRGGBB format (not 0xBBGGRR)
|
||||
- Check alpha values for semi-transparent elements
|
||||
- Ensure all `ImGuiCol_*` values are assigned
|
||||
|
||||
### Style inconsistent
|
||||
|
||||
- Make sure style parameters are set before color assignments
|
||||
- Check that you're getting `ImGui::GetStyle()` reference correctly
|
||||
- Verify no global style changes are overriding theme settings
|
||||
|
||||
References
|
||||
----------
|
||||
|
||||
- ImGui style
|
||||
reference: https://github.com/ocornut/imgui/blob/master/imgui.h
|
||||
- Existing themes in `themes/` directory
|
||||
- Color palette resources: coolors.co, colorhunt.co
|
||||
@@ -1,279 +1,390 @@
|
||||
Undo System Overhaul Roadmap (emacs-style undo-tree)
|
||||
## Updated Undo System Plan for kte/kge
|
||||
|
||||
Context: macOS, C++17 project, ncurses terminal and SDL2/ImGui GUI frontends. Date: 2025-12-01.
|
||||
After reviewing the existing codebase and your undo plan, I propose
|
||||
the following refined approach that preserves your goals while making
|
||||
it more suitable for implementation:
|
||||
|
||||
Purpose
|
||||
### Refined Data Structures
|
||||
|
||||
- Define a clear, incremental plan to implement a robust, non-linear undo system inspired by emacs' undo-tree.
|
||||
- Align implementation with docs/undo.md and fix gaps observed in docs/undo-state.md.
|
||||
- Provide test cases and acceptance criteria so a junior engineer or agentic coding system can execute the plan safely.
|
||||
The proposed data structures are sound but need some refinements:
|
||||
|
||||
References
|
||||
```c++
|
||||
enum class UndoType : uint8_t {
|
||||
Insert,
|
||||
Delete,
|
||||
Paste,
|
||||
Newline,
|
||||
DeleteRow,
|
||||
// Future: IndentRegion, KillRegion, etc.
|
||||
};
|
||||
|
||||
- Specification: docs/undo.md (API, invariants, batching rules, raw buffer ops)
|
||||
- Current snapshot and recent fix: docs/undo-state.md (GUI mapping notes; Begin/Append ordering fix)
|
||||
- Code: UndoSystem.{h,cc}, UndoTree.{h,cc}, UndoNode.{h,cc}, Buffer.{h,cc}, Command.{h,cc}, GUI/Terminal InputHandlers,
|
||||
KKeymap.
|
||||
struct UndoNode {
|
||||
UndoType type;
|
||||
int row;
|
||||
int col;
|
||||
std::string text;
|
||||
std::unique_ptr<UndoNode> child = nullptr; // next in timeline
|
||||
std::unique_ptr<UndoNode> next = nullptr; // redo branch
|
||||
UndoNode* parent = nullptr; // weak pointer for navigation
|
||||
};
|
||||
|
||||
Instrumentation (KTE_UNDO_DEBUG)
|
||||
struct UndoTree {
|
||||
std::unique_ptr<UndoNode> root;
|
||||
UndoNode* current = nullptr;
|
||||
UndoNode* saved = nullptr;
|
||||
std::unique_ptr<UndoNode> pending = nullptr;
|
||||
};
|
||||
```
|
||||
|
||||
- How to enable
|
||||
- Build with the CMake option `-DKTE_UNDO_DEBUG=ON` to enable concise instrumentation logs from `UndoSystem`.
|
||||
- The following targets receive the `KTE_UNDO_DEBUG` compile definition when ON:
|
||||
- `kte` (terminal), `kge` (GUI), and `test_undo` (tests).
|
||||
- Examples:
|
||||
```sh
|
||||
# Terminal build with tests and instrumentation ON
|
||||
cmake -S . -B cmake-build-term -DBUILD_TESTS=ON -DBUILD_GUI=OFF -DKTE_UNDO_DEBUG=ON
|
||||
cmake --build cmake-build-term --target test_undo -j
|
||||
./cmake-build-term/test_undo 2> undo.log
|
||||
Key changes:
|
||||
|
||||
# GUI build (requires SDL2/OpenGL/Freetype toolchain) with instrumentation ON
|
||||
cmake -S . -B cmake-build-gui -DBUILD_GUI=ON -DKTE_UNDO_DEBUG=ON
|
||||
cmake --build cmake-build-gui --target kge -j
|
||||
# Run kge and perform actions; logs go to stderr
|
||||
```
|
||||
- Use `std::unique_ptr` for owned pointers to ensure proper RAII
|
||||
- Add weak `parent` pointer for easier navigation
|
||||
- This ensures memory safety without manual management
|
||||
|
||||
- What it logs
|
||||
- Each Begin/Append/commit/undo/redo operation prints a single `[UNDO]` line with:
|
||||
- current cursor `(row,col)`, pointer to `pending`, its type/row/col/text-size, and pointers to `current`/`saved`.
|
||||
- Example fields: `[UNDO] Begin cur=(0,0) pending=0x... t=Insert r=0 c=0 nlen=2 current=0x... saved=0x...`
|
||||
---
|
||||
|
||||
- Example trace snippets
|
||||
- Typing a contiguous word ("Hello") batches into a single Insert node; one commit occurs before the subsequent undo:
|
||||
```text
|
||||
[UNDO] Begin cur=(0,0) pending=0x0 t=- r=-1 c=-1 nlen=0 current=0x0 saved=0x0
|
||||
[UNDO] commit:enter cur=(0,0) pending=0x0 t=- r=-1 c=-1 nlen=0 current=0x0 saved=0x0
|
||||
[UNDO] Begin:new cur=(0,0) pending=0x... t=Insert r=0 c=0 nlen=0 current=0x0 saved=0x0
|
||||
[UNDO] Append:sv cur=(0,0) pending=0x... t=Insert r=0 c=0 nlen=1 current=0x0 saved=0x0
|
||||
... (more Append as characters are typed) ...
|
||||
[UNDO] commit:enter cur=(0,5) pending=0x... t=Insert r=0 c=0 nlen=5 current=0x0 saved=0x0
|
||||
[UNDO] commit:done cur=(0,5) pending=0x0 t=- r=-1 c=-1 nlen=0 current=0x... saved=0x0
|
||||
```
|
||||
```markdown
|
||||
# Undo System Implementation Roadmap for kte/kge
|
||||
|
||||
- Undo then Redo across that batch:
|
||||
```text
|
||||
[UNDO] commit:enter cur=(0,5) pending=0x0 t=- r=-1 c=-1 nlen=0 current=0x... saved=0x0
|
||||
[UNDO] undo cur=(0,5) pending=0x0 t=- r=-1 c=-1 nlen=0 current=0x0 saved=0x0
|
||||
[UNDO] commit:enter cur=(0,5) pending=0x0 t=- r=-1 c=-1 nlen=0 current=0x0 saved=0x0
|
||||
[UNDO] redo cur=(0,5) pending=0x0 t=- r=-1 c=-1 nlen=0 current=0x... saved=0x0
|
||||
```
|
||||
This is the complete implementation plan for the non-linear undo/redo
|
||||
system for kte. This document serves as a detailed
|
||||
specification for Junie to implement an undo system similar to emacs'
|
||||
undo-tree.
|
||||
|
||||
- Newline and backspace/delete traces follow the same pattern with `t=Newline` or `t=Delete` and immediate commit for newline.
|
||||
Capture by running `kge`/`kte` with `KTE_UNDO_DEBUG=ON` and performing the actions; append representative 3–6 line snippets to docs.
|
||||
## Overview
|
||||
|
||||
Notes
|
||||
The goal is to implement a robust, memory-safe undo system where:
|
||||
|
||||
- Pointer values and exact cursor positions in the logs depend on the runtime and actions; this is expected.
|
||||
- Keep `KTE_UNDO_DEBUG` OFF by default in CI/release to avoid noisy logs and any performance impact.
|
||||
1. Each buffer has its own independent undo tree
|
||||
2. Undo and redo are non-linear - typing after undo creates a branch
|
||||
3. Operations are batched into word-level undo steps
|
||||
4. The system is leak-proof and handles buffer closure gracefully
|
||||
|
||||
̄1) Current State Summary (from docs/undo-state.md)
|
||||
## Phase 1: Core Data Structures
|
||||
|
||||
- Terminal (kte): Keybindings and UndoSystem integration have been stable.
|
||||
- GUI (kge): Previously, C-k u/U mapping and SDL TEXTINPUT suppression had issues on macOS; these were debugged. The
|
||||
core root cause of “status shows Undone but no change” was fixed by moving UndoSystem::Begin/Append/commit to occur
|
||||
after buffer modifications/cursor updates so batching conditions see the correct cursor.
|
||||
- Undo core exists with tree invariants, saved marker/dirty flag mirroring, batching for Insert/Delete, and Newline as a
|
||||
single-step undo.
|
||||
### 1.1 UndoType enum (UndoNode.h)
|
||||
```
|
||||
|
||||
Gaps/Risks
|
||||
cpp enum class UndoType : uint8_t { Insert, Delete, Paste, // can
|
||||
reuse Insert if preferred Newline, DeleteRow, // Future extensions:
|
||||
IndentRegion, KillRegion };
|
||||
|
||||
- Event-path unification between KEYDOWN and TEXTINPUT across platforms (macOS specifics).
|
||||
- Comprehensive tests for branching, GC/limits, multi-line operations, and UTF-8 text input.
|
||||
- Advanced/compound command grouping and future region operations.
|
||||
```
|
||||
### 1.2 UndoNode struct (UndoNode.h)
|
||||
```
|
||||
|
||||
cpp struct UndoNode { UndoType type; int row; // original cursor row
|
||||
int col; // original cursor column (updated during batch) std::string
|
||||
text; // the inserted or deleted text (full batch)
|
||||
std::unique_ptr<UndoNode> child = nullptr; // next in current timeline
|
||||
std::unique_ptr<UndoNode> next = nullptr; // redo branch (rarely used)
|
||||
UndoNode* parent = nullptr; // weak pointer for navigation };
|
||||
|
||||
2) Design Goals (emacs-like undo-tree)
|
||||
```
|
||||
### 1.3 UndoTree struct (UndoTree.h)
|
||||
```
|
||||
|
||||
- Per-buffer, non-linear undo tree: new edits after undo create a branch; existing redo branches are discarded.
|
||||
- Batching: insert/backspace/paste/newline grouped into sensible units to match user expectations.
|
||||
- Silent apply during undo/redo (no re-recording), using raw Buffer methods only.
|
||||
- Correct saved/dirty tracking and robust pending node lifecycle (detached until commit).
|
||||
- Efficient memory behavior; optional pruning limits similar to emacs (undo-limit, undo-strong-limit).
|
||||
- Deterministic behavior across terminal and GUI frontends.
|
||||
cpp struct UndoTree { std::unique_ptr<UndoNode> root; // first edit
|
||||
ever UndoNode* current = nullptr; // current state of buffer UndoNode*
|
||||
saved = nullptr; // points to node matching last save
|
||||
std::unique_ptr<UndoNode> pending = nullptr; // in-progress batch };
|
||||
|
||||
```
|
||||
### 1.4 UndoSystem class (UndoSystem.h)
|
||||
```
|
||||
|
||||
3) Invariants and API (must align with docs/undo.md)
|
||||
cpp class UndoSystem { private: std::unique_ptr<UndoTree> tree;
|
||||
|
||||
- UndoTree holds root/current/saved/pending; pending is detached and only linked on commit.
|
||||
- Begin(type) reuses pending only if: same type, same row, and pending->col + pending->text.size() == current cursor
|
||||
col (or prepend rules for backspace sequences); otherwise it commits and starts a new node.
|
||||
- commit(): frees redo siblings from current, attaches pending as current->child, advances current, clears pending;
|
||||
nullifies saved marker if diverged.
|
||||
- undo()/redo(): move current and apply the node using low-level Buffer APIs that do not trigger undo recording.
|
||||
- mark_saved(): updates saved pointer and dirty flag (dirty ⇔ current != saved).
|
||||
- discard_pending()/clear(): lifecycle for buffer close/reset/new file.
|
||||
public: UndoSystem(); ~UndoSystem() = default;
|
||||
|
||||
// Core batching API
|
||||
void begin(UndoType type, int row, int col);
|
||||
void append(char ch);
|
||||
void append(std::string_view text);
|
||||
void commit();
|
||||
|
||||
4) Phased Roadmap
|
||||
// Undo/Redo operations
|
||||
void undo(class Buffer& buffer);
|
||||
void redo(class Buffer& buffer);
|
||||
|
||||
Phase 0 — Baseline & Instrumentation (1 day)
|
||||
// State management
|
||||
void mark_saved();
|
||||
void discard_pending();
|
||||
void clear();
|
||||
|
||||
- Audit UndoSystem against docs/undo.md invariants; ensure apply() uses only raw Buffer ops.
|
||||
- Verify Begin/Append ordering across all edit commands: insert, backspace, delete, newline, paste.
|
||||
- Add a temporary debug toggle (compile-time or editor flag) to log Begin/Append/commit/undo/redo, cursor(row,col), node
|
||||
sizes, and pending state. Include assertions for: pending detached, commit clears pending, redo branch freed on new
|
||||
commit, and correct batching preconditions.
|
||||
- Deliverables: Short log from typing/undo/redo scenarios; instrumentation behind a macro so it can be removed.
|
||||
// Query methods
|
||||
bool can_undo() const;
|
||||
bool can_redo() const;
|
||||
bool is_dirty() const;
|
||||
|
||||
Phase 1 — Input Path Unification & Batching Rules (1–2 days)
|
||||
private: void apply_node(Buffer& buffer, const UndoNode* node, int
|
||||
direction); bool should_batch_with_pending(UndoType type, int row, int
|
||||
col) const; void attach_pending_to_current(); void
|
||||
discard_redo_branches(); };
|
||||
|
||||
- Ensure all printable text insertion (terminal and GUI) flows through CommandId::InsertText and reaches UndoSystem
|
||||
Begin/Append. On SDL, handle KEYDOWN vs TEXTINPUT consistently; always suppress trailing TEXTINPUT after k-prefix
|
||||
suffix commands.
|
||||
- Commit boundaries: at k-prefix entry, before Undo/Redo, on cursor movement, on focus/file ops, and before any
|
||||
non-editing command that should separate undo units.
|
||||
- Batching heuristics:
|
||||
- Insert: same row, contiguous columns; Append(std::string_view) handles multi-character text (pastes, IME).
|
||||
- Backspace: prepend batching in increasing column order (store deleted text in forward order).
|
||||
- Delete (forward): contiguous at same row/col.
|
||||
- Newline: record as UndoType::Newline and immediately commit (single-step undo for line splits/joins).
|
||||
- Deliverables: Manual tests pass for typing/backspace/delete/newline/paste; GUI C-k u/U work as expected on macOS.
|
||||
```
|
||||
## Phase 2: Buffer Integration
|
||||
|
||||
Phase 2 — Tree Limits & GC (1 day)
|
||||
### 2.1 Add undo system to Buffer class (Buffer.h)
|
||||
Add to Buffer class:
|
||||
```
|
||||
|
||||
- Add configurable memory/size limits for undo data (soft and strong limits like emacs). Implement pruning of oldest
|
||||
ancestors or deep redo branches while preserving recent edits. Provide stats (node count, bytes in text storage).
|
||||
- Deliverables: Config hooks, tests demonstrating pruning without violating apply/undo invariants.
|
||||
cpp private: std::unique_ptr<UndoSystem> undo_system; bool
|
||||
applying_undo = false; // prevent recursive undo during apply
|
||||
|
||||
Phase 3 — Compound Commands & Region Ops (2–3 days)
|
||||
public: // Raw operations (don't trigger undo) void
|
||||
raw_insert_text(int row, int col, std::string_view text); void
|
||||
raw_delete_text(int row, int col, size_t len); void raw_split_line(int
|
||||
row, int col); void raw_join_lines(int row); void raw_insert_row(int
|
||||
row, std::string_view text); void raw_delete_row(int row);
|
||||
|
||||
- Introduce an optional RAII-style UndoTransaction to group multi-step commands (indent region, kill region, rectangle
|
||||
ops) into a single undo step. Internally this just sequences Begin/Append and ensures commit even on early returns.
|
||||
- Support row operations (InsertRow/DeleteRow) with proper raw Buffer calls. Ensure join_lines/split_line are handled by
|
||||
Newline nodes or dedicated types if necessary.
|
||||
- Deliverables: Commands updated to use transactions when appropriate; tests for region delete/indent and multi-line
|
||||
paste.
|
||||
// Undo/Redo public API
|
||||
void undo();
|
||||
void redo();
|
||||
bool can_undo() const;
|
||||
bool can_redo() const;
|
||||
void mark_saved();
|
||||
bool is_dirty() const;
|
||||
|
||||
Phase 4 — Developer UX & Diagnostics (1 day)
|
||||
```
|
||||
### 2.2 Modify existing Buffer operations (Buffer.cc)
|
||||
For each user-facing operation (`insert_char`, `delete_char`, etc.):
|
||||
|
||||
- Add a dev command to dump the undo tree (preorder) with markers for current/saved and pending (detached). For GUI,
|
||||
optionally expose a simple ImGui debug window (behind a compile flag) that visualizes the current branch.
|
||||
- Editor status improvements: show short status codes for undo/redo and when a new branch was created or redo discarded.
|
||||
- Deliverables: Tree dump command; example output in docs.
|
||||
1. **Before performing operation**: Call `undo_system->commit()` if cursor moved
|
||||
2. **Begin batching**: Call `undo_system->begin(type, row, col)`
|
||||
3. **Record change**: Call `undo_system->append()` with the affected text
|
||||
4. **Perform operation**: Execute the actual buffer modification
|
||||
5. **Auto-commit conditions**: Commit on cursor movement, command execution
|
||||
|
||||
Phase 5 — Comprehensive Tests & Property Checks (2–3 days)
|
||||
Example pattern:
|
||||
```
|
||||
|
||||
- Unit tests (extend test_undo.cc):
|
||||
- Insert batching: type "Hello" then one undo removes all; redo restores.
|
||||
- Backspace batching: type "Hello", backspace 3×, undo → restores the 3; redo → re-applies deletion.
|
||||
- Delete batching (forward delete) with cursor not moving.
|
||||
- Newline: split a line and undo to join; join a line (via backspace at col 0) and undo to split.
|
||||
- Branching: type "abc", undo twice, type "X" → redo history discarded; ensure redo no longer restores 'b'/'c'.
|
||||
- Saved/dirty: mark_saved after typing; ensure dirty flag toggles correctly after undo/redo; saved marker tracks the
|
||||
node.
|
||||
- discard_pending: create pending by typing, then move cursor or invoke commit boundary; ensure pending is attached;
|
||||
also ensure discard on buffer close clears pending.
|
||||
- clear(): resets state with no leaks; tree pointers null.
|
||||
- UTF-8 input: insert multi-byte characters via InsertText with multi-char std::string; ensure counts/col tracking
|
||||
behave (text stored as bytes; editor col policy consistent within kte).
|
||||
- Integration tests (TestFrontend):
|
||||
- Both TerminalFrontend and GUIFrontend: simulate text input and commands, including k-prefix C-k u/U.
|
||||
- Paste scenarios: multi-character insertions batched as one.
|
||||
- Property tests (optional but recommended):
|
||||
- Generate random sequences of edits; record them; then apply undo until root and redo back to the end → buffer
|
||||
contents match at each step; no crashes; dirty flag transitions consistent. Seed-based to reproduce failures.
|
||||
- Redo-branch discard property: any new edit after undo must eliminate redo path; redoing should be impossible
|
||||
afterward.
|
||||
- Deliverables: Tests merged and passing on CI for both frontends; failures block changes to undo core.
|
||||
cpp void Buffer::insert_char(char ch) { if (applying_undo) return; //
|
||||
silent during undo application
|
||||
|
||||
Phase 6 — Performance & Stress (0.5–1 day)
|
||||
// Auto-commit if cursor moved significantly or type changed
|
||||
if (should_commit_before_insert()) {
|
||||
undo_system->commit();
|
||||
}
|
||||
|
||||
- Stress test with large files and long edit sequences. Target: smooth typing at 10k+ ops/minute on commodity hardware;
|
||||
memory growth bounded when GC limits enabled.
|
||||
- Deliverables: Basic perf notes; optional lightweight benchmarks.
|
||||
undo_system->begin(UndoType::Insert, cursor_row, cursor_col);
|
||||
undo_system->append(ch);
|
||||
|
||||
// Perform actual insertion
|
||||
raw_insert_text(cursor_row, cursor_col, std::string(1, ch));
|
||||
cursor_col++;
|
||||
|
||||
5) Acceptance Criteria
|
||||
}
|
||||
|
||||
- Conformance to docs/undo.md invariants and API surface (including raw Buffer operations for apply()).
|
||||
- Repro checklist passes:
|
||||
- Type text; single-step undo/redo works and respects batching.
|
||||
- Backspace/delete batching works.
|
||||
- Newline split/join are single-step undo/redo.
|
||||
- Branching works: undo, then type → redo path is discarded; no ghost redo.
|
||||
- Saved/dirty flags accurate across undo/redo and diverge/rejoin paths.
|
||||
- No pending nodes leaked on buffer close/reload; no re-recording during undo/redo.
|
||||
- Behavior identical across terminal and GUI input paths.
|
||||
- Tests added for all above; CI green.
|
||||
```
|
||||
### 2.3 Commit triggers
|
||||
Auto-commit `pending` operations when:
|
||||
- Cursor moves (arrow keys, mouse click)
|
||||
- Any command starts executing
|
||||
- Buffer switching
|
||||
- Before undo/redo operations
|
||||
- Before file save/close
|
||||
|
||||
## Phase 3: UndoSystem Implementation
|
||||
|
||||
6) Concrete Work Items by File
|
||||
### 3.1 Core batching logic (UndoSystem.cc)
|
||||
```
|
||||
|
||||
- UndoSystem.h/cc:
|
||||
- Re-verify Begin/Append ordering; enforce batching invariants; prepend logic for backspace; immediate commit for
|
||||
newline.
|
||||
- Implement/verify apply() uses only Buffer raw methods: insert_text/delete_text/split_line/join_lines/row ops.
|
||||
- Add limits (configurable) and stats; add discard_pending safety paths.
|
||||
- Buffer.h/cc:
|
||||
- Ensure raw methods exist and do not trigger undo; ensure UpdateBufferReference is correctly used when
|
||||
replacing/renaming the underlying buffer.
|
||||
- Call undo.commit() on cursor movement and non-editing commands (via Command layer integration).
|
||||
- Command.cc:
|
||||
- Ensure all edit commands drive UndoSystem correctly; commit at k-prefix entry and before Undo/Redo.
|
||||
- Introduce UndoTransaction for compound commands when needed.
|
||||
- GUIInputHandler.cc / TerminalInputHandler.cc / KKeymap.cc:
|
||||
- Ensure unified InsertText path; suppress SDL_TEXTINPUT when a k-prefix suffix produced a command; preserve case
|
||||
mapping.
|
||||
- Tests: test_undo.cc (extend) + new tests (e.g., test_undo_branching.cc, test_undo_multiline.cc).
|
||||
cpp void UndoSystem::begin(UndoType type, int row, int col) { if
|
||||
(should_batch_with_pending(type, row, col)) { // Continue existing
|
||||
batch return; }
|
||||
|
||||
// Commit any existing pending operation
|
||||
if (pending) {
|
||||
commit();
|
||||
}
|
||||
|
||||
7) Example Test Cases (sketches)
|
||||
// Create new pending node
|
||||
pending = std::make_unique<UndoNode>();
|
||||
pending->type = type;
|
||||
pending->row = row;
|
||||
pending->col = col;
|
||||
pending->text.clear();
|
||||
|
||||
- Branch discard after undo:
|
||||
1) InsertText("abc"); Undo(); Undo(); InsertText("X"); Redo();
|
||||
Expected: Redo is a no-op (or status indicates no redo), buffer is "aX".
|
||||
}
|
||||
|
||||
- Newline split/join:
|
||||
1) InsertText("ab"); Newline(); InsertText("c"); Undo();
|
||||
Expected: single undo joins lines → buffer "abc" on one line at original join point; Redo() splits again.
|
||||
bool UndoSystem::should_batch_with_pending(UndoType type, int row, int
|
||||
col) const { if (!pending) return false; if (pending->type != type)
|
||||
return false; if (pending->row != row) return false;
|
||||
|
||||
- Backspace batching:
|
||||
1) InsertText("hello"); Backspace×3; Undo();
|
||||
Expected: restores "hello".
|
||||
// For Insert: check if we're continuing at the right position
|
||||
if (type == UndoType::Insert) {
|
||||
return (pending->col + pending->text.size()) == col;
|
||||
}
|
||||
|
||||
- UTF-8 insertion:
|
||||
1) InsertText("😀汉"); Undo(); Redo();
|
||||
Expected: content unchanged across cycles; no crashes.
|
||||
// For Delete: check if we're continuing from the same position
|
||||
if (type == UndoType::Delete) {
|
||||
return pending->col == col;
|
||||
}
|
||||
|
||||
- Saved/dirty transitions:
|
||||
1) InsertText("hi"); mark_saved(); InsertText("!"); Undo(); Redo();
|
||||
Expected: dirty false after mark_saved; dirty true after InsertText("!"); dirty returns to false after Undo();
|
||||
true again after Redo().
|
||||
return false;
|
||||
|
||||
}
|
||||
|
||||
8) Risks & Mitigations
|
||||
```
|
||||
### 3.2 Commit logic
|
||||
```
|
||||
|
||||
- SDL/macOS event ordering (KEYDOWN vs TEXTINPUT, IME): Mitigate by suppressing TEXTINPUT on mapped k-prefix suffixes;
|
||||
optionally temporarily disable SDL text input during k-prefix suffix mapping; add targeted diagnostics.
|
||||
- UTF-8 width vs byte-length: Store bytes in UndoNode::text; keep column logic consistent with existing Buffer
|
||||
semantics.
|
||||
- Memory growth: Add GC/limits and provide a way to clear/reduce history for huge sessions.
|
||||
- Re-entrancy during apply(): Prevent public edit paths from being called; use only raw operations.
|
||||
cpp void UndoSystem::commit() { if (!pending || pending->text.empty())
|
||||
{ pending.reset(); return; }
|
||||
|
||||
// Discard any redo branches from current position
|
||||
discard_redo_branches();
|
||||
|
||||
9) Nice-to-Have (post-MVP)
|
||||
// Attach pending as child of current
|
||||
attach_pending_to_current();
|
||||
|
||||
- Visual undo-tree navigation (emacs-like time travel and branch selection), at least as a debug tool initially.
|
||||
- Persistent undo across saves (opt-in; likely out-of-scope initially).
|
||||
- Time-based batching threshold (e.g., break batches after >500ms pause in typing).
|
||||
// Move current forward
|
||||
current = pending.release();
|
||||
if (current->parent) {
|
||||
current->parent->child.reset(current);
|
||||
}
|
||||
|
||||
// Update saved pointer if we diverged
|
||||
if (saved && saved != current) {
|
||||
// Check if saved is still reachable from current
|
||||
if (!is_ancestor_of(current, saved)) {
|
||||
saved = nullptr;
|
||||
}
|
||||
}
|
||||
|
||||
10) Execution Notes for a Junior Engineer/Agentic System
|
||||
}
|
||||
|
||||
- Start from Phase 0; do not skip instrumentation—assertions will catch subtle batching bugs early.
|
||||
- Change one surface at a time; when adjusting Begin/Append/commit positions, re-run unit tests immediately.
|
||||
- Always ensure commit boundaries before invoking commands that move the cursor/state.
|
||||
- When unsure about apply(), read docs/undo.md and mirror exactly: only raw Buffer methods, never the public editing
|
||||
APIs.
|
||||
- Keep diffs small and localized; add tests alongside behavior changes.
|
||||
```
|
||||
### 3.3 Apply operations
|
||||
```
|
||||
|
||||
Appendix A — Minimal Developer Checklist
|
||||
cpp void UndoSystem::apply_node(Buffer& buffer, const UndoNode* node,
|
||||
int direction) { if (!node) return;
|
||||
|
||||
- [ ] Begin/Append occur after buffer mutation and cursor updates for all edit commands.
|
||||
- [ ] Pending detached until commit; freed/cleared on commit/discard/clear.
|
||||
- [ ] Redo branches freed on new commit after undo.
|
||||
- [ ] mark_saved updates both saved pointer and dirty flag; dirty mirrors current != saved.
|
||||
- [ ] apply() uses only raw Buffer methods; no recording during apply.
|
||||
- [ ] Terminal and GUI both route printable input to InsertText; k-prefix mapping suppresses trailing TEXTINPUT.
|
||||
- [ ] Unit and integration tests cover batching, branching, newline, saved/dirty, and UTF-8 cases.
|
||||
switch (node->type) {
|
||||
case UndoType::Insert:
|
||||
if (direction > 0) { // redo
|
||||
buffer.raw_insert_text(node->row, node->col, node->text);
|
||||
} else { // undo
|
||||
buffer.raw_delete_text(node->row, node->col, node->text.size());
|
||||
}
|
||||
break;
|
||||
|
||||
case UndoType::Delete:
|
||||
if (direction > 0) { // redo
|
||||
buffer.raw_delete_text(node->row, node->col, node->text.size());
|
||||
} else { // undo
|
||||
buffer.raw_insert_text(node->row, node->col, node->text);
|
||||
}
|
||||
break;
|
||||
|
||||
case UndoType::Newline:
|
||||
if (direction > 0) { // redo
|
||||
buffer.raw_split_line(node->row, node->col);
|
||||
} else { // undo
|
||||
buffer.raw_join_lines(node->row);
|
||||
}
|
||||
break;
|
||||
|
||||
// Handle other types...
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
```
|
||||
## Phase 4: Command Integration
|
||||
|
||||
### 4.1 Add undo/redo commands (Command.cc)
|
||||
Register the undo/redo commands in the command system:
|
||||
```
|
||||
|
||||
cpp // In InstallDefaultCommands() CommandRegistry::Register({
|
||||
CommandId::Undo, "undo", "Undo the last change", [](CommandContext&
|
||||
ctx) { auto& editor = ctx.editor; auto* buffer =
|
||||
editor.current_buffer(); if (buffer && buffer->can_undo()) {
|
||||
buffer->undo(); return true; } return false; }, false // not public
|
||||
command });
|
||||
|
||||
CommandRegistry::Register({ CommandId::Redo, "redo", "Redo the last
|
||||
undone change", [](CommandContext& ctx) { auto& editor = ctx.editor;
|
||||
auto* buffer = editor.current_buffer(); if (buffer &&
|
||||
buffer->can_redo()) { buffer->redo(); return true; } return false; },
|
||||
false // not public command });
|
||||
|
||||
```
|
||||
### 4.2 Update keybinding handlers
|
||||
Ensure the input handlers map `C-k u` to `CommandId::Undo` and `C-k r`
|
||||
to `CommandId::Redo`.
|
||||
|
||||
## Phase 5: Memory Management and Edge Cases
|
||||
|
||||
### 5.1 Buffer lifecycle management
|
||||
- **Constructor**: Initialize `undo_system = std::make_unique<UndoSystem>()`
|
||||
- **Destructor**: `undo_system.reset()` (automatic)
|
||||
- **File reload**: Call `undo_system->clear()` before loading
|
||||
- **New file**: Call `undo_system->clear()`
|
||||
- **Close buffer**: Call `undo_system->discard_pending()` then let destructor handle cleanup
|
||||
|
||||
### 5.2 Save state tracking
|
||||
- **After successful save**: Call `buffer->mark_saved()`
|
||||
- **For dirty flag**: Use `buffer->is_dirty()`
|
||||
|
||||
### 5.3 Edge case handling
|
||||
- Prevent undo during undo application (`applying_undo` flag)
|
||||
- Handle empty operations gracefully
|
||||
- Ensure cursor positioning after undo/redo
|
||||
- Test memory leaks with rapid typing + buffer close
|
||||
|
||||
## Phase 6: Testing
|
||||
|
||||
### 6.1 Unit tests (test_undo.cc)
|
||||
Create comprehensive tests covering:
|
||||
- Basic typing and undo
|
||||
- Word-level batching
|
||||
- Non-linear undo (type, undo, type different text)
|
||||
- Memory leak testing
|
||||
- Save state tracking
|
||||
- Edge cases (empty buffers, large operations)
|
||||
|
||||
### 6.2 Integration tests
|
||||
- Test with all buffer implementations (GapBuffer, PieceTable)
|
||||
- Test with GUI and Terminal frontends
|
||||
- Test rapid typing + immediate buffer close
|
||||
- Test file reload during pending operations
|
||||
|
||||
## Implementation Priority
|
||||
|
||||
1. **Phase 1**: Implement core data structures
|
||||
2. **Phase 2**: Add Buffer integration points
|
||||
3. **Phase 3**: Implement UndoSystem methods
|
||||
4. **Phase 4**: Wire up commands and keybindings
|
||||
5. **Phase 5**: Handle edge cases and memory management
|
||||
6. **Phase 6**: Comprehensive testing
|
||||
|
||||
## Critical Success Criteria
|
||||
|
||||
- ✅ No memory leaks even with rapid typing + buffer close
|
||||
- ✅ Batching works correctly (word-level undo steps)
|
||||
- ✅ Non-linear undo creates branches correctly
|
||||
- ✅ Save state tracking works properly
|
||||
- ✅ Silent operations during undo application
|
||||
- ✅ Clean integration with existing Buffer operations
|
||||
|
||||
This roadmap provides Junie with a complete, step-by-step implementation plan that preserves the original design goals while ensuring robust, memory-safe implementation.
|
||||
```
|
||||
|
||||
This roadmap refines your original plan by:
|
||||
|
||||
1. **Memory Safety**: Uses `std::unique_ptr` for automatic memory
|
||||
management
|
||||
2. **Clear Implementation Steps**: Breaks down into logical phases
|
||||
3. **Integration Points**: Clearly identifies where to hook into
|
||||
existing code
|
||||
4. **Edge Case Handling**: Addresses buffer lifecycle and error
|
||||
conditions
|
||||
5. **Testing Strategy**: Ensures robust validation
|
||||
|
||||
The core design remains faithful to your emacs-style undo tree vision
|
||||
while being practical for implementation by Junie.
|
||||
|
||||
@@ -1,139 +0,0 @@
|
||||
### Context recap
|
||||
|
||||
- The undo system is now tree‑based with batching rules and `KTE_UNDO_DEBUG` instrumentation hooks already present in
|
||||
`UndoSystem.{h,cc}`.
|
||||
- GUI path uses SDL; printable input now flows exclusively via `SDL_TEXTINPUT` to `CommandId::InsertText`, while
|
||||
control/meta/movement (incl. Backspace/Delete/Newline and k‑prefix) come from `SDL_KEYDOWN`.
|
||||
- Commit boundaries must be enforced at well‑defined points (movement, non‑editing commands, newline, undo/redo, etc.).
|
||||
|
||||
### Status summary (2025‑12‑01)
|
||||
|
||||
- Input‑path unification: Completed. `GUIInputHandler.cc` routes all printable characters through `SDL_TEXTINPUT → InsertText`.
|
||||
Newlines originate only from `SDL_KEYDOWN → Newline`. CR/LF are filtered out of `SDL_TEXTINPUT` payloads. Suppression
|
||||
rules prevent stray `TEXTINPUT` after meta/prefix/universal‑argument flows. Terminal input path remains consistent.
|
||||
- Tests: `test_undo.cc` expanded to cover branching behavior, UTF‑8 insertion, multi‑line newline/join, and typing batching.
|
||||
All scenarios pass.
|
||||
- Instrumentation: `KTE_UNDO_DEBUG` hooks exist in `UndoSystem.{h,cc}`; a CMake toggle has not yet been added.
|
||||
- Commit boundaries: Undo/Redo commit boundaries are in place; newline path commits immediately by design. A final audit
|
||||
pass across movement/non‑editing commands is still pending.
|
||||
- Docs: This status document updated. Further docs (instrumentation how‑to and example traces) remain pending in
|
||||
`docs/undo.md` / `docs/undo-roadmap.md`.
|
||||
|
||||
### Objectives
|
||||
|
||||
- Use the existing instrumentation to capture short traces of typing/backspacing/deleting and undo/redo.
|
||||
- Unify input paths (SDL `KEYDOWN` vs `TEXTINPUT`) and lock down commit boundaries across commands.
|
||||
- Extend tests to cover branching behavior, UTF‑8, and multi‑line operations.
|
||||
|
||||
### Plan of action
|
||||
|
||||
1. Enable instrumentation and make it easy to toggle
|
||||
- Add a CMake option in `CMakeLists.txt` (root project):
|
||||
`option(KTE_UNDO_DEBUG "Enable undo instrumentation logs" OFF)`.
|
||||
- When ON, add a compile definition `-DKTE_UNDO_DEBUG` to all targets that include the editor core (e.g., `kte`,
|
||||
`kge`, and test binaries).
|
||||
- Keep the default OFF so normal builds are quiet; ensure both modes compile in CI.
|
||||
|
||||
2. Capture short traces to validate current behavior
|
||||
- Build with `-DKTE_UNDO_DEBUG=ON` and run the GUI frontend:
|
||||
- Scenario A: type a contiguous word, then move cursor (should show `Begin(Insert)` + multiple `Append`, single
|
||||
`commit` at a movement boundary).
|
||||
- Scenario B: hold backspace to delete a run, including backspace batching (prepend rule); verify
|
||||
`Begin(Delete)` with prepended `Append` behavior, single `commit`.
|
||||
- Scenario C: forward deletes at a fixed column (anchor batching); expected single `Begin(Delete)` with same
|
||||
column.
|
||||
- Scenario D: insert newline (`Newline` node) and immediately commit; type text on the next line; undo/redo
|
||||
across the boundary.
|
||||
- Scenario E: undo chain and redo chain; then type new text and confirm redo branch gets discarded in logs.
|
||||
- Save representative trace snippets and add to `docs/undo.md` or `docs/undo-roadmap.md` for reference.
|
||||
|
||||
3. Input‑path unification (SDL `KEYDOWN` vs `TEXTINPUT`) — Completed 2025‑12‑01
|
||||
- In `GUIInputHandler.cc`:
|
||||
- Ensure printable characters are generated exclusively from `SDL_TEXTINPUT` and mapped to
|
||||
`CommandId::InsertText`.
|
||||
- Keep `SDL_KEYDOWN` for control/meta/movement, backspace/delete, newline, and k‑prefix handling.
|
||||
- Maintain suppression of stray `SDL_TEXTINPUT` immediately following meta/prefix or universal‑argument
|
||||
collection so no accidental text is inserted.
|
||||
- Confirm that `InsertText` path never carries `"\n"`; newline must only originate from `KEYDOWN` →
|
||||
`CommandId::Newline`.
|
||||
- If the terminal input path exists, ensure parity: printable insertions go through `InsertText`, control via key
|
||||
events, and the same commit boundaries apply.
|
||||
- Status: Implemented. See `GUIInputHandler.cc` changes; tests confirm parity with terminal path.
|
||||
|
||||
4. Enforce and verify commit boundaries in command execution — In progress
|
||||
- Audit `Command.cc` and ensure `u->commit()` is called before executing any non‑editing command that should end a
|
||||
batch:
|
||||
- Movement commands (left/right/up/down/home/end/page).
|
||||
- Prompt accept/cancel transitions and mode switches (search prompts, replace prompts).
|
||||
- Buffer/file operations (open/switch/save/close), and focus changes.
|
||||
- Before running `Undo` or `Redo` (already present).
|
||||
- Ensure immediate commit at the end of atomic edit operations:
|
||||
- `Newline` insertion and line joins (`Delete` of newline when backspacing at column 0) should create
|
||||
`UndoType::Newline` and commit immediately (parts are already implemented; verify all call sites).
|
||||
- Pastes should be a single `Paste`/`Insert` batch per operation (depending on current design).
|
||||
|
||||
5. Extend automated tests (or add them if absent) — Phase 1 completed
|
||||
- Branching behavior ✓
|
||||
- Insert `"abc"`, undo twice (back to `"a"`), insert `"X"`, assert redo list is discarded, and new timeline
|
||||
continues with `aX`.
|
||||
- Navigate undo/redo along the new branch to ensure correctness.
|
||||
- UTF‑8 insertion and deletion ✓
|
||||
- Insert `"é漢"` (multi‑byte characters) via `InsertText`; verify buffer content and that a single Insert batch
|
||||
is created.
|
||||
- Undo/redo restores/removes the full insertion batch.
|
||||
- Backspace after typed UTF‑8 should remove the last inserted codepoint from the batch in a single undo step (
|
||||
current semantics are byte‑oriented in buffer ops; test to current behavior and document).
|
||||
- Multi‑line operations ✓
|
||||
- Newline splits a line: verify an `UndoType::Newline` node is created and committed immediately; undo/redo
|
||||
round‑trip.
|
||||
- Backspace at column 0 joins with previous line: record as `Newline` deletion (via `UndoType::Newline`
|
||||
inverse); undo/redo round‑trip.
|
||||
- Typing and deletion batching ✓ (typing) / Pending (delete batching)
|
||||
- Typing a contiguous word (no cursor moves) yields one `Insert` node with accumulated text.
|
||||
- Forward delete at a fixed anchor column yields one `Delete` batch. (Pending test)
|
||||
- Backspace batching uses the prepend rule when the cursor moves left. (Pending test)
|
||||
- Place tests near existing test suite files (e.g., `tests/test_undo.cc`) or create them if not present. Prefer
|
||||
using `Buffer` + `UndoSystem` directly for tight unit tests; add higher‑level integration tests as needed.
|
||||
|
||||
6. Documentation updates — In progress
|
||||
- In `docs/undo.md` and `docs/undo-roadmap.md`:
|
||||
- Describe how to enable instrumentation (`KTE_UNDO_DEBUG`) and an example of trace logs.
|
||||
- List batching rules and commit boundaries clearly with examples.
|
||||
- Document current UTF‑8 semantics (byte‑wise vs codepoint‑wise) and any known limitations.
|
||||
- Current status: this `undo-state.md` updated; instrumentation how‑to and example traces pending.
|
||||
|
||||
7. CI and build hygiene — Pending
|
||||
- Default builds: `KTE_UNDO_DEBUG` OFF.
|
||||
- Add a CI job that builds and runs tests with `KTE_UNDO_DEBUG=ON` to ensure the instrumentation path remains
|
||||
healthy.
|
||||
- Ensure no performance regressions or excessive logging in release builds.
|
||||
|
||||
8. Stretch goals (optional, time‑boxed) — Pending
|
||||
- IME composition: confirm that `SDL_TEXTINPUT` behavior during IME composition does not produce partial/broken
|
||||
insertions; if needed, buffer composition updates into a single commit.
|
||||
- Ensure paste operations (multi‑line/UTF‑8) remain atomic in undo history.
|
||||
|
||||
### How to run the tests
|
||||
|
||||
- Configure with `-DBUILD_TESTS=ON` and build the `test_undo` target. Run the produced binary (e.g., `./test_undo`).
|
||||
The test prints progress and uses assertions to validate behavior.
|
||||
|
||||
### Deliverables
|
||||
|
||||
- CMake toggle for instrumentation and verified logs for core scenarios. (Pending)
|
||||
- Updated `GUIInputHandler.cc` solidifying `KEYDOWN` vs `TEXTINPUT` separation and suppression rules. (Completed)
|
||||
- Verified commit boundaries in `Command.cc` with comments where appropriate. (In progress)
|
||||
- New tests for branching, UTF‑8, and multi‑line operations; all passing. (Completed for listed scenarios)
|
||||
- Docs updated with how‑to and example traces. (Pending)
|
||||
|
||||
### Acceptance criteria
|
||||
|
||||
### Current status (2025‑12‑01) vs acceptance criteria
|
||||
|
||||
- Short instrumentation traces match expected batching and commit behavior for typing, backspace/delete, newline, and
|
||||
undo/redo. — Pending (instrumentation toggle + capture not done)
|
||||
- Printable input comes exclusively from `SDL_TEXTINPUT`; no stray inserts after meta/prefix/universal‑argument flows.
|
||||
— Satisfied (GUI path updated; terminal path consistent)
|
||||
- Undo branching behaves correctly; redo is discarded upon new commits after undo. — Satisfied (tested)
|
||||
- UTF‑8 and multi‑line scenarios round‑trip via undo/redo according to the documented semantics. — Satisfied (tested)
|
||||
- Tests pass with `KTE_UNDO_DEBUG` both OFF and ON. — Pending (no CMake toggle yet; default OFF passes)
|
||||
140
docs/undo.md
140
docs/undo.md
@@ -1,140 +0,0 @@
|
||||
This is a design for a non-linear undo/redo system for kte. The design must be identical in behavior and correctness
|
||||
to the proven kte editor undo system.
|
||||
|
||||
### Core Requirements
|
||||
|
||||
1. Each open buffer has its own completely independent undo tree.
|
||||
2. Undo and redo must be non-linear: typing after undo creates a branch; old redo branches are discarded.
|
||||
3. Typing, backspacing, and pasting are batched into word-level undo steps.
|
||||
4. Undo/redo must never create new undo nodes while applying an undo/redo (silent, low-level apply).
|
||||
5. The system must be memory-safe and leak-proof even if the user types and immediately closes the buffer.
|
||||
|
||||
### Data Structures
|
||||
|
||||
```cpp
|
||||
enum class UndoType : uint8_t {
|
||||
Insert,
|
||||
Delete,
|
||||
Paste, // optional, can reuse Insert
|
||||
Newline,
|
||||
DeleteRow,
|
||||
// future: IndentRegion, KillRegion, etc.
|
||||
};
|
||||
|
||||
struct UndoNode {
|
||||
UndoType type;
|
||||
int row; // original cursor row
|
||||
int col; // original cursor column (updated during batch)
|
||||
std::string text; // the inserted or deleted text (full batch)
|
||||
UndoNode* child = nullptr; // next in current timeline
|
||||
UndoNode* next = nullptr; // redo branch (rarely used)
|
||||
// no parent pointer needed — we walk from root
|
||||
};
|
||||
|
||||
struct UndoTree {
|
||||
UndoNode* root = nullptr; // first edit ever
|
||||
UndoNode* current = nullptr; // current state of buffer
|
||||
UndoNode* saved = nullptr; // points to node matching last save (for dirty flag)
|
||||
UndoNode* pending = nullptr; // in-progress batch (detached)
|
||||
};
|
||||
```
|
||||
|
||||
Each `Buffer` owns one `std::unique_ptr<UndoTree>`.
|
||||
|
||||
### Core API (must implement exactly)
|
||||
|
||||
```cpp
|
||||
class UndoSystem {
|
||||
public:
|
||||
void Begin(UndoType type);
|
||||
void Append(char ch);
|
||||
void Append(std::string_view text);
|
||||
void commit(); // called on cursor move, commands, etc.
|
||||
|
||||
void undo(); // Ctrl+Z
|
||||
void redo(); // Ctrl+Y or Ctrl+Shift+Z
|
||||
|
||||
void mark_saved(); // after successful save
|
||||
void discard_pending(); // before closing buffer or loading new file
|
||||
void clear(); // new file / reset
|
||||
|
||||
private:
|
||||
void apply(const UndoNode* node, int direction); // +1 = redo, -1 = undo
|
||||
void free_node(UndoNode* node);
|
||||
void free_branch(UndoNode* node); // frees redo siblings only
|
||||
};
|
||||
```
|
||||
|
||||
### Critical Invariants and Rules
|
||||
|
||||
1. `begin()` must reuse `pending` if:
|
||||
- same type
|
||||
- same row
|
||||
- `pending->col + pending->text.size() == current_cursor_col`
|
||||
→ otherwise `commit()` old and create new
|
||||
|
||||
2. `pending` is detached — never linked until `commit()`
|
||||
|
||||
3. `commit()`:
|
||||
- discards redo branches (`current->child`)
|
||||
- attaches `pending` as `current->child`
|
||||
- advances `current`
|
||||
- clears `pending`
|
||||
- if diverged from `saved`, null it
|
||||
|
||||
4. `apply()` must use low-level buffer operations:
|
||||
- Never call public insert/delete/newline
|
||||
- Use raw `buffer.insert_text(row, col, text)` and `buffer.delete_text(row, col, len)`
|
||||
- These must not trigger undo
|
||||
|
||||
5. `undo()`:
|
||||
- move current to parent
|
||||
- apply(current, -1)
|
||||
|
||||
6. `redo()`:
|
||||
- move current to child
|
||||
- apply(current, +1)
|
||||
|
||||
7. `discard_pending()` must be called in:
|
||||
- buffer close
|
||||
- file reload
|
||||
- new file
|
||||
- any destructive operation
|
||||
|
||||
### Example Flow: Typing "hello"
|
||||
|
||||
```text
|
||||
begin(Insert) → pending = new node, col=0
|
||||
append('h') → pending->text = "h", pending->col = 1
|
||||
append('e') → "he", col = 2
|
||||
...
|
||||
commit() on arrow key → pending becomes current->child, current advances
|
||||
```
|
||||
|
||||
One undo step removes all of "hello".
|
||||
|
||||
### Required Helper in Buffer Class
|
||||
|
||||
```cpp
|
||||
class Buffer {
|
||||
void insert_text(int row, int col, std::string_view text); // raw, no undo
|
||||
void delete_text(int row, int col, size_t len); // raw, no undo
|
||||
void split_line(int row, int col); // raw newline
|
||||
void join_lines(int row); // raw join
|
||||
void insert_row(int row, std::string_view text); // raw
|
||||
void delete_row(int row); // raw
|
||||
};
|
||||
```
|
||||
|
||||
### Tasks for Agent
|
||||
|
||||
1. Implement `UndoNode`, `UndoTree`, and `UndoSystem` class exactly as specified.
|
||||
2. Add `std::unique_ptr<UndoTree> undo;` to `Buffer`.
|
||||
3. Modify `insert_char`, `delete_char`, `paste`, `newline` to use `undo.begin()/append()/commit()`.
|
||||
4. Add `undo.commit()` at start of all cursor movement and command functions.
|
||||
5. Implement `apply()` using only `Buffer`'s raw methods.
|
||||
6. Add `undo.discard_pending()` in all buffer reset/close paths.
|
||||
7. Add `Ctrl+Z` → `buffer.undo()`, `Ctrl+Y` → `buffer.redo()`.
|
||||
|
||||
This design is used in production editors and is considered the gold standard for small, correct, non-linear undo in
|
||||
C/C++. Implement it faithfully.
|
||||
Reference in New Issue
Block a user