This commit implements the Sideline/Mainline split with a clean plugin architecture: ## Core Changes ### Sideline Framework (New Directory) - Created directory containing the reusable pipeline framework - Moved pipeline core, controllers, adapters, and registry to - Moved display system to - Moved effects system to - Created plugin system with security and compatibility management in - Created preset pack system with ASCII art encoding in - Added default font (Corptic) to - Added terminal ANSI constants to ### Mainline Application (Updated) - Created for Mainline stage component registration - Updated to register Mainline stages at startup - Updated as a compatibility shim re-exporting from sideline ### Terminology Consistency - : Base class for all pipeline components (sources, effects, displays, cameras) - : Base class for distributable plugin packages (was ) - : Base class for visual effects (was ) - Backward compatibility aliases maintained for existing code ## Key Features - Plugin discovery via entry points and explicit registration - Security permissions system for plugins - Compatibility management with semantic version constraints - Preset pack system for distributable configurations - Default font bundled with Sideline (Corptic.otf) ## Testing - Updated tests to register Mainline stages before discovery - All StageRegistry tests passing Note: This is a major refactoring that separates the framework (Sideline) from the application (Mainline), enabling Sideline to be used by other applications.
51 lines
1.4 KiB
Python
51 lines
1.4 KiB
Python
"""
|
|
Multi display backend - forwards to multiple displays.
|
|
"""
|
|
|
|
|
|
class MultiDisplay:
|
|
"""Display that forwards to multiple displays.
|
|
|
|
Supports reuse - passes reuse flag to all child displays.
|
|
"""
|
|
|
|
width: int = 80
|
|
height: int = 24
|
|
|
|
def __init__(self, displays: list):
|
|
self.displays = displays
|
|
self.width = 80
|
|
self.height = 24
|
|
|
|
def init(self, width: int, height: int, reuse: bool = False) -> None:
|
|
"""Initialize all child displays with dimensions.
|
|
|
|
Args:
|
|
width: Terminal width in characters
|
|
height: Terminal height in rows
|
|
reuse: If True, use reuse mode for child displays
|
|
"""
|
|
self.width = width
|
|
self.height = height
|
|
for d in self.displays:
|
|
d.init(width, height, reuse=reuse)
|
|
|
|
def show(self, buffer: list[str], border: bool = False) -> None:
|
|
for d in self.displays:
|
|
d.show(buffer, border=border)
|
|
|
|
def clear(self) -> None:
|
|
for d in self.displays:
|
|
d.clear()
|
|
|
|
def get_dimensions(self) -> tuple[int, int]:
|
|
"""Get dimensions from the first child display that supports it."""
|
|
for d in self.displays:
|
|
if hasattr(d, "get_dimensions"):
|
|
return d.get_dimensions()
|
|
return (self.width, self.height)
|
|
|
|
def cleanup(self) -> None:
|
|
for d in self.displays:
|
|
d.cleanup()
|