Compare commits

..

4 Commits

Author SHA1 Message Date
f91082186c Fix scroll direction inversion in REPL
Fixed the scroll direction bug where PageUp/PageDown were inverted:

- page_up now scrolls UP (back in time) with positive delta (+10)
- page_down now scrolls DOWN (forward in time) with negative delta (-10)
- Mouse wheel up/down also fixed with same logic (+3/-3)

The scroll logic in scroll_output() was correct (positive = scroll up),
but the key handlers in both main.py and pipeline_runner.py had
the signs inverted.
2026-03-23 17:03:03 -07:00
bfcad4963a Add mouse wheel and keyboard scrolling support to REPL
- Add scroll_offset to REPLState (max 50 lines)
- Modify _render_repl() to use manual scroll position
- Add scroll_output(delta) method for scroll control
- Add PageUp/PageDown keyboard support (scroll 10 lines)
- Add mouse wheel support via SGR mouse tracking
- Update HUD to show scroll percentage (like vim) and position
- Reset scroll when new output arrives
- Add tests for scroll functionality
2026-03-22 17:27:00 -07:00
e5799a346a Add 'available' command to list all effect types
- Add _cmd_available() method to list all registered effect types
- Discover plugins and query registry to get complete list
- Add 'available' to help text and command processing
- Update help description for 'effects' command to clarify it shows current pipeline
2026-03-22 17:19:15 -07:00
b1bf739324 Add pipeline mutation commands to REPL
- Add help text for add_stage, remove_stage, swap_stages, move_stage commands
- Implement _cmd_add_stage, _cmd_remove_stage, _cmd_swap_stages, _cmd_move_stage methods
- Update _handle_pipeline_mutation in main.py and pipeline_runner.py
- Fix fragile test by testing output buffer directly instead of rendered output
2026-03-22 17:15:05 -07:00
6 changed files with 436 additions and 33 deletions

View File

@@ -108,6 +108,22 @@ Pipeline effects:
Effect 'repl' set to off
```
## Scrolling Support
The REPL output buffer supports scrolling through command history:
**Keyboard Controls:**
- **PageUp** - Scroll up 10 lines
- **PageDown** - Scroll down 10 lines
- **Mouse wheel up** - Scroll up 3 lines
- **Mouse wheel down** - Scroll down 3 lines
**Scroll Features:**
- **Scroll percentage** shown in HUD (like vim, e.g., "50%")
- **Scroll position** shown in output line (e.g., "(5/20)")
- **Auto-reset** - Scroll resets to bottom when new output arrives
- **Max buffer** - 50 lines (excluding empty lines)
## Notes
- The REPL effect needs a content source to overlay on (e.g., headlines, poetry, empty)

View File

@@ -47,7 +47,13 @@ def _handle_pipeline_mutation(pipeline: Pipeline, command: dict) -> bool:
action = command.get("action")
if action == "add_stage":
print(f" [Pipeline] add_stage command received: {command}")
stage_name = command.get("stage")
stage_type = command.get("stage_type")
print(
f" [Pipeline] add_stage command received: name='{stage_name}', type='{stage_type}'"
)
# Note: Dynamic stage creation is complex and requires stage factory support
# For now, we acknowledge the command but don't actually add the stage
return True
elif action == "remove_stage":
@@ -569,8 +575,25 @@ def run_pipeline_mode_direct():
repl_effect.navigate_history(-1)
elif key == "down":
repl_effect.navigate_history(1)
elif key == "page_up":
repl_effect.scroll_output(
10
) # Positive = scroll UP (back in time)
elif key == "page_down":
repl_effect.scroll_output(
-10
) # Negative = scroll DOWN (forward in time)
elif key == "backspace":
repl_effect.backspace()
elif key.startswith("mouse:"):
# Mouse event format: mouse:button:x:y
parts = key.split(":")
if len(parts) >= 2:
button = int(parts[1])
if button == 64: # Wheel up
repl_effect.scroll_output(3) # Positive = scroll UP
elif button == 65: # Wheel down
repl_effect.scroll_output(-3) # Negative = scroll DOWN
elif len(key) == 1:
repl_effect.append_to_command(key)
# --- End REPL Input Handling ---

View File

@@ -38,9 +38,13 @@ def _handle_pipeline_mutation(pipeline: Pipeline, command: dict) -> bool:
action = command.get("action")
if action == "add_stage":
# For now, this just returns True to acknowledge the command
# In a full implementation, we'd need to create the appropriate stage
print(f" [Pipeline] add_stage command received: {command}")
stage_name = command.get("stage")
stage_type = command.get("stage_type")
print(
f" [Pipeline] add_stage command received: name='{stage_name}', type='{stage_type}'"
)
# Note: Dynamic stage creation is complex and requires stage factory support
# For now, we acknowledge the command but don't actually add the stage
return True
elif action == "remove_stage":
@@ -933,6 +937,21 @@ def run_pipeline_mode(preset_name: str = "demo", graph_config: str | None = None
params.viewport_width = current_width
params.viewport_height = current_height
# Check for REPL effect in pipeline
repl_effect = None
for stage in pipeline.stages.values():
if isinstance(stage, EffectPluginStage) and stage._effect.name == "repl":
repl_effect = stage._effect
print(
" \033[38;5;46mREPL effect detected - Interactive mode enabled\033[0m"
)
break
# Enable raw mode for REPL if present and not already enabled
# Also enable for UI border mode (already handled above)
if repl_effect and ui_panel is None and hasattr(display, "set_raw_mode"):
display.set_raw_mode(True)
try:
frame = 0
while True:
@@ -1012,8 +1031,25 @@ def run_pipeline_mode(preset_name: str = "demo", graph_config: str | None = None
repl_effect.navigate_history(-1)
elif key == "down":
repl_effect.navigate_history(1)
elif key == "page_up":
repl_effect.scroll_output(
10
) # Positive = scroll UP (back in time)
elif key == "page_down":
repl_effect.scroll_output(
-10
) # Negative = scroll DOWN (forward in time)
elif key == "backspace":
repl_effect.backspace()
elif key.startswith("mouse:"):
# Mouse event format: mouse:button:x:y
parts = key.split(":")
if len(parts) >= 2:
button = int(parts[1])
if button == 64: # Wheel up
repl_effect.scroll_output(3) # Positive = scroll UP
elif button == 65: # Wheel down
repl_effect.scroll_output(-3) # Negative = scroll DOWN
elif len(key) == 1:
repl_effect.append_to_command(key)
# --- End REPL Input Handling ---

View File

@@ -157,6 +157,9 @@ class TerminalDisplay:
def cleanup(self) -> None:
from engine.terminal import CURSOR_ON
# Disable mouse tracking if enabled
self.disable_mouse_tracking()
# Restore normal terminal mode if raw mode was enabled
self.set_raw_mode(False)
@@ -174,6 +177,24 @@ class TerminalDisplay:
"""Request quit (e.g., when Ctrl+C is pressed)."""
self._quit_requested = True
def enable_mouse_tracking(self) -> None:
"""Enable SGR mouse tracking mode."""
try:
# SGR mouse mode: \x1b[?1006h
sys.stdout.write("\x1b[?1006h")
sys.stdout.flush()
except (OSError, AttributeError):
pass # Terminal might not support mouse tracking
def disable_mouse_tracking(self) -> None:
"""Disable SGR mouse tracking mode."""
try:
# Disable SGR mouse mode: \x1b[?1006l
sys.stdout.write("\x1b[?1006l")
sys.stdout.flush()
except (OSError, AttributeError):
pass
def set_raw_mode(self, enable: bool = True) -> None:
"""Enable/disable raw terminal mode for input capture.
@@ -192,7 +213,11 @@ class TerminalDisplay:
# Set raw mode
tty.setraw(sys.stdin.fileno())
self._raw_mode_enabled = True
# Enable mouse tracking
self.enable_mouse_tracking()
elif not enable and self._raw_mode_enabled:
# Disable mouse tracking
self.disable_mouse_tracking()
# Restore original terminal settings
if self._original_termios:
termios.tcsetattr(
@@ -223,16 +248,35 @@ class TerminalDisplay:
char = sys.stdin.read(1)
if char == "\x1b": # Escape sequence
# Read next character to determine key
seq = sys.stdin.read(2)
if seq == "[A":
keys.append("up")
elif seq == "[B":
keys.append("down")
elif seq == "[C":
keys.append("right")
elif seq == "[D":
keys.append("left")
# Read next characters to determine key
# Try to read up to 10 chars for longer sequences
seq = sys.stdin.read(10)
# PageUp: \x1b[5~
if seq.startswith("[5~"):
keys.append("page_up")
# PageDown: \x1b[6~
elif seq.startswith("[6~"):
keys.append("page_down")
# Arrow keys: \x1b[A, \x1b[B, etc.
elif seq.startswith("["):
if seq[1] == "A":
keys.append("up")
elif seq[1] == "B":
keys.append("down")
elif seq[1] == "C":
keys.append("right")
elif seq[1] == "D":
keys.append("left")
else:
# Unknown escape sequence
keys.append("escape")
# Mouse events: \x1b[<B;X;Ym or \x1b[<B;X;YM
elif seq.startswith("[<"):
mouse_seq = "\x1b" + seq
mouse_data = self._parse_mouse_event(mouse_seq)
if mouse_data:
keys.append(mouse_data)
else:
# Unknown escape sequence
keys.append("escape")
@@ -248,8 +292,6 @@ class TerminalDisplay:
keys.append("ctrl_c")
elif char == "\x04": # Ctrl+D
keys.append("ctrl_d")
elif char == "\x1b": # Escape
keys.append("escape")
elif char.isprintable():
keys.append(char)
except OSError:
@@ -257,6 +299,40 @@ class TerminalDisplay:
return keys
def _parse_mouse_event(self, data: str) -> str | None:
"""Parse SGR mouse event sequence.
Format: \x1b[<B;X;Ym (release) or \x1b[<B;X;YM (press)
B = button number (0=left, 1=middle, 2=right, 64=wheel up, 65=wheel down)
X, Y = coordinates (1-indexed)
Returns:
Mouse event string like "mouse:64:10:5" or None if not a mouse event
"""
if not data.startswith("\x1b[<"):
return None
# Find the ending 'm' or 'M'
end_pos = data.rfind("m")
if end_pos == -1:
end_pos = data.rfind("M")
if end_pos == -1:
return None
inner = data[3:end_pos] # Remove \x1b[< and trailing m/M
parts = inner.split(";")
if len(parts) >= 3:
try:
button = int(parts[0])
x = int(parts[1]) - 1 # Convert to 0-indexed
y = int(parts[2]) - 1
return f"mouse:{button}:{x}:{y}"
except ValueError:
pass
return None
def is_raw_mode_enabled(self) -> bool:
"""Check if raw mode is currently enabled."""
return self._raw_mode_enabled

View File

@@ -47,8 +47,9 @@ class REPLState:
current_command: str = ""
history_index: int = -1
output_buffer: list[str] = field(default_factory=list)
scroll_offset: int = 0 # Manual scroll position (0 = bottom of buffer)
max_history: int = 50
max_output_lines: int = 20
max_output_lines: int = 50 # 50 lines excluding empty lines
class ReplEffect(EffectPlugin):
@@ -137,10 +138,23 @@ class ReplEffect(EffectPlugin):
# Line 1: Title + FPS + Frame time
fps_str = f"FPS: {fps:.1f}" if fps > 0 else "FPS: --"
time_str = f"{frame_time:.1f}ms" if frame_time > 0 else "--ms"
# Calculate scroll percentage (like vim)
scroll_pct = 0
if len(self.state.output_buffer) > 1:
max_scroll = len(self.state.output_buffer) - 1
scroll_pct = (
int((self.state.scroll_offset / max_scroll) * 100)
if max_scroll > 0
else 0
)
scroll_str = f"{scroll_pct}%"
line1 = (
f"\033[38;5;46mMAINLINE REPL\033[0m "
f"\033[38;5;245m|\033[0m \033[38;5;39m{fps_str}\033[0m "
f"\033[38;5;245m|\033[0m \033[38;5;208m{time_str}\033[0m"
f"\033[38;5;245m|\033[0m \033[38;5;208m{time_str}\033[0m "
f"\033[38;5;245m|\033[0m \033[38;5;220m{scroll_str}\033[0m"
)
lines.append(line1[:width])
@@ -156,9 +170,14 @@ class ReplEffect(EffectPlugin):
)
lines.append(line2[:width])
# Line 3: Output buffer count
# Line 3: Output buffer count with scroll indicator
out_count = len(self.state.output_buffer)
line3 = f"\033[38;5;44mOUTPUT:\033[0m \033[1;38;5;227m{out_count}\033[0m lines"
scroll_pos = f"({self.state.scroll_offset}/{out_count})"
line3 = (
f"\033[38;5;44mOUTPUT:\033[0m "
f"\033[1;38;5;227m{out_count}\033[0m lines "
f"\033[38;5;245m{scroll_pos}\033[0m"
)
lines.append(line3[:width])
return lines
@@ -170,12 +189,16 @@ class ReplEffect(EffectPlugin):
# Calculate how many output lines to show
# Reserve 1 line for input prompt
output_height = height - 1
output_start = max(0, len(self.state.output_buffer) - output_height)
# Manual scroll: scroll_offset=0 means show bottom of buffer
# scroll_offset increases as you scroll up through history
buffer_len = len(self.state.output_buffer)
output_start = max(0, buffer_len - output_height - self.state.scroll_offset)
# Render output buffer
for i in range(output_height):
idx = output_start + i
if idx < len(self.state.output_buffer):
if idx < buffer_len:
line = self.state.output_buffer[idx][:width]
lines.append(line)
else:
@@ -191,6 +214,25 @@ class ReplEffect(EffectPlugin):
return lines
def scroll_output(self, delta: int) -> None:
"""Scroll the output buffer by delta lines.
Args:
delta: Positive to scroll up (back in time), negative to scroll down
"""
if not self.state.output_buffer:
return
# Calculate max scroll (can't scroll past top of buffer)
max_scroll = max(0, len(self.state.output_buffer) - 1)
# Update scroll offset
self.state.scroll_offset = max(
0, min(max_scroll, self.state.scroll_offset + delta)
)
# Reset scroll when new output arrives (handled in process_command)
def _get_metrics(self, ctx: EffectContext) -> dict:
"""Get pipeline metrics from context."""
metrics = ctx.get_state("metrics")
@@ -230,6 +272,9 @@ class ReplEffect(EffectPlugin):
# Add to output buffer
self.state.output_buffer.append(f"> {cmd}")
# Reset scroll offset when new output arrives (scroll to bottom)
self.state.scroll_offset = 0
# Parse command
parts = cmd.split()
cmd_name = parts[0].lower()
@@ -249,6 +294,16 @@ class ReplEffect(EffectPlugin):
self._cmd_param(cmd_args, ctx)
elif cmd_name == "pipeline":
self._cmd_pipeline(ctx)
elif cmd_name == "available":
self._cmd_available(ctx)
elif cmd_name == "add_stage":
self._cmd_add_stage(cmd_args)
elif cmd_name == "remove_stage":
self._cmd_remove_stage(cmd_args)
elif cmd_name == "swap_stages":
self._cmd_swap_stages(cmd_args)
elif cmd_name == "move_stage":
self._cmd_move_stage(cmd_args)
elif cmd_name == "clear":
self.state.output_buffer.clear()
elif cmd_name == "quit" or cmd_name == "exit":
@@ -265,12 +320,19 @@ class ReplEffect(EffectPlugin):
self.state.output_buffer.append("Available commands:")
self.state.output_buffer.append(" help - Show this help")
self.state.output_buffer.append(" status - Show pipeline status")
self.state.output_buffer.append(" effects - List all effects")
self.state.output_buffer.append(" effects - List effects in current pipeline")
self.state.output_buffer.append(" available - List all available effect types")
self.state.output_buffer.append(" effect <name> <on|off> - Toggle effect")
self.state.output_buffer.append(
" param <effect> <param> <value> - Set parameter"
)
self.state.output_buffer.append(" pipeline - Show current pipeline order")
self.state.output_buffer.append(" add_stage <name> <type> - Add new stage")
self.state.output_buffer.append(" remove_stage <name> - Remove stage")
self.state.output_buffer.append(" swap_stages <name1> <name2> - Swap stages")
self.state.output_buffer.append(
" move_stage <name> [after <stage>] [before <stage>] - Move stage"
)
self.state.output_buffer.append(" clear - Clear output buffer")
self.state.output_buffer.append(" quit - Show exit message")
@@ -304,6 +366,42 @@ class ReplEffect(EffectPlugin):
else:
self.state.output_buffer.append("No context available")
def _cmd_available(self, ctx: EffectContext | None):
"""List all available effect types and stage categories."""
try:
from engine.effects import get_registry
from engine.effects.plugins import discover_plugins
from engine.pipeline.registry import StageRegistry, discover_stages
# Discover plugins and stages if not already done
discover_plugins()
discover_stages()
# List effect types from registry
registry = get_registry()
all_effects = registry.list_all()
if all_effects:
self.state.output_buffer.append("Available effect types:")
for name in sorted(all_effects.keys()):
self.state.output_buffer.append(f" - {name}")
else:
self.state.output_buffer.append("No effects registered")
# List stage categories and their types
categories = StageRegistry.list_categories()
if categories:
self.state.output_buffer.append("")
self.state.output_buffer.append("Stage categories:")
for category in sorted(categories):
stages = StageRegistry.list(category)
if stages:
self.state.output_buffer.append(f" {category}:")
for stage_name in sorted(stages):
self.state.output_buffer.append(f" - {stage_name}")
except Exception as e:
self.state.output_buffer.append(f"Error listing available types: {e}")
def _cmd_effect(self, args: list[str], ctx: EffectContext | None):
"""Toggle effect on/off."""
if len(args) < 2:
@@ -366,6 +464,103 @@ class ReplEffect(EffectPlugin):
else:
self.state.output_buffer.append("No context available")
def _cmd_add_stage(self, args: list[str]):
"""Add a new stage to the pipeline."""
if len(args) < 2:
self.state.output_buffer.append("Usage: add_stage <name> <type>")
return
stage_name = args[0]
stage_type = args[1]
self.state.output_buffer.append(
f"Adding stage '{stage_name}' of type '{stage_type}'"
)
# Store command for external handling
self._pending_command = {
"action": "add_stage",
"stage": stage_name,
"stage_type": stage_type,
}
def _cmd_remove_stage(self, args: list[str]):
"""Remove a stage from the pipeline."""
if len(args) < 1:
self.state.output_buffer.append("Usage: remove_stage <name>")
return
stage_name = args[0]
self.state.output_buffer.append(f"Removing stage '{stage_name}'")
# Store command for external handling
self._pending_command = {
"action": "remove_stage",
"stage": stage_name,
}
def _cmd_swap_stages(self, args: list[str]):
"""Swap two stages in the pipeline."""
if len(args) < 2:
self.state.output_buffer.append("Usage: swap_stages <name1> <name2>")
return
stage1 = args[0]
stage2 = args[1]
self.state.output_buffer.append(f"Swapping stages '{stage1}' and '{stage2}'")
# Store command for external handling
self._pending_command = {
"action": "swap_stages",
"stage1": stage1,
"stage2": stage2,
}
def _cmd_move_stage(self, args: list[str]):
"""Move a stage in the pipeline."""
if len(args) < 1:
self.state.output_buffer.append(
"Usage: move_stage <name> [after <stage>] [before <stage>]"
)
return
stage_name = args[0]
after = None
before = None
# Parse optional after/before arguments
i = 1
while i < len(args):
if args[i] == "after" and i + 1 < len(args):
after = args[i + 1]
i += 2
elif args[i] == "before" and i + 1 < len(args):
before = args[i + 1]
i += 2
else:
i += 1
if after:
self.state.output_buffer.append(
f"Moving stage '{stage_name}' after '{after}'"
)
elif before:
self.state.output_buffer.append(
f"Moving stage '{stage_name}' before '{before}'"
)
else:
self.state.output_buffer.append(
"Usage: move_stage <name> [after <stage>] [before <stage>]"
)
return
# Store command for external handling
self._pending_command = {
"action": "move_stage",
"stage": stage_name,
"after": after,
"before": before,
}
def get_pending_command(self) -> dict | None:
"""Get and clear pending command for external handling."""
cmd = getattr(self, "_pending_command", None)

View File

@@ -160,18 +160,18 @@ class TestReplProcess:
def test_process_with_commands(self):
"""Process shows command output in REPL."""
buf = ["line1"]
from engine.effects.types import EffectContext
ctx = EffectContext(
terminal_width=80, terminal_height=24, scroll_cam=0, ticker_height=0
)
# Test the output buffer directly instead of rendered output
# This is more robust as it's not affected by display size limits
self.repl.process_command("help")
result = self.repl.process(buf, ctx)
# Check that command output appears in the REPL area
# (help output may be partially shown due to buffer size limits)
assert any("effects - List all effects" in line for line in result)
# Check that the command was recorded in output buffer
assert "> help" in self.repl.state.output_buffer
# Check that help text appears in the output buffer
# (testing buffer directly is more reliable than testing rendered output)
assert any(
"Available commands:" in line for line in self.repl.state.output_buffer
)
class TestReplConfig:
@@ -199,3 +199,60 @@ class TestReplConfig:
assert repl.config.enabled is False
assert repl.config.intensity == 0.5
assert repl.config.params["display_height"] == 10
class TestReplScrolling:
"""Tests for REPL scrolling functionality."""
@pytest.fixture(autouse=True)
def setup(self):
"""Setup before each test."""
self.repl = ReplEffect()
def test_scroll_offset_initial(self):
"""Scroll offset starts at 0."""
assert self.repl.state.scroll_offset == 0
def test_scroll_output_positive(self):
"""Scrolling with positive delta moves back through buffer."""
# Add some output
self.repl.state.output_buffer = [f"line{i}" for i in range(20)]
# Scroll up 5 lines
self.repl.scroll_output(5)
assert self.repl.state.scroll_offset == 5
def test_scroll_output_negative(self):
"""Scrolling with negative delta moves forward through buffer."""
# Add some output and scroll up first
self.repl.state.output_buffer = [f"line{i}" for i in range(20)]
self.repl.state.scroll_offset = 10
# Scroll down 3 lines
self.repl.scroll_output(-3)
assert self.repl.state.scroll_offset == 7
def test_scroll_output_bounds(self):
"""Scroll offset stays within valid bounds."""
# Add some output
self.repl.state.output_buffer = [f"line{i}" for i in range(10)]
# Try to scroll past top
self.repl.scroll_output(100)
assert self.repl.state.scroll_offset == 9 # max: len(output) - 1
# Try to scroll past bottom
self.repl.state.scroll_offset = 5
self.repl.scroll_output(-100)
assert self.repl.state.scroll_offset == 0
def test_scroll_resets_on_new_output(self):
"""Scroll offset resets when new command output arrives."""
self.repl.state.output_buffer = [f"line{i}" for i in range(20)]
self.repl.state.scroll_offset = 10
# Process a new command
self.repl.process_command("test command")
# Scroll offset should be reset to 0
assert self.repl.state.scroll_offset == 0