# Envision
[](https://github.com/ryanoneill/envision/actions/workflows/ci.yml)
[](https://codecov.io/gh/ryanoneill/envision)
[](https://docs.rs/envision)
[](https://crates.io/crates/envision)
[](LICENSE)
A [ratatui](https://github.com/ratatui/ratatui) framework for collaborative TUI development with headless testing support.
## Features
- **Component Library** - 73 ready-to-use UI components following TEA pattern
- **Headless Testing** - Render your TUI without a terminal using `CaptureBackend`
- **TEA Architecture** - The Elm Architecture pattern with `App`, `Runtime`, and `Command`
- **Async Runtime** - Full async support with subscriptions, timers, and async commands
- **Widget Annotations** - Attach semantic metadata to widgets for testing and accessibility
- **Test Harness** - Fluent assertions and snapshot testing for TUI applications
- **Input Simulation** - Programmatically simulate keyboard and mouse events
- **Multiple Output Formats** - Plain text, ANSI-colored, and JSON output
## Quick Start
Add envision to your project:
```bash
cargo add envision
```
### Basic Capture Backend
```rust
use envision::backend::CaptureBackend;
use ratatui::Terminal;
use ratatui::widgets::Paragraph;
fn main() -> Result<(), Box<dyn std::error::Error>> {
// Create a headless terminal
let backend = CaptureBackend::new(80, 24);
let mut terminal = Terminal::new(backend)?;
// Render something
terminal.draw(|frame| {
frame.render_widget(Paragraph::new("Hello, Envision!"), frame.area());
})?;
// Capture the output
println!("{}", terminal.backend());
Ok(())
}
```
### TEA Architecture
```rust
use envision::prelude::*;
struct MyApp;
#[derive(Default, Clone)]
struct State {
count: i32,
}
#[derive(Clone)]
enum Msg {
Increment,
Decrement,
}
impl App for MyApp {
type State = State;
type Message = Msg;
fn init() -> (State, Command<Msg>) {
(State::default(), Command::none())
}
fn update(state: &mut State, msg: Msg) -> Command<Msg> {
match msg {
Msg::Increment => state.count += 1,
Msg::Decrement => state.count -= 1,
}
Command::none()
}
fn view(state: &State, frame: &mut Frame) {
let text = format!("Count: {}", state.count);
frame.render_widget(Paragraph::new(text), frame.area());
}
}
```
### Testing with Runtime
```rust
use envision::prelude::*;
use ratatui::widgets::Paragraph;
// Given the MyApp defined above:
#[test]
fn test_my_app() {
let mut runtime = Runtime::<MyApp>::virtual_terminal(80, 24).unwrap();
runtime.dispatch(Msg::Increment);
runtime.dispatch(Msg::Increment);
runtime.render().unwrap();
assert!(runtime.contains_text("Count: 2"));
}
```
### Test Harness for Custom Rendering
```rust
use envision::harness::TestHarness;
use ratatui::widgets::Paragraph;
let mut harness = TestHarness::new(80, 24);
});
harness.assert_contains("Hello!");
```
## Examples
Run the examples to see envision in action:
```bash
# Basic capture backend usage
cargo run --example capture_backend
# TEA architecture with sync runtime
cargo run --example counter_app
# Async runtime with subscriptions
cargo run --example async_counter
# Test harness and assertions
cargo run --example test_harness
# Widget annotations
cargo run --example annotations
# Theme switching with components
cargo run --example themed_app
# Multi-component showcase with focus management
cargo run --example component_showcase
```
## Components
Envision provides a comprehensive library of 73 reusable UI components, all following the TEA (The Elm Architecture) pattern with `Component`, `ViewContext`, and `Toggleable` traits.
### Input Components
| `Button` | Clickable button with keyboard activation |
| `Checkbox` | Toggleable checkbox with label |
| `Dropdown` | Searchable/filterable select with type-to-filter |
| `InputField` | Single-line text input with cursor navigation |
| `LineInput` | Single-line input with visual wrapping, history, undo/redo |
| `RadioGroup` | Single-selection radio button group |
| `Select` | Dropdown selection widget |
| `TextArea` | Multi-line text editor with scrolling |
### Display Components
| `KeyHints` | Keyboard shortcut display bar |
| `MultiProgress` | Concurrent progress indicators for batch operations |
| `ProgressBar` | Visual progress indicator with percentage |
| `ScrollableText` | Scrollable read-only text display with CJK support |
| `Spinner` | Animated loading indicator (multiple styles) |
| `StatusBar` | Application status bar with sections, timers, counters |
| `StatusLog` | Scrolling status messages with severity levels |
| `StepIndicator` | Multi-step workflow progress display |
| `StyledText` | Rich text display with inline styling |
| `TitleCard` | Centered title display with subtitle and prefix/suffix |
| `Toast` | Non-modal notification system with auto-dismiss |
| `Tooltip` | Contextual information overlay |
### Navigation Components
| `Accordion` | Collapsible panel container |
| `Breadcrumb` | Navigation breadcrumb trail |
| `Menu` | Keyboard-navigable menu with shortcuts |
| `Router` | Multi-screen navigation with history |
| `Tabs` | Horizontal tab navigation |
| `Tree` | Hierarchical tree view with expand/collapse |
### Data Components
| `Table` | Data table with sorting and selection |
| `SelectableList` | Scrollable list with keyboard navigation |
| `LoadingList` | List with per-item loading and error states |
### Overlay Components
| `ConfirmDialog` | Preset confirmation dialog with Yes/No buttons |
| `Dialog` | Modal dialog overlay with buttons |
### Compound Components
| `ChatView` | Chat interface with message history and markdown rendering |
| `Chart` | Data visualization with line and bar charts |
| `DataGrid` | Editable data table with cell navigation |
| `FileBrowser` | File system browser with pluggable backend |
| `Form` | Multi-field form with validation |
| `LogViewer` | Filterable log display with search |
| `MetricsDashboard` | Dashboard with charts, counters, and gauges |
| `PaneLayout` | Resizable split-pane layouts with configurable proportions |
| `SearchableList` | Filterable list with search input |
| `SplitPanel` | Resizable dual-panel layout |
### Utility
| `FocusManager` | Keyboard focus coordination |
### Component Example
```rust
use envision::component::{Button, ButtonMessage, ButtonState, Component, Focusable};
// Initialize state
let mut state = ButtonState::new("Submit");
// Handle messages
Button::update(&mut state, ButtonMessage::Press);
// Focus management
Button::set_focused(&mut state, true);
assert!(Button::is_focused(&state));
```
## Architecture
Envision follows The Elm Architecture (TEA) pattern:
```
┌─────────────────────────────────────────────────────────┐
│ Application │
│ │
│ ┌─────────┐ ┌────────┐ ┌──────────────────┐ │
│ │ State │────▶│ View │────▶│ Terminal/Frame │ │
│ └─────────┘ └────────┘ └──────────────────┘ │
│ ▲ │
│ │ │
│ ┌─────────┐ ┌────────────────────┐ │
│ │ Update │◀────│ Message/Events │ │
│ └─────────┘ └────────────────────┘ │
│ │ ▲ │
│ ▼ │ │
│ ┌─────────┐ ┌────────────────────┐ │
│ │ Command │────▶│ Effect Handler │ │
│ └─────────┘ └────────────────────┘ │
└─────────────────────────────────────────────────────────┘
```
## Modules
| `component` | 73 reusable UI components with `Component`, `ViewContext`, `Toggleable` traits |
| `backend` | `CaptureBackend` for headless rendering |
| `app` | TEA architecture: `App`, `Runtime`, `Command`, subscriptions |
| `harness` | `TestHarness` and `AppHarness` for testing |
| `annotation` | Widget annotations with `Annotate` and `AnnotationRegistry` |
| `input` | Input simulation with `EventQueue` |
| `overlay` | Modal overlay system with `Overlay` trait and `OverlayStack` |
| `theme` | Theming with `Theme` for consistent styling across components |
| `adapter` | `DualBackend` for simultaneous real + capture rendering |
## Minimum Supported Rust Version
The minimum supported Rust version is **1.85** (edition 2024).
## License
This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details.