dioxus/examples/borrowed.rs

87 lines
2.3 KiB
Rust
Raw Normal View History

2021-08-06 02:23:41 +00:00
#![allow(non_snake_case)]
//! Example: Extremely nested borrowing
//! -----------------------------------
//!
//! Dioxus manages borrow lifetimes for you. This means any child may borrow from its parent. However, it is not possible
//! to hand out an &mut T to children - all props are consumed by &P, so you'd only get an &&mut T.
//!
//! How does it work?
//!
//! Dioxus will manually drop closures and props - things that borrow data before the component is ran again. This is done
//! "bottom up" from the lowest child all the way to the initiating parent. As it traverses each listener and prop, the
//! drop implementation is manually called, freeing any memory and ensuring that memory is not leaked.
//!
//! We cannot drop from the parent to the children - if the drop implementation modifies the data, downstream references
//! might be broken since we take an &mut T and and &T to the data. Instead, we work bottom up, making sure to remove any
//! potential references to the data before finally giving out an &mut T. This prevents us from mutably aliasing the data,
//! and is proven to be safe with MIRI.
use dioxus::prelude::*;
fn main() {
dioxus::desktop::launch(App, |c| c);
}
2021-09-21 17:42:52 +00:00
fn App<'a>(cx: Context<'a>, props: &()) -> DomTree<'a> {
2021-08-06 02:23:41 +00:00
let text: &'a mut Vec<String> = cx.use_hook(|_| vec![String::from("abc=def")], |f| f, |_| {});
let first = text.get_mut(0).unwrap();
cx.render(rsx! {
div {
Child1 {
text: first
}
}
})
}
#[derive(Props)]
struct C1Props<'a> {
text: &'a mut String,
}
impl<'a> Drop for C1Props<'a> {
fn drop(&mut self) {}
}
2021-09-21 17:42:52 +00:00
fn Child1<'a>(cx: Context<'a>, props: &'a C1Props) -> DomTree<'a> {
let (left, right) = props.text.split_once("=").unwrap();
2021-08-06 02:23:41 +00:00
cx.render(rsx! {
div {
Child2 { text: left }
Child2 { text: right }
}
})
}
#[derive(Props)]
struct C2Props<'a> {
text: &'a str,
}
impl<'a> Drop for C2Props<'a> {
fn drop(&mut self) {
todo!()
}
}
2021-09-21 17:42:52 +00:00
fn Child2<'a>(cx: Context<'a>, props: &'a C2Props) -> DomTree<'a> {
2021-08-06 02:23:41 +00:00
cx.render(rsx! {
Child3 {
2021-09-21 17:42:52 +00:00
text: props.text
2021-08-06 02:23:41 +00:00
}
})
}
#[derive(Props)]
struct C3Props<'a> {
text: &'a str,
}
2021-09-21 17:42:52 +00:00
fn Child3<'a>(cx: Context<'a>, props: &C3Props) -> DomTree<'a> {
2021-08-06 02:23:41 +00:00
cx.render(rsx! {
2021-09-21 17:42:52 +00:00
div { "{props.text}"}
2021-08-06 02:23:41 +00:00
})
}