oxide-mvu 0.4.1

A standalone MVU runtime for Rust with no_std support for embedded systems
Documentation
oxide-mvu-0.4.1 has been yanked.

oxide-mvu

CI Crates.io Documentation License Downloads

A lightweight Model-View-Update (MVU) runtime for Rust with no_std support.


Note: This framework is under active development. APIs should not be considered stable.

What is MVU?

The Model-View-Update pattern (also known as the Elm Architecture) structures applications as a pure functional loop:

  • Model: Immutable state representing your entire application
  • Update: Pure function transforming (Event, Model) → (Model, Effect)
  • View: Pure function deriving renderable Props from the Model

This architecture eliminates implicit state mutation, making your application predictable, debuggable, and testable.

Why oxide-mvu?

  • Pure functional state management - All state transitions are explicit and testable
  • Unidirectional data flow - Easy to reason about and debug
  • Lock-free concurrency - Events from any thread without mutex overhead
  • Async runtime agnostic - Works with tokio, async-std, smol, or custom executors
  • Built-in testing utilities - Comprehensive test helpers included
  • no_std support - Suitable for embedded systems (requires alloc)

Quick Start

Installation

[dependencies]
oxide-mvu = "0.4.1"

Documentation

For comprehensive guides, architecture details, and advanced usage, see the API Documentation.

use oxide_mvu::{Emitter, Effect, MvuLogic, MvuRuntime, Renderer};

// 1. Model the system, its behavior, and the renderable
//    projection (Props) including any controls.
#[derive(Clone)]
enum Event {
    Increment,
}

#[derive(Clone)]
struct Model {
    count: i32,
}

struct Props {
    count: i32,
    on_click: Box<dyn Fn()>,
}

// 2. Implement application logic
struct Logic;

impl MvuLogic<Event, Model, Props> for Logic {
    fn init(&self, model: Model) -> (Model, Effect<Event>) {
        (model, Effect::none())
    }

    fn update(&self, event: Event, model: &Model) -> (Model, Effect<Event>) {
        match event {
            Event::Increment => (Model { count: model.count + 1 }, Effect::none()),
        }
    }

    fn view(&self, model: &Model, emitter: &Emitter<Event>) -> Props {
        let emitter = emitter.clone();
        Props {
            count: model.count,
            on_click: Box::new(move || emitter.clone().try_emit(Event::Increment)),
        }
    }
}

// 3. Implement a renderer to display Props.
struct MyRenderer;

impl Renderer<Props> for MyRenderer {
    fn render(&mut self, props: Props) {
        println!("Count: {}", props.count);
    }
}

// 4. Run the application
async fn main() {
    let runtime = MvuRuntime::builder(
        Model { count: 0 },
        Logic {},
        MyRenderer {},
        |fut| { tokio::spawn(fut); },
    ).build();

    runtime.run().await;
}

Platform Support

Standard Environments

By default, oxide-mvu works with the standard library:

[dependencies]
oxide-mvu = "0.4.1"

no_std Environments

For embedded systems without the standard library:

[dependencies]
oxide-mvu = { version = "0.4.1", features = ["no_std"] }

The runtime uses lock-free concurrency and bounded channels, making it suitable for resource-constrained systems (including single-core). Requires an allocator (alloc crate).

Testing

oxide-mvu provides specialized testing utilities for integration testing your MVU applications.

Enabling Testing Utilities

To access the testing helpers in your project, enable the testing feature:

[dev-dependencies]
oxide-mvu = { version = "0.4.1", features = ["testing"] }

This gives you access to:

  • TestMvuRuntime - Runtime with manual event processing control
  • TestMvuDriver - Driver for manually processing events in tests
  • TestRenderer - Renderer that captures Props for assertions

Unit Testing

State transitions are pure functions, making them easy to unit test:

#[test]
fn test_increment() {
    let logic = Logic;
    let model = Model { count: 0 };
    let (new_model, _effect) = logic.update(Event::Increment, &model);
    assert_eq!(new_model.count, 1);
}

Integration Testing

Use TestMvuRuntime::builder to construct and manually drive the runtime deterministically. To verify Props, keep a reference to the TestRenderer.

use oxide_mvu::{TestMvuRuntime, TestRenderer, create_test_spawner};

#[test]
fn test_full_mvu_loop() {
    // Create a TestRenderer to capture renders
    let renderer = TestRenderer::new();

    // Create runtime with test helpers
    let runtime = TestMvuRuntime::builder(
        Model { count: 0 },
        Logic {},
        renderer.clone(),
        create_test_spawner(),
    ).build();

    // Run and get driver for manual event control
    let mut driver = runtime.run();

    // Verify initial render
    assert_eq!(renderer.count(), 1);
    renderer.with_renders(|renders| {
        assert_eq!(renders[0].count, 0);
    });

    // Trigger event via Props callback
    renderer.with_renders(|renders| {
        (renders[0].on_click)();
    });

    // Manually process events
    driver.process_events();

    // Verify a second render occurred
    assert_eq!(renderer.count(), 2);
    renderer.with_renders(|renders| {
        assert_eq!(renders[1].count, 1);
    });
}

See the tests/integration directory for more examples.

Learn More

License

Licensed under the Apache License, Version 2.0 (LICENSE or http://www.apache.org/licenses/LICENSE-2.0)