refactor(tui): yazi-style Miller columns, clipboard, debug tracing#23
refactor(tui): yazi-style Miller columns, clipboard, debug tracing#23engalar wants to merge 6 commits intomendixlabs:mainfrom
Conversation
- y key copies content to clipboard in overlay and compare view - OSC 52 terminal escape sequence for SSH/tmux environments, with fallback to pbcopy/wl-copy/xclip/xsel - "✓ Copied!" flash disappears after 1 second - Tab key switches between NDSL and MDL views in overlay when opened via b (BSON) or m (MDL) on a selected node
…rderless UI Major TUI rewrite from 2-panel + overlay to yazi-inspired design: - Miller 3-column layout (parent/current/preview) with responsive ratios - Tab system: t/T/W/1-9/[/] for multi-location and cross-project tabs - Async preview engine with cache, context cancellation, syntax highlighting - Borderless minimalist style with dim separators, no box borders - Context-sensitive key hint bar (HUD) at bottom - Mouse support: click parent=back, current=drill in, preview=forward - Scroll wheel in all columns including MDL/NDSL content preview - Soft line wrapping for preview content (no truncation) - Slide animation on column transitions (width-based, 5 frames) - Line numbers in preview pane with scroll percentage indicator - Clipboard copy (y) from preview content - Banner stripping for WARNING: and Connected to: lines New files: app.go, tab.go, miller.go, column.go, preview.go, keys.go, tabbar.go, statusbar.go, hintbar.go, icons.go Deleted: model.go, layout.go, panels/ (6 files)
- Column widths now adapt to content (IdealWidth with lipgloss.Width) - Parent capped at 30%, current at 35%, preview min 25% - Soft line wrapping in MDL/NDSL preview (wrapVisual) instead of truncation - Scroll calculations based on visual line count after wrapping - Preview auto-populates on drill-in/go-back (no more "No preview") - Animation slowed to 8 frames × 50ms = 400ms, proportional shift - Output height clamped to prevent overflow affecting other columns - Separator rendered as exact-height column of │ characters
Writes to ~/.mxcli/tui-debug.log when MXCLI_TUI_DEBUG=1. Traces: key/mouse events, resize, navigation, preview requests, column width calculations, animation state.
animTickMsg was not in the forwarding list in app.go Update(), so animation frames never decremented and parent column stayed permanently compressed.
Width-based animation caused all text to reflow simultaneously, creating a dizzying effect. Replaced with clean instant column shifts matching yazi's native behavior.
ako
left a comment
There was a problem hiding this comment.
Code Review: refactor(tui): yazi-style Miller columns, clipboard, debug tracing
Overview
Major TUI rewrite (29 files, +4024/-1561 lines) moving from a 2-panel layout to yazi-inspired Miller columns with tabs, async preview, and clipboard support. The old model.go, layout.go, and panels/ directory are deleted and replaced with app.go, miller.go, column.go, preview.go, tab.go, and supporting files.
Critical Issues
1. itoa() is broken for numbers >= 10 (tui/tab.go)
func itoa(n int) string {
return string(rune('0'+n%10)) + ""
}For n=12 this returns "2", not "12". Use strconv.Itoa(n).
2. LoadTreeMsg always loads into the active tab (race condition, tui/app.go)
When a cross-project tab is created via PickerDoneMsg, a LoadTreeMsg is dispatched async. If the user switches tabs before it arrives, the handler updates the wrong tab. The message should carry a tab ID.
3. String truncation corrupts multi-byte characters (tui/column.go)
label = label[:contentWidth-2]Byte-level slicing on strings containing emoji icons (from icons.go) will produce invalid UTF-8. Use lipgloss.Truncate() or rune-aware truncation.
4. View() mutations on value receivers are silently discarded (tui/miller.go)
View() has a value receiver and calls m.parent.SetSize(...), m.current.SetSize(...). These mutations are lost on the copy. Same issue with viewZen(). This works by accident because bubbletea re-renders frequently, but it's fragile and wasteful.
5. PreviewEngine goroutines leak on tab close and app quit
PreviewEngine.cancelFuncis never called on app exit — onlyCloseTrace()is called- When a tab is closed via
W, itsPreviewEngine(and any in-flightexec.CommandContextsubprocesses) are never cancelled - Should add a
Close()method toPreviewEngineand call it on tab close + app quit
Moderate Issues
6. ~315 lines of dead code in tui/keys.go
DefaultListKeys(), DefaultOverlayKeys(), DefaultCompareKeys(), DefaultTabKeys(), DefaultGlobalKeys() and their key map types are defined but never used anywhere. All key handling uses raw msg.String() comparisons. This entire file should either be integrated or removed.
7. Dead code in tui/tab.go and tui/miller.go
NavStatetype is defined but unusedMillerFocusPreviewconstant exists but focus is never set to itGoBack()andToggleZen()exported methods are never called
8. CloseTrace() doesn't reset traceActive (tui/trace.go)
A Trace() call after CloseTrace() would attempt to write to a closed file.
9. //nolint:govet suppression (tui/miller.go)
func (m MillerView) handleMouse(msg tea.MouseMsg) (MillerView, tea.Cmd) { //nolint:govetSuppresses the legitimate vet warning about value receiver semantics instead of fixing the underlying issue.
Minor Issues
10. Magic numbers scattered throughout
millerH := a.height - 3— magic3for chrome height- Column width thresholds:
80,50,30,35,25,15,8incolumnWidths() - Scroll step
3hardcoded in multiple mouse handlers
11. openDiagram — temp files never cleaned up, WriteString error ignored
Pre-existing issue but worth noting. Also nodeType and elkJSON are interpolated into HTML without sanitization (low risk since it's a local file).
12. tabbar.go — rebuildZones() in SetTabs() is redundant
View() clears and rebuilds zones from scratch, making the earlier call unnecessary.
13. Plan docs included in PR
docs/plans/2026-03-22-bson-ndsl-format.md (463 lines) and docs/plans/2026-03-23-tui-yazi-refactor-design.md (376 lines) are implementation plans. Consider whether these belong in the repo long-term or should be removed before merge.
What Looks Good
- The overall architecture (Miller columns, async preview with caching + cancellation, tab system) is well-designed
- Clipboard implementation correctly uses stdin pipe (no command injection) with OSC 52 fallback for remote sessions
sync.Onceprotection on trace initialization- Preview cache prevents redundant mxcli subprocess spawns
- Clean separation of concerns across the new files
Recommendation
Request changes — fix the critical bugs (#1-5) and remove dead code (#6-7) before merging. The value-receiver-mutation pattern (#4) is the most architecturally concerning issue and could cause subtle rendering bugs.
🤖 Generated with Claude Code
Summary
MXCLI_TUI_DEBUG=1environment variableTest plan
mxcli tui -p <project.mpr>and verify Miller column navigation worksMXCLI_TUI_DEBUG=1 mxcli tui -p <project.mpr>produces trace output🤖 Generated with Claude Code