Generic UI compiler and runtime in rust.
```rust
fn counter() { let count = compose!(remember(|| { let count = State::new(0);
let timer_count = count.clone();
concoct::spawn(async move {
loop {
sleep(Duration::from_secs(1)).await;
timer_count.update(|count| *count += 1);
}
});
count
}));
dbg!(*count.get());
}
fn app() { dbg!("Ran once!");
compose!(counter());
compose!(counter());
} ```
Composables are defined as: ```rust pub trait Composable { type Output;
fn compose(self, compose: &mut impl Compose, changed: u32) -> Self::Output;
}
``
They can be created with the #[composable] attribute macro. Composable functions are only run in their parameters have changed.
Changelists for these parameters are passed down from parent to child in the form of a bitfield
changed` to avoid extra diffing.
If a value is already known to have changed, the child composable will skip storing that parameter and run its function.
However, if no parameters have changed, the composable will skip running its block.
To store parameters, the runtime uses an optimized gap buffer with groups. This enables composables that use parameters from their parents to skip storing data twice.
For example consider the following composable function: ```rust
fn button(label: String, count: i32) ```
This will typically store its label
and count
parameters right next to each other in the gap buffer as:
... | label: String | count: i32 | ...
However, if it's parent component already stored the label, this function will skip it: ```rust
fn buttonrow(label: String) {
compose!(button(label, 2));
compose!(button(label, 3));
}
buttonrow: button #1: button #2:
... | label: String | count: i32 | count: i32 | ...
```
The compiler comes in the form of the #[composable]
attribute macro.
For example:
```rust
fn f() -> i32 // Will become: fn f() -> impl Composable
A more advanced example of the compiler is the built-in remember
composable function.
This function will store a parameter inside a composable and ensure it never changes.
```rust
pub fn remember
// Will become:
pub fn remember