feat: mvoe away from compound context

This commit is contained in:
Jonathan Kelley 2021-09-21 13:42:52 -04:00
parent bfdcb20437
commit a2c7d17b05
103 changed files with 309 additions and 293 deletions

View File

@ -78,15 +78,16 @@ Now, let's edit our `main.rs` file:
```rust ```rust
use diouxs::prelude::*; use diouxs::prelude::*;
fn main() { fn main() {
dioxus::web::start(App) dioxus::web::start(App, |c| c).unwrap();
} }
fn App(cx: Context<()>) -> DomTree { static App: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { "Hello, world!" } div { "Hello, world!" }
}) })
} };
``` ```
Let's dissect our example a bit. Let's dissect our example a bit.
@ -97,24 +98,36 @@ This bit of code imports everything from the the `prelude` module. This brings i
use diouxs::prelude::*; use diouxs::prelude::*;
``` ```
This bit of code starts the WASM renderer as a future (JS Promise) and then awaits it. This is very similar to the `ReactDOM.render()` method you use for a React app. We pass in the `App` function as a our app. This bit of code starts the WASM renderer as a future (JS Promise) and then awaits it. This is very similar to the `ReactDOM.render()` method you use for a React app. We pass in the `App` function as a our app. The `|c| c` closure provides a way to configure the WebSys app, enabling things like hydration, pre-rendering, and other tweaks. The simplest configuration is just the defaults.
Calling "start" will launch Dioxus on the web's main thread, running `wasm_bindgen_futures::block_on`. It's possible to "launch" the WebSys renderer as an async function - check the documentation for more details.
```rust ```rust
fn main() { fn main() {
dioxus::web::start(App) dioxus::web::start(App, |c| c).unwrap();
} }
``` ```
Finally, our app. Every component in Dioxus is a function that takes in a `Context` object and returns a `VNode`. Finally, our app. Every component in Dioxus is a function that takes in `Context` and `Props` and returns an `Option<VNode>`.
```rust ```rust
fn App(cx: Context<()>) -> DomTree { static App: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { "Hello, world!" } div { "Hello, world!" }
}) })
}; };
``` ```
The closure `FC<()>` syntax is identical to the function syntax, but with lifetimes managed for you. In cases where props need to borrow from their parent, you will need to specify lifetimes using the function syntax:
```rust
fn App<'a>(cx: Context<'a>, props: &()) -> DomTree<'a> {
cx.render(rsx! {
div { "Hello, world!" }
})
}
```
In React, you'll save data between renders with hooks. However, hooks rely on global variables which make them difficult to integrate in multi-tenant systems like server-rendering. In Dioxus, you are given an explicit `Context` object to control how the component renders and stores data. In React, you'll save data between renders with hooks. However, hooks rely on global variables which make them difficult to integrate in multi-tenant systems like server-rendering. In Dioxus, you are given an explicit `Context` object to control how the component renders and stores data.
Next, we're greeted with the `rsx!` macro. This lets us add a custom DSL for declaratively building the structure of our app. The semantics of this macro are similar to that of JSX and HTML, though with a familiar Rust-y interface. The `html!` macro is also available for writing components with a JSX/HTML syntax. Next, we're greeted with the `rsx!` macro. This lets us add a custom DSL for declaratively building the structure of our app. The semantics of this macro are similar to that of JSX and HTML, though with a familiar Rust-y interface. The `html!` macro is also available for writing components with a JSX/HTML syntax.
@ -135,7 +148,7 @@ If we wanted to golf a bit, we can shrink our hello-world even smaller:
```rust ```rust
fn main() { fn main() {
dioxus::web::start(|cx| cx.render(diouxs::rsx!( div { "Hello, World!" } )) dioxus::web::start(|cx, _| cx.render(diouxs::rsx!( div { "Hello, World!" } ))
} }
``` ```

View File

@ -12,15 +12,14 @@ You'll want to write RSX where you can, and in a future release we'll have a too
```rust ```rust
#[derive(PartialEq, Props)] #[derive(PartialEq, Props)]
struct ExampleProps { name: &str, pending: bool, count: i32 } struct ExampleProps { name: &'static str, pending: bool, count: i32 }
fn Example(cx: Context<ExampleProps> ) -> DomTree { static Example: FC<ExampleProps> = |cx, props| {
let ExampleProps { name, pending, count } = cx.props;
cx.render(html! { cx.render(html! {
<div> <div>
<p> "Hello, {name}!" </p> <p> "Hello, {props.name}!" </p>
<p> "Status: {pending}!" </p> <p> "Status: {props.pending}!" </p>
<p> "Count {count}!" </p> <p> "Count {props.count}!" </p>
</div> </div>
}) })
} }
@ -35,13 +34,12 @@ The Dioxus VSCode extension will eventually provide a macro to convert a selecti
It's also a bit easier on the eyes 🙂 than HTML. It's also a bit easier on the eyes 🙂 than HTML.
```rust ```rust
fn Example(cx: Context<ExampleProps>) -> DomTree { static Example: FC<ExampleProps> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
// cx derefs to props so you can access fields directly p {"Hello, {props.name}!"}
p {"Hello, {cx.name}!"} p {"Status: {props.pending}!"}
p {"Status: {cx.pending}!"} p {"Count {props.count}!"}
p {"Count {cx.count}!"}
} }
}) })
} }
@ -60,7 +58,7 @@ Commas are entirely optional, but might be useful to delineate between elements
The `render` function provides an **extremely efficient** allocator for VNodes and text, so try not to use the `format!` macro in your components. Rust's default `ToString` methods pass through the global allocator, but all text in components is allocated inside a manually-managed Bump arena. To push you in the right direction, all text-based attributes take `std::fmt::Arguments` directly, so you'll want to reach for `format_args!` when the built-in `f-string` interpolation just doesn't cut it. The `render` function provides an **extremely efficient** allocator for VNodes and text, so try not to use the `format!` macro in your components. Rust's default `ToString` methods pass through the global allocator, but all text in components is allocated inside a manually-managed Bump arena. To push you in the right direction, all text-based attributes take `std::fmt::Arguments` directly, so you'll want to reach for `format_args!` when the built-in `f-string` interpolation just doesn't cut it.
```rust ```rust
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props|{
let text = "example"; let text = "example";

View File

@ -1,5 +1,5 @@
```rust ```rust
fn Example(cx: &mut Context<()>) -> DomTree { fn Example<'a>(cx: Context<'a>, props: &()) -> DomTree<'a> {
let service = use_combubulator(cx); let service = use_combubulator(cx);
let Status { name, pending, count } = service.info(); let Status { name, pending, count } = service.info();
html! { html! {
@ -7,7 +7,7 @@ fn Example(cx: &mut Context<()>) -> DomTree {
<p> "Hello, {name}!" </p> <p> "Hello, {name}!" </p>
<p> "Status: {pending}!" </p> <p> "Status: {pending}!" </p>
<p> "Count {count}!" </p> <p> "Count {count}!" </p>
<button onclick=|_| service.update()> <button onclick={|_| service.update()}>
"Refresh services" "Refresh services"
</button> </button>
</div> </div>

View File

@ -50,8 +50,8 @@ async fn ExampleLoader(cx: Context<()>) -> Vnode {
This API stores the result on the Context object, so the loaded data is taken as reference. This API stores the result on the Context object, so the loaded data is taken as reference.
*/ */
let name: &Result<SomeStructure> = use_fetch_data("http://example.com/json", ()) let name: &Result<SomeStructure> = use_fetch_data("http://example.com/json", ())
.place_holder(|cx| rsx!{<div> "loading..." </div>}) .place_holder(|cx, props|rsx!{<div> "loading..." </div>})
.delayed_place_holder(1000, |cx| rsx!{ <div> "still loading..." </div>}) .delayed_place_holder(1000, |cx, props|rsx!{ <div> "still loading..." </div>})
.await; .await;
match name { match name {

View File

@ -21,9 +21,9 @@ fn test() -> DomTree {
} }
} }
static TestComponent: FC<()> = |cx| html!{<div>"Hello world"</div>}; static TestComponent: FC<()> = |cx, props|html!{<div>"Hello world"</div>};
static TestComponent: FC<()> = |cx| { static TestComponent: FC<()> = |cx, props|{
let g = "BLAH"; let g = "BLAH";
html! { html! {
<div> "Hello world" </div> <div> "Hello world" </div>
@ -31,7 +31,7 @@ static TestComponent: FC<()> = |cx| {
}; };
#[functional_component] #[functional_component]
static TestComponent: FC<{ name: String }> = |cx| html! { <div> "Hello {name}" </div> }; static TestComponent: FC<{ name: String }> = |cx, props|html! { <div> "Hello {name}" </div> };
``` ```
## Why this behavior? ## Why this behavior?

View File

@ -96,7 +96,7 @@ Sometimes you want a signal to propagate across your app, either through far-awa
```rust ```rust
const TITLE: Atom<String> = || "".to_string(); const TITLE: Atom<String> = || "".to_string();
const Provider: FC<()> = |cx| { const Provider: FC<()> = |cx, props|{
let title = use_signal(&cx, &TITLE); let title = use_signal(&cx, &TITLE);
rsx!(cx, input { value: title }) rsx!(cx, input { value: title })
}; };
@ -105,7 +105,7 @@ const Provider: FC<()> = |cx| {
If we use the `TITLE` atom in another component, we can cause updates to flow between components without calling render or diffing either component trees: If we use the `TITLE` atom in another component, we can cause updates to flow between components without calling render or diffing either component trees:
```rust ```rust
const Receiver: FC<()> = |cx| { const Receiver: FC<()> = |cx, props|{
let title = use_signal(&cx, &TITLE); let title = use_signal(&cx, &TITLE);
log::info!("This will only be called once!"); log::info!("This will only be called once!");
rsx!(cx, rsx!(cx,
@ -132,7 +132,7 @@ Dioxus automatically understands how to use your signals when mixed with iterato
```rust ```rust
const DICT: AtomFamily<String, String> = |_| {}; const DICT: AtomFamily<String, String> = |_| {};
const List: FC<()> = |cx| { const List: FC<()> = |cx, props|{
let dict = use_signal(&cx, &DICT); let dict = use_signal(&cx, &DICT);
cx.render(rsx!( cx.render(rsx!(
ul { ul {

View File

@ -15,7 +15,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App));
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let (state, set_state) = use_state_classic(cx, || 0); let (state, set_state) = use_state_classic(cx, || 0);
cx.render(rsx! { cx.render(rsx! {
div { div {

View File

@ -27,7 +27,7 @@ enum Operator {
Div, Div,
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let (cur_val, set_cur_val) = use_state_classic(cx, || 0.0_f64); let (cur_val, set_cur_val) = use_state_classic(cx, || 0.0_f64);
let (operator, set_operator) = use_state_classic(cx, || None as Option<Operator>); let (operator, set_operator) = use_state_classic(cx, || None as Option<Operator>);
let (display_value, set_display_value) = use_state_classic(cx, || "0".to_string()); let (display_value, set_display_value) = use_state_classic(cx, || "0".to_string());

View File

@ -13,7 +13,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App));
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
Calcier { Calcier {
h2 {"abc 1"} h2 {"abc 1"}
@ -25,7 +25,7 @@ static App: FC<()> = |cx| {
}) })
}; };
static Calcier: FC<()> = |cx| { static Calcier: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { h1 {

View File

@ -25,7 +25,7 @@ fn main() {
#[derive(Debug)] #[derive(Debug)]
struct CustomContext([&'static str; 3]); struct CustomContext([&'static str; 3]);
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props|{
cx.use_create_context(|| CustomContext(["Jack", "Jill", "Bob"])); cx.use_create_context(|| CustomContext(["Jack", "Jill", "Bob"]));
cx.render(rsx! { cx.render(rsx! {

View File

@ -13,7 +13,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App));
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
h2 { "abc 1" } h2 { "abc 1" }
div { div {

View File

@ -13,7 +13,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(Example)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(Example));
} }
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let nodes = (0..500).map(|f| rsx! (li {"div"})); let nodes = (0..500).map(|f| rsx! (li {"div"}));
cx.render(rsx! { cx.render(rsx! {
div { div {

View File

@ -14,7 +14,7 @@ fn main() {
} }
// this is a component // this is a component
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props|{
let (event, set_event) = use_state_classic(cx, || None); let (event, set_event) = use_state_classic(cx, || None);
let handler = move |evt| { let handler = move |evt| {
@ -50,7 +50,7 @@ struct ExampleProps {
name: String, name: String,
} }
pub static Example2: FC<ExampleProps> = |cx| { pub static Example2: FC<ExampleProps> = |cx, props|{
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 {"hello {cx.name}"} h1 {"hello {cx.name}"}

View File

@ -12,7 +12,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App));
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props|{
let (val, set_val) = use_state_classic(cx, || "asd".to_string()); let (val, set_val) = use_state_classic(cx, || "asd".to_string());
cx.render(rsx! { cx.render(rsx! {
@ -37,7 +37,7 @@ static App: FC<()> = |cx| {
}) })
}; };
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props|{
cx.render(rsx! { cx.render(rsx! {
div { class: "max-w-lg max-w-xs bg-blue-800 shadow-2xl rounded-lg mx-auto text-center py-12 mt-4 rounded-xl" div { class: "max-w-lg max-w-xs bg-blue-800 shadow-2xl rounded-lg mx-auto text-center py-12 mt-4 rounded-xl"
div { class: "container py-5 max-w-md mx-auto" div { class: "container py-5 max-w-md mx-auto"
@ -50,7 +50,7 @@ pub static Example: FC<()> = |cx| {
}) })
}; };
static UserInput: FC<()> = |cx| { static UserInput: FC<()> = |cx, props|{
let (val, set_val) = use_state_classic(cx, || "asd".to_string()); let (val, set_val) = use_state_classic(cx, || "asd".to_string());
rsx! { in cx, rsx! { in cx,

View File

@ -9,7 +9,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(Example)) wasm_bindgen_futures::spawn_local(WebsysRenderer::start(Example))
} }
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let (name, set_name) = use_state_classic(cx, || "...?"); let (name, set_name) = use_state_classic(cx, || "...?");
log::debug!("Running component...."); log::debug!("Running component....");

View File

@ -9,7 +9,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(Example)) wasm_bindgen_futures::spawn_local(WebsysRenderer::start(Example))
} }
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let (name, set_name) = use_state_classic(cx, || "...?"); let (name, set_name) = use_state_classic(cx, || "...?");
cx.render(rsx! { cx.render(rsx! {
section { class: "py-12 px-4 text-center" section { class: "py-12 px-4 text-center"

View File

@ -14,7 +14,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App));
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let (contents, set_contents) = use_state_classic(cx, || "asd"); let (contents, set_contents) = use_state_classic(cx, || "asd");
cx.render(rsx! { cx.render(rsx! {

View File

@ -13,7 +13,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App));
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let (contents, set_contents) = use_state_classic(cx, || "asd"); let (contents, set_contents) = use_state_classic(cx, || "asd");
cx.render(rsx! { cx.render(rsx! {

View File

@ -26,7 +26,7 @@ pub struct TodoItem {
pub contents: String, pub contents: String,
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let (draft, set_draft) = use_state_classic(cx, || "".to_string()); let (draft, set_draft) = use_state_classic(cx, || "".to_string());
let (filter, set_filter) = use_state_classic(cx, || FilterState::All); let (filter, set_filter) = use_state_classic(cx, || FilterState::All);
let todos = use_state(cx, || BTreeMap::<uuid::Uuid, TodoItem>::new()); let todos = use_state(cx, || BTreeMap::<uuid::Uuid, TodoItem>::new());

View File

@ -11,7 +11,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(Example)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(Example));
} }
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
span { span {

View File

@ -31,7 +31,7 @@ fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App)); wasm_bindgen_futures::spawn_local(WebsysRenderer::start(App));
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let state = use_model(&cx, || Calculator::new()); let state = use_model(&cx, || Calculator::new());
let clear_display = state.display_value.eq("0"); let clear_display = state.display_value.eq("0");

View File

@ -27,7 +27,7 @@ struct ExampleProps {
initial_name: &'static str, initial_name: &'static str,
} }
pub static Example: FC<ExampleProps> = |cx| { pub static Example: FC<ExampleProps> = |cx, props|{
let name = use_state(cx, move || cx.initial_name); let name = use_state(cx, move || cx.initial_name);
cx.render(rsx! { cx.render(rsx! {

View File

@ -11,7 +11,7 @@ use dioxus_web::{prelude::*, WebsysRenderer};
static APP_STYLE: &'static str = include_str!("./style.css"); static APP_STYLE: &'static str = include_str!("./style.css");
fn main() { fn main() {
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(|cx| { wasm_bindgen_futures::spawn_local(WebsysRenderer::start(|cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
id: "app" id: "app"

View File

@ -9,7 +9,7 @@ fn main() {
wasm_logger::init(wasm_logger::Config::new(log::Level::Debug)); wasm_logger::init(wasm_logger::Config::new(log::Level::Debug));
console_error_panic_hook::set_once(); console_error_panic_hook::set_once();
wasm_bindgen_futures::spawn_local(WebsysRenderer::start(|cx| { wasm_bindgen_futures::spawn_local(WebsysRenderer::start(|cx, props| {
cx.render(html! { cx.render(html! {
<div> <div>
<div class="flex items-center justify-center flex-col"> <div class="flex items-center justify-center flex-col">

View File

@ -7,7 +7,7 @@ fn main() {
dioxus::desktop::launch(App, |c| c).expect("faield to launch"); dioxus::desktop::launch(App, |c| c).expect("faield to launch");
} }
pub static App: FC<()> = |cx| { pub static App: FC<()> = |cx, props| {
let count = use_state(cx, || 0); let count = use_state(cx, || 0);
let mut direction = use_state(cx, || 1); let mut direction = use_state(cx, || 1);

View File

@ -22,7 +22,7 @@ fn main() {
dioxus::desktop::launch(App, |c| c); dioxus::desktop::launch(App, |c| c);
} }
fn App<'a>(cx: Context<'a, ()>) -> DomTree<'a> { fn App<'a>(cx: Context<'a>, props: &()) -> DomTree<'a> {
let text: &'a mut Vec<String> = cx.use_hook(|_| vec![String::from("abc=def")], |f| f, |_| {}); let text: &'a mut Vec<String> = cx.use_hook(|_| vec![String::from("abc=def")], |f| f, |_| {});
let first = text.get_mut(0).unwrap(); let first = text.get_mut(0).unwrap();
@ -45,8 +45,8 @@ impl<'a> Drop for C1Props<'a> {
fn drop(&mut self) {} fn drop(&mut self) {}
} }
fn Child1<'a>(cx: Context<'a, C1Props>) -> DomTree<'a> { fn Child1<'a>(cx: Context<'a>, props: &'a C1Props) -> DomTree<'a> {
let (left, right) = cx.text.split_once("=").unwrap(); let (left, right) = props.text.split_once("=").unwrap();
cx.render(rsx! { cx.render(rsx! {
div { div {
@ -66,10 +66,10 @@ impl<'a> Drop for C2Props<'a> {
} }
} }
fn Child2<'a>(cx: Context<'a, C2Props>) -> DomTree<'a> { fn Child2<'a>(cx: Context<'a>, props: &'a C2Props) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
Child3 { Child3 {
text: cx.text text: props.text
} }
}) })
} }
@ -79,8 +79,8 @@ struct C3Props<'a> {
text: &'a str, text: &'a str,
} }
fn Child3<'a>(cx: Context<'a, C3Props>) -> DomTree<'a> { fn Child3<'a>(cx: Context<'a>, props: &C3Props) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
div { "{cx.text}"} div { "{props.text}"}
}) })
} }

View File

@ -19,7 +19,7 @@ enum Operator {
Div, Div,
} }
const App: FC<()> = |cx| { const App: FC<()> = |cx, props| {
let cur_val = use_state(cx, || 0.0_f64); let cur_val = use_state(cx, || 0.0_f64);
let operator = use_state(cx, || None as Option<Operator>); let operator = use_state(cx, || None as Option<Operator>);
let display_value = use_state(cx, || "".to_string()); let display_value = use_state(cx, || "".to_string());
@ -70,16 +70,16 @@ const App: FC<()> = |cx| {
display_value.modify().pop(); display_value.modify().pop();
} }
} }
KeyCode::_0 => input_digit(0), KeyCode::Num0 => input_digit(0),
KeyCode::_1 => input_digit(1), KeyCode::Num1 => input_digit(1),
KeyCode::_2 => input_digit(2), KeyCode::Num2 => input_digit(2),
KeyCode::_3 => input_digit(3), KeyCode::Num3 => input_digit(3),
KeyCode::_4 => input_digit(4), KeyCode::Num4 => input_digit(4),
KeyCode::_5 => input_digit(5), KeyCode::Num5 => input_digit(5),
KeyCode::_6 => input_digit(6), KeyCode::Num6 => input_digit(6),
KeyCode::_7 => input_digit(7), KeyCode::Num7 => input_digit(7),
KeyCode::_8 => input_digit(8), KeyCode::Num8 => input_digit(8),
KeyCode::_9 => input_digit(9), KeyCode::Num9 => input_digit(9),
KeyCode::Add => operator.set(Some(Operator::Add)), KeyCode::Add => operator.set(Some(Operator::Add)),
KeyCode::Subtract => operator.set(Some(Operator::Sub)), KeyCode::Subtract => operator.set(Some(Operator::Sub)),
KeyCode::Divide => operator.set(Some(Operator::Div)), KeyCode::Divide => operator.set(Some(Operator::Div)),
@ -124,11 +124,11 @@ struct CalculatorKeyProps<'a> {
onclick: &'a dyn Fn(MouseEvent), onclick: &'a dyn Fn(MouseEvent),
} }
fn CalculatorKey<'a, 'r>(cx: Context<'a, CalculatorKeyProps<'r>>) -> DomTree<'a> { fn CalculatorKey<'a>(cx: Context<'a>, props: &'a CalculatorKeyProps) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
button { button {
class: "calculator-key {cx.name}" class: "calculator-key {props.name}"
onclick: {cx.onclick} onclick: {props.onclick}
{cx.children()} {cx.children()}
} }
}) })
@ -139,10 +139,10 @@ struct CalculatorDisplayProps {
val: f64, val: f64,
} }
fn CalculatorDisplay(cx: Context<CalculatorDisplayProps>) -> DomTree { fn CalculatorDisplay<'a>(cx: Context<'a>, props: &CalculatorDisplayProps) -> DomTree<'a> {
use separator::Separatable; use separator::Separatable;
// Todo, add float support to the num-format crate // Todo, add float support to the num-format crate
let formatted = cx.val.separated_string(); let formatted = props.val.separated_string();
// TODO: make it autoscaling with css // TODO: make it autoscaling with css
cx.render(rsx! { cx.render(rsx! {
div { class: "calculator-display" div { class: "calculator-display"

View File

@ -27,7 +27,7 @@ fn main() {
use dioxus::prelude::*; use dioxus::prelude::*;
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let p1 = use_state(cx, || 0); let p1 = use_state(cx, || 0);
let p2 = use_state(cx, || 0); let p2 = use_state(cx, || 0);
@ -59,7 +59,7 @@ struct HorseyProps {
pos: i32, pos: i32,
} }
static Horsey: FC<HorseyProps> = |cx| { static Horsey: FC<HorseyProps> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
button { "pause" } button { "pause" }

View File

@ -19,7 +19,7 @@ fn main() {
.expect("Webview finished"); .expect("Webview finished");
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let state = use_model(&cx, || Calculator::new()); let state = use_model(&cx, || Calculator::new());
let clear_display = state.display_value.eq("0"); let clear_display = state.display_value.eq("0");

View File

@ -17,7 +17,7 @@ fn main() {
.expect("Webview finished"); .expect("Webview finished");
} }
// pub static Example: FC<()> = |cx| { // pub static Example: FC<()> = |cx, props|{
// cx.render(html! { // cx.render(html! {
// <div> // <div>
// <svg class="octicon octicon-star v-align-text-bottom" // <svg class="octicon octicon-star v-align-text-bottom"
@ -36,7 +36,7 @@ fn main() {
// </div> // </div>
// }) // })
// }; // };
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
class: "flex items-center justify-center flex-col" class: "flex items-center justify-center flex-col"

View File

@ -17,7 +17,7 @@ fn main() {
.expect("Webview finished"); .expect("Webview finished");
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let hifives = use_model(&cx, || 0); let hifives = use_model(&cx, || 0);
cx.render(rsx! { cx.render(rsx! {
div { div {

View File

@ -20,7 +20,7 @@ fn main() {
.unwrap(); .unwrap();
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let files = use_state(cx, || Files::new()); let files = use_state(cx, || Files::new());
let file_list = files.path_names.iter().enumerate().map(|(dir_id, path)| { let file_list = files.path_names.iter().enumerate().map(|(dir_id, path)| {

View File

@ -19,7 +19,7 @@ fn main() {
// We use a special immutable hashmap to make hashmap operations efficient // We use a special immutable hashmap to make hashmap operations efficient
type RowList = im_rc::HashMap<usize, Rc<str>, FxBuildHasher>; type RowList = im_rc::HashMap<usize, Rc<str>, FxBuildHasher>;
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let items = use_state(cx, || RowList::default()); let items = use_state(cx, || RowList::default());
let create_rendered_rows = move |from, num| move |_| items.set(create_row_list(from, num)); let create_rendered_rows = move |from, num| move |_| items.set(create_row_list(from, num));
@ -92,14 +92,14 @@ struct ActionButtonProps<F: Fn(MouseEvent)> {
id: &'static str, id: &'static str,
action: F, action: F,
} }
fn ActionButton<F>(cx: Context<ActionButtonProps<F>>) -> DomTree fn ActionButton<'a, F>(cx: Context<'a>, props: &'a ActionButtonProps<F>) -> DomTree<'a>
where where
F: Fn(MouseEvent), F: Fn(MouseEvent),
{ {
cx.render(rsx! { cx.render(rsx! {
div { class: "col-sm-6 smallpad" div { class: "col-sm-6 smallpad"
button { class:"btn btn-primary btn-block", r#type: "button", id: "{cx.id}", onclick: {&cx.action}, button { class:"btn btn-primary btn-block", r#type: "button", id: "{props.id}", onclick: {&props.action},
"{cx.name}" "{props.name}"
} }
} }
}) })
@ -110,12 +110,12 @@ struct RowProps {
row_id: usize, row_id: usize,
label: Rc<str>, label: Rc<str>,
} }
fn Row<'a>(cx: Context<'a, RowProps>) -> DomTree { fn Row<'a>(cx: Context<'a>, props: &'a RowProps) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
tr { tr {
td { class:"col-md-1", "{cx.row_id}" } td { class:"col-md-1", "{props.row_id}" }
td { class:"col-md-1", onclick: move |_| { /* run onselect */ } td { class:"col-md-1", onclick: move |_| { /* run onselect */ }
a { class: "lbl", "{cx.label}" } a { class: "lbl", "{props.label}" }
} }
td { class: "col-md-1" td { class: "col-md-1"
a { class: "remove", onclick: move |_| {/* remove */} a { class: "remove", onclick: move |_| {/* remove */}

View File

@ -19,7 +19,7 @@ fn main() {
dioxus::desktop::launch(App, |c| c.with_prerendered(content)).unwrap(); dioxus::desktop::launch(App, |c| c.with_prerendered(content)).unwrap();
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let mut val = use_state(cx, || 0); let mut val = use_state(cx, || 0);
cx.render(rsx! { cx.render(rsx! {
div { div {

View File

@ -20,4 +20,4 @@ fn main() {
dioxus_desktop::WebviewRenderer::run_with_edits(App, (), |c| c, Some(edits)).expect("failed"); dioxus_desktop::WebviewRenderer::run_with_edits(App, (), |c| c, Some(edits)).expect("failed");
} }
const App: FC<()> = |cx| todo!(); const App: FC<()> = |cx, props| todo!();

View File

@ -32,7 +32,7 @@ fn main() {
.expect("failed to launch dioxus app"); .expect("failed to launch dioxus app");
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let state = use_state(cx, || Calculator::new()); let state = use_state(cx, || Calculator::new());
let clear_display = state.display_value.eq("0"); let clear_display = state.display_value.eq("0");
@ -79,11 +79,11 @@ struct CalculatorKeyProps<'a> {
onclick: &'a dyn Fn(MouseEvent), onclick: &'a dyn Fn(MouseEvent),
} }
fn CalculatorKey<'a, 'r>(cx: Context<'a, CalculatorKeyProps<'r>>) -> DomTree<'a> { fn CalculatorKey<'a, 'r>(cx: Context<'a>, props: &'a CalculatorKeyProps) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
button { button {
class: "calculator-key {cx.name}" class: "calculator-key {props.name}"
onclick: {cx.onclick} onclick: {props.onclick}
{cx.children()} {cx.children()}
} }
}) })
@ -174,16 +174,16 @@ impl Calculator {
fn handle_keydown(&mut self, evt: KeyboardEvent) { fn handle_keydown(&mut self, evt: KeyboardEvent) {
match evt.key_code() { match evt.key_code() {
KeyCode::Backspace => self.backspace(), KeyCode::Backspace => self.backspace(),
KeyCode::_0 => self.input_digit(0), KeyCode::Num0 => self.input_digit(0),
KeyCode::_1 => self.input_digit(1), KeyCode::Num1 => self.input_digit(1),
KeyCode::_2 => self.input_digit(2), KeyCode::Num2 => self.input_digit(2),
KeyCode::_3 => self.input_digit(3), KeyCode::Num3 => self.input_digit(3),
KeyCode::_4 => self.input_digit(4), KeyCode::Num4 => self.input_digit(4),
KeyCode::_5 => self.input_digit(5), KeyCode::Num5 => self.input_digit(5),
KeyCode::_6 => self.input_digit(6), KeyCode::Num6 => self.input_digit(6),
KeyCode::_7 => self.input_digit(7), KeyCode::Num7 => self.input_digit(7),
KeyCode::_8 => self.input_digit(8), KeyCode::Num8 => self.input_digit(8),
KeyCode::_9 => self.input_digit(9), KeyCode::Num9 => self.input_digit(9),
KeyCode::Add => self.operator = Some(Operator::Add), KeyCode::Add => self.operator = Some(Operator::Add),
KeyCode::Subtract => self.operator = Some(Operator::Sub), KeyCode::Subtract => self.operator = Some(Operator::Sub),
KeyCode::Divide => self.operator = Some(Operator::Div), KeyCode::Divide => self.operator = Some(Operator::Div),

View File

@ -7,7 +7,7 @@ fn main() {
dioxus::desktop::launch(App, |c| c); dioxus::desktop::launch(App, |c| c);
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let mut count = use_state(cx, || 0); let mut count = use_state(cx, || 0);
cx.render(rsx! { cx.render(rsx! {

View File

@ -11,7 +11,7 @@ fn main() {
dioxus::desktop::launch(App, |c| c); dioxus::desktop::launch(App, |c| c);
} }
pub static App: FC<()> = |cx| { pub static App: FC<()> = |cx, props| {
let state = use_state(cx, PlayerState::new); let state = use_state(cx, PlayerState::new);
let is_playing = state.is_playing(); let is_playing = state.is_playing();

View File

@ -32,14 +32,14 @@ use dioxus::prelude::*;
struct NoKeysProps { struct NoKeysProps {
data: std::collections::HashMap<u32, String>, data: std::collections::HashMap<u32, String>,
} }
static AntipatternNoKeys: FC<NoKeysProps> = |cx| { static AntipatternNoKeys: FC<NoKeysProps> = |cx, props| {
// WRONG: Make sure to add keys! // WRONG: Make sure to add keys!
rsx!(cx, ul { rsx!(cx, ul {
{cx.data.iter().map(|(k, v)| rsx!(li { "List item: {v}" }))} {props.data.iter().map(|(k, v)| rsx!(li { "List item: {v}" }))}
}); });
// RIGHT: Like this: // RIGHT: Like this:
rsx!(cx, ul { rsx!(cx, ul {
{cx.data.iter().map(|(k, v)| rsx!(li { key: "{k}", "List item: {v}" }))} {props.data.iter().map(|(k, v)| rsx!(li { key: "{k}", "List item: {v}" }))}
}) })
}; };
@ -54,7 +54,7 @@ static AntipatternNoKeys: FC<NoKeysProps> = |cx| {
/// ///
/// Only Component and Fragment nodes are susceptible to this issue. Dioxus mitigates this with components by providing /// Only Component and Fragment nodes are susceptible to this issue. Dioxus mitigates this with components by providing
/// an API for registering shared state without the ContextProvider pattern. /// an API for registering shared state without the ContextProvider pattern.
static AntipatternNestedFragments: FC<()> = |cx| { static AntipatternNestedFragments: FC<()> = |cx, props| {
// Try to avoid heavily nesting fragments // Try to avoid heavily nesting fragments
rsx!(cx, rsx!(cx,
Fragment { Fragment {
@ -82,7 +82,7 @@ static AntipatternNestedFragments: FC<()> = |cx| {
/// However, calling set_state will *not* update the current version of state in the component. This should be easy to /// However, calling set_state will *not* update the current version of state in the component. This should be easy to
/// recognize from the function signature, but Dioxus will not update the "live" version of state. Calling `set_state` /// recognize from the function signature, but Dioxus will not update the "live" version of state. Calling `set_state`
/// merely places a new value in the queue and schedules the component for a future update. /// merely places a new value in the queue and schedules the component for a future update.
static AntipaternRelyingOnSetState: FC<()> = |cx| { static AntipaternRelyingOnSetState: FC<()> = |cx, props| {
let (state, set_state) = use_state(cx, || "Hello world").classic(); let (state, set_state) = use_state(cx, || "Hello world").classic();
set_state("New state"); set_state("New state");
// This will return false! `state` will *still* be "Hello world" // This will return false! `state` will *still* be "Hello world"
@ -99,7 +99,7 @@ static AntipaternRelyingOnSetState: FC<()> = |cx| {
/// - All components must start with an uppercase character /// - All components must start with an uppercase character
/// ///
/// IE: the following component will be rejected when attempted to be used in the rsx! macro /// IE: the following component will be rejected when attempted to be used in the rsx! macro
static antipattern_component: FC<()> = |cx| todo!(); static antipattern_component: FC<()> = |cx, props| todo!();
/// Antipattern: Misusing hooks /// Antipattern: Misusing hooks
/// --------------------------- /// ---------------------------
@ -120,8 +120,8 @@ static antipattern_component: FC<()> = |cx| todo!();
struct MisuedHooksProps { struct MisuedHooksProps {
should_render_state: bool, should_render_state: bool,
} }
static AntipatternMisusedHooks: FC<MisuedHooksProps> = |cx| { static AntipatternMisusedHooks: FC<MisuedHooksProps> = |cx, props| {
if cx.should_render_state { if props.should_render_state {
// do not place a hook in the conditional! // do not place a hook in the conditional!
// prefer to move it out of the conditional // prefer to move it out of the conditional
let (state, set_state) = use_state(cx, || "hello world").classic(); let (state, set_state) = use_state(cx, || "hello world").classic();
@ -153,7 +153,7 @@ static AntipatternMisusedHooks: FC<MisuedHooksProps> = |cx| {
/// } /// }
/// } /// }
/// }) /// })
static _example: FC<()> = |cx| todo!(); static _example: FC<()> = |cx, props| todo!();
/// Antipattern: publishing components and hooks with all features enabled /// Antipattern: publishing components and hooks with all features enabled
/// ---------------------------------------------------------------------- /// ----------------------------------------------------------------------
@ -171,9 +171,9 @@ static _example: FC<()> = |cx| todo!();
/// ///
/// This will only include the `core` dioxus crate which is relatively slim and fast to compile and avoids target-specific /// This will only include the `core` dioxus crate which is relatively slim and fast to compile and avoids target-specific
/// libraries. /// libraries.
static __example: FC<()> = |cx| todo!(); static __example: FC<()> = |cx, props| todo!();
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
AntipatternNoKeys { data: std::collections::HashMap::new() } AntipatternNoKeys { data: std::collections::HashMap::new() }
AntipatternNestedFragments {} AntipatternNestedFragments {}

View File

@ -9,7 +9,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
Greeting { Greeting {
@ -25,10 +25,10 @@ struct GreetingProps {
name: &'static str, name: &'static str,
} }
static Greeting: FC<GreetingProps> = |cx| { static Greeting: FC<GreetingProps> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { "Hello, {cx.name}!" } h1 { "Hello, {props.name}!" }
p { "Welcome to the Diouxs framework" } p { "Welcome to the Diouxs framework" }
br {} br {}
{cx.children()} {cx.children()}

View File

@ -18,7 +18,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
Banner { Banner {
@ -31,7 +31,7 @@ pub static Example: FC<()> = |cx| {
}) })
}; };
pub static Banner: FC<()> = |cx| { pub static Banner: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { "This is a great banner!" } h1 { "This is a great banner!" }

View File

@ -16,10 +16,10 @@ use dioxus::prelude::*;
pub struct MyProps { pub struct MyProps {
should_show: bool, should_show: bool,
} }
pub static Example0: FC<MyProps> = |cx| { pub static Example0: FC<MyProps> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
{cx.should_show.then(|| rsx!{ {props.should_show.then(|| rsx!{
h1 { "showing the title!" } h1 { "showing the title!" }
})} })}
} }
@ -39,17 +39,17 @@ pub static Example0: FC<MyProps> = |cx| {
pub struct MyProps1 { pub struct MyProps1 {
should_show: bool, should_show: bool,
} }
pub static Example1: FC<MyProps1> = |cx| { pub static Example1: FC<MyProps1> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
// With matching // With matching
{match cx.should_show { {match props.should_show {
true => cx.render(rsx!(div {"it is true!"})), true => cx.render(rsx!(div {"it is true!"})),
false => rsx!(cx, div {"it is false!"}), false => rsx!(cx, div {"it is false!"}),
}} }}
// or with just regular conditions // or with just regular conditions
{if cx.should_show { {if props.should_show {
rsx!(cx, div {"it is true!"}) rsx!(cx, div {"it is true!"})
} else { } else {
rsx!(cx, div {"it is false!"}) rsx!(cx, div {"it is false!"})
@ -57,7 +57,7 @@ pub static Example1: FC<MyProps1> = |cx| {
// or with optional chaining // or with optional chaining
{ {
cx.should_show props.should_show
.then(|| rsx!(cx, div {"it is false!"})) .then(|| rsx!(cx, div {"it is false!"}))
.unwrap_or_else(|| rsx!(cx, div {"it is false!"})) .unwrap_or_else(|| rsx!(cx, div {"it is false!"}))
} }
@ -77,10 +77,10 @@ pub enum Color {
pub struct MyProps2 { pub struct MyProps2 {
color: Color, color: Color,
} }
pub static Example2: FC<MyProps2> = |cx| { pub static Example2: FC<MyProps2> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
{match cx.color { {match props.color {
Color::Green => rsx!(cx, div {"it is Green!"}), Color::Green => rsx!(cx, div {"it is Green!"}),
Color::Yellow => rsx!(cx, div {"it is Yellow!"}), Color::Yellow => rsx!(cx, div {"it is Yellow!"}),
Color::Red => rsx!(cx, div {"it is Red!"}), Color::Red => rsx!(cx, div {"it is Red!"}),
@ -89,7 +89,7 @@ pub static Example2: FC<MyProps2> = |cx| {
}) })
}; };
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let should_show = use_state(cx, || false); let should_show = use_state(cx, || false);
let mut color_index = use_state(cx, || 0); let mut color_index = use_state(cx, || 0);
let color = match *color_index % 2 { let color = match *color_index % 2 {

View File

@ -1,7 +1,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
fn main() {} fn main() {}
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
@ -10,7 +10,7 @@ pub static Example: FC<()> = |cx| {
}; };
// A controlled component: // A controlled component:
static ControlledSelect: FC<()> = |cx| { static ControlledSelect: FC<()> = |cx, props| {
let value = use_state(cx, || String::from("Grapefruit")); let value = use_state(cx, || String::from("Grapefruit"));
cx.render(rsx! { cx.render(rsx! {
select { value: "{value}", onchange: move |evt| value.set(evt.value()), select { value: "{value}", onchange: move |evt| value.set(evt.value()),
@ -23,7 +23,7 @@ static ControlledSelect: FC<()> = |cx| {
}; };
// TODO - how do uncontrolled things work? // TODO - how do uncontrolled things work?
static UncontrolledSelect: FC<()> = |cx| { static UncontrolledSelect: FC<()> = |cx, props| {
let value = use_state(cx, || String::new()); let value = use_state(cx, || String::new());
cx.render(rsx! { cx.render(rsx! {

View File

@ -11,7 +11,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
custom_element { custom_element {

View File

@ -5,4 +5,4 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| cx.render(rsx! { Fragment {} }); pub static Example: FC<()> = |cx, props| cx.render(rsx! { Fragment {} });

View File

@ -23,14 +23,14 @@ fn main() {}
/// This is one way to go about error handling (just toss things away with unwrap). /// This is one way to go about error handling (just toss things away with unwrap).
/// However, if you get it wrong, the whole app will crash. /// However, if you get it wrong, the whole app will crash.
/// This is pretty flimsy. /// This is pretty flimsy.
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let data = get_data().unwrap(); let data = get_data().unwrap();
cx.render(rsx!( div { "{data}" } )) cx.render(rsx!( div { "{data}" } ))
}; };
/// This is a pretty verbose way of error handling /// This is a pretty verbose way of error handling
/// However, it's still pretty good since we don't panic, just fail to render anything /// However, it's still pretty good since we don't panic, just fail to render anything
static App1: FC<()> = |cx| { static App1: FC<()> = |cx, props| {
let data = match get_data() { let data = match get_data() {
Some(data) => data, Some(data) => data,
None => return None, None => return None,
@ -46,7 +46,7 @@ static App1: FC<()> = |cx| {
/// a user is logged in. /// a user is logged in.
/// ///
/// Dioxus will throw an error in the console if the None-path is ever taken. /// Dioxus will throw an error in the console if the None-path is ever taken.
static App2: FC<()> = |cx| { static App2: FC<()> = |cx, props| {
let data = get_data()?; let data = get_data()?;
cx.render(rsx!( div { "{data}" } )) cx.render(rsx!( div { "{data}" } ))
}; };
@ -54,14 +54,14 @@ static App2: FC<()> = |cx| {
/// This is top-tier error handling since it displays a failure state. /// This is top-tier error handling since it displays a failure state.
/// ///
/// However, the error is lacking in context. /// However, the error is lacking in context.
static App3: FC<()> = |cx| match get_data() { static App3: FC<()> = |cx, props| match get_data() {
Some(data) => cx.render(rsx!( div { "{data}" } )), Some(data) => cx.render(rsx!( div { "{data}" } )),
None => cx.render(rsx!( div { "Failed to load data :(" } )), None => cx.render(rsx!( div { "Failed to load data :(" } )),
}; };
/// For errors that return results, it's possible short-circuit the match-based error handling with `.ok()` which converts /// For errors that return results, it's possible short-circuit the match-based error handling with `.ok()` which converts
/// a Result<T, V> into an Option<T> and lets you /// a Result<T, V> into an Option<T> and lets you
static App4: FC<()> = |cx| { static App4: FC<()> = |cx, props| {
let data = get_data_err().ok()?; let data = get_data_err().ok()?;
cx.render(rsx!( div { "{data}" } )) cx.render(rsx!( div { "{data}" } ))
}; };
@ -69,7 +69,7 @@ static App4: FC<()> = |cx| {
/// This is great error handling since it displays a failure state... with context! /// This is great error handling since it displays a failure state... with context!
/// ///
/// Hopefully you never need to disply a screen like this. It's rather bad taste /// Hopefully you never need to disply a screen like this. It's rather bad taste
static App5: FC<()> = |cx| match get_data_err() { static App5: FC<()> = |cx, props| match get_data_err() {
Ok(data) => cx.render(rsx!( div { "{data}" } )), Ok(data) => cx.render(rsx!( div { "{data}" } )),
Err(c) => cx.render(rsx!( div { "Failed to load data: {c}" } )), Err(c) => cx.render(rsx!( div { "Failed to load data: {c}" } )),
}; };

View File

@ -11,7 +11,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
// Returning multiple elements with rsx! or html! // Returning multiple elements with rsx! or html!
static App1: FC<()> = |cx| { static App1: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
h1 { } h1 { }
h2 { } h2 { }
@ -20,7 +20,7 @@ static App1: FC<()> = |cx| {
}; };
// Using the Fragment component // Using the Fragment component
static App2: FC<()> = |cx| { static App2: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
Fragment { Fragment {
div {} div {}
@ -31,7 +31,7 @@ static App2: FC<()> = |cx| {
}; };
// Using the `fragment` method on the NodeFactory // Using the `fragment` method on the NodeFactory
static App3: FC<()> = |cx| { static App3: FC<()> = |cx, props| {
cx.render(LazyNodes::new(move |fac| { cx.render(LazyNodes::new(move |fac| {
fac.fragment_from_iter([ fac.fragment_from_iter([
fac.text(format_args!("A")), fac.text(format_args!("A")),
@ -42,7 +42,7 @@ static App3: FC<()> = |cx| {
})) }))
}; };
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
App1 {} App1 {}
App2 {} App2 {}

View File

@ -19,7 +19,7 @@ h1 {color: blue;}
p {color: red;} p {color: red;}
"#; "#;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
head { style { "{STYLE}" } } head { style { "{STYLE}" } }
body { body {

View File

@ -10,7 +10,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
head { head {
style: { background_color: "powderblue" } style: { background_color: "powderblue" }
@ -29,7 +29,7 @@ pub static Example: FC<()> = |cx| {
// .... technically the rsx! macro is slightly broken at the moment and alows styles not wrapped in style {} // .... technically the rsx! macro is slightly broken at the moment and alows styles not wrapped in style {}
// I haven't noticed any name collisions yet, and am tentatively leaving this behavior in.. // I haven't noticed any name collisions yet, and am tentatively leaving this behavior in..
// Don't rely on it. // Don't rely on it.
static Example2: FC<()> = |cx| { static Example2: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { color: "red" div { color: "red"
"hello world!" "hello world!"

View File

@ -12,7 +12,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let example_data = use_state(cx, || 0); let example_data = use_state(cx, || 0);
let v = (0..10).map(|f| { let v = (0..10).map(|f| {

View File

@ -7,7 +7,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
ButtonList {} ButtonList {}
NonUpdatingEvents {} NonUpdatingEvents {}
@ -16,7 +16,7 @@ pub static Example: FC<()> = |cx| {
}; };
/// We can use `set_name` in multiple closures; the closures automatically *copy* the reference to set_name. /// We can use `set_name` in multiple closures; the closures automatically *copy* the reference to set_name.
static ButtonList: FC<()> = |cx| { static ButtonList: FC<()> = |cx, props| {
let name = use_state(cx, || "...?"); let name = use_state(cx, || "...?");
let names = ["jack", "jill", "john", "jane"] let names = ["jack", "jill", "john", "jane"]
@ -33,7 +33,7 @@ static ButtonList: FC<()> = |cx| {
/// This shows how listeners may be without a visible change in the display. /// This shows how listeners may be without a visible change in the display.
/// Check the console. /// Check the console.
static NonUpdatingEvents: FC<()> = |cx| { static NonUpdatingEvents: FC<()> = |cx, props| {
rsx!(cx, div { rsx!(cx, div {
button { button {
onclick: move |_| log::info!("Did not cause any updates!") onclick: move |_| log::info!("Did not cause any updates!")
@ -42,7 +42,7 @@ static NonUpdatingEvents: FC<()> = |cx| {
}) })
}; };
static DisablePropogation: FC<()> = |cx| { static DisablePropogation: FC<()> = |cx, props| {
rsx!(cx, rsx!(cx,
div { div {
onclick: move |_| log::info!("event propogated to the div!") onclick: move |_| log::info!("event propogated to the div!")

View File

@ -21,7 +21,7 @@ use dioxus::prelude::*;
// By default, components with no props are always memoized. // By default, components with no props are always memoized.
// A props of () is considered empty. // A props of () is considered empty.
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { "100% memoized!" } div { "100% memoized!" }
}) })
@ -35,9 +35,9 @@ pub struct MyProps1 {
name: String, name: String,
} }
pub static Example1: FC<MyProps1> = |cx| { pub static Example1: FC<MyProps1> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { "100% memoized! {cx.name}" } div { "100% memoized! {props.name}" }
}) })
}; };
@ -49,9 +49,9 @@ pub struct MyProps2 {
name: std::rc::Rc<str>, name: std::rc::Rc<str>,
} }
pub static Example2: FC<MyProps2> = |cx| { pub static Example2: FC<MyProps2> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { "100% memoized! {cx.name}" } div { "100% memoized! {props.name}" }
}) })
}; };
@ -63,9 +63,9 @@ pub struct MyProps3<'a> {
// We need to manually specify a lifetime that ensures props and scope (the component's state) share the same lifetime. // We need to manually specify a lifetime that ensures props and scope (the component's state) share the same lifetime.
// Using the `pub static Example: FC<()>` pattern _will_ specify a lifetime, but that lifetime will be static which might // Using the `pub static Example: FC<()>` pattern _will_ specify a lifetime, but that lifetime will be static which might
// not exactly be what you want // not exactly be what you want
fn Example3<'a>(cx: Context<'a, MyProps3<'a>>) -> DomTree { fn Example3<'a>(cx: Context<'a>, props: &'a MyProps3) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
div { "Not memoized! {cx.name}" } div { "Not memoized! {props.name}" }
}) })
} }
@ -77,8 +77,8 @@ pub struct MyProps4<'a> {
} }
// We need to manually specify a lifetime that ensures props and scope (the component's state) share the same lifetime. // We need to manually specify a lifetime that ensures props and scope (the component's state) share the same lifetime.
fn Example4<'a>(cx: Context<'a, MyProps4<'a>>) -> DomTree { fn Example4<'a>(cx: Context<'a>, props: &'a MyProps4) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
div { "Not memoized!", onclick: move |_| (cx.onhandle)() } div { "Not memoized!", onclick: move |_| (props.onhandle)() }
}) })
} }

View File

@ -1,7 +1,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
fn main() {} fn main() {}
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let p = 10; let p = 10;
cx.render(rsx! { cx.render(rsx! {

View File

@ -1,7 +1,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
fn main() {} fn main() {}
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {

View File

@ -9,7 +9,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let props = MyProps { let props = MyProps {
count: 0, count: 0,
live: true, live: true,
@ -27,12 +27,12 @@ pub struct MyProps {
name: &'static str, name: &'static str,
} }
pub static Example1: FC<MyProps> = |cx| { pub static Example1: FC<MyProps> = |cx, MyProps { count, live, name }| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { "Hello, {cx.name}"} h1 { "Hello, {name}"}
h3 {"Are we alive? {cx.live}"} h3 {"Are we alive? {live}"}
p {"Count is {cx.count}"} p {"Count is {count}"}
{ cx.children() } { cx.children() }
} }
}) })

View File

@ -1,7 +1,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
fn main() {} fn main() {}
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {

View File

@ -14,12 +14,17 @@ struct DogApi {
} }
const ENDPOINT: &str = "https://dog.ceo/api/breeds/image/random"; const ENDPOINT: &str = "https://dog.ceo/api/breeds/image/random";
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let doggo = use_suspense( let doggo = use_suspense(
cx, cx,
|| surf::get(ENDPOINT).recv_json::<DogApi>(), || surf::get(ENDPOINT).recv_json::<DogApi>(),
|cx, res| match res { |cx, res| match res {
Ok(res) => rsx!(cx, img { src: "{res.message}" }), Ok(res) => rsx!(
cx,
img {
src: "{res.message}"
}
),
Err(_) => rsx!(cx, div { "No doggos for you :(" }), Err(_) => rsx!(cx, div { "No doggos for you :(" }),
}, },
); );

View File

@ -24,7 +24,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let count = use_state(cx, || 0); let count = use_state(cx, || 0);
let mut direction = use_state(cx, || 1); let mut direction = use_state(cx, || 1);

View File

@ -1,6 +1,6 @@
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {

View File

@ -1,7 +1,7 @@
use dioxus::prelude::*; use dioxus::prelude::*;
use dioxus::ssr; use dioxus::ssr;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let as_string = use_state(cx, || { let as_string = use_state(cx, || {
// Currently, SSR is only supported for whole VirtualDOMs // Currently, SSR is only supported for whole VirtualDOMs
// This is an easy/low hanging fruit to improve upon // This is an easy/low hanging fruit to improve upon
@ -15,7 +15,7 @@ pub static Example: FC<()> = |cx| {
}) })
}; };
static SomeApp: FC<()> = |cx| { static SomeApp: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { style: {background_color: "blue"} div { style: {background_color: "blue"}
h1 {"Some amazing app or component"} h1 {"Some amazing app or component"}

View File

@ -49,7 +49,7 @@ const NONE_ELEMENT: Option<()> = None;
use baller::Baller; use baller::Baller;
use dioxus::prelude::*; use dioxus::prelude::*;
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let formatting = "formatting!"; let formatting = "formatting!";
let formatting_tuple = ("a", "b"); let formatting_tuple = ("a", "b");
let lazy_fmt = format_args!("lazily formatted text"); let lazy_fmt = format_args!("lazily formatted text");
@ -180,10 +180,11 @@ pub static Example: FC<()> = |cx| {
mod baller { mod baller {
use super::*; use super::*;
#[derive(PartialEq, Props)]
pub struct BallerProps {} pub struct BallerProps {}
/// This component totally balls /// This component totally balls
pub fn Baller(cx: Context<()>) -> DomTree { pub fn Baller<'a>(cx: Context<'a>, props: &BallerProps) -> DomTree<'a> {
todo!() todo!()
} }
} }
@ -194,7 +195,7 @@ pub struct TallerProps {
} }
/// This component is taller than most :) /// This component is taller than most :)
pub fn Taller(cx: Context<TallerProps>) -> DomTree { pub fn Taller<'a>(cx: Context<'a>, props: &'a TallerProps) -> DomTree<'a> {
let b = true; let b = true;
todo!() todo!()
} }

View File

@ -11,7 +11,7 @@ fn main() {}
use dioxus::prelude::*; use dioxus::prelude::*;
use std::rc::Rc; use std::rc::Rc;
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let (selection, set_selection) = use_state(cx, || None as Option<usize>).classic(); let (selection, set_selection) = use_state(cx, || None as Option<usize>).classic();
let body = match selection { let body = match selection {
@ -33,7 +33,7 @@ struct ScrollSelectorProps<'a> {
onselect: &'a dyn Fn(Option<usize>), onselect: &'a dyn Fn(Option<usize>),
} }
fn ScrollSelector<'a>(cx: Context<'a, ScrollSelectorProps>) -> DomTree<'a> { fn ScrollSelector<'a>(cx: Context<'a>, props: &'a ScrollSelectorProps) -> DomTree<'a> {
let selection_list = (&REFERENCES).iter().enumerate().map(|(id, _)| { let selection_list = (&REFERENCES).iter().enumerate().map(|(id, _)| {
rsx! { rsx! {
li { li {
@ -47,7 +47,7 @@ fn ScrollSelector<'a>(cx: Context<'a, ScrollSelectorProps>) -> DomTree<'a> {
ul { ul {
{selection_list} {selection_list}
button { button {
onclick: move |_| (cx.onselect)(Some(10)) onclick: move |_| (props.onselect)(Some(10))
} }
} }
} }
@ -59,8 +59,8 @@ struct ReferenceItemProps {
selected: usize, selected: usize,
} }
static ReferenceItem: FC<ReferenceItemProps> = |cx| { static ReferenceItem: FC<ReferenceItemProps> = |cx, props| {
let (caller, name, code) = REFERENCES[cx.selected]; let (caller, name, code) = REFERENCES[props.selected];
// Create the component using the factory API directly // Create the component using the factory API directly
let caller_node = LazyNodes::new(move |f| f.component(caller, (), None, &[])); let caller_node = LazyNodes::new(move |f| f.component(caller, (), None, &[]));

View File

@ -15,7 +15,7 @@ fn main() {
dioxus::desktop::launch(App, |c| c); dioxus::desktop::launch(App, |c| c);
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let slides = use_state(cx, SlideController::new); let slides = use_state(cx, SlideController::new);
let slide = match slides.slide_id { let slide = match slides.slide_id {
@ -70,7 +70,7 @@ impl SlideController {
} }
} }
const Title: FC<()> = |cx| { const Title: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { "Title" } h1 { "Title" }
@ -78,7 +78,7 @@ const Title: FC<()> = |cx| {
} }
}) })
}; };
const Slide1: FC<()> = |cx| { const Slide1: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { "Slide1" } h1 { "Slide1" }
@ -86,7 +86,7 @@ const Slide1: FC<()> = |cx| {
} }
}) })
}; };
const Slide2: FC<()> = |cx| { const Slide2: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { "Slide2" } h1 { "Slide2" }
@ -94,7 +94,7 @@ const Slide2: FC<()> = |cx| {
} }
}) })
}; };
const Slide3: FC<()> = |cx| { const Slide3: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { "Slide3" } h1 { "Slide3" }
@ -102,7 +102,7 @@ const Slide3: FC<()> = |cx| {
} }
}) })
}; };
const End: FC<()> = |cx| { const End: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
h1 { "End" } h1 { "End" }

View File

@ -9,7 +9,7 @@ fn main() {
println!("{}", ssr::render_vdom(&vdom, |c| c)); println!("{}", ssr::render_vdom(&vdom, |c| c));
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
cx.render(rsx!( cx.render(rsx!(
div { div {
h1 { "Title" } h1 { "Title" }
@ -21,6 +21,6 @@ static App: FC<()> = |cx| {
struct MyProps<'a> { struct MyProps<'a> {
text: &'a str, text: &'a str,
} }
fn App2<'a>(cx: Context<'a, MyProps>) -> DomTree<'a> { fn App2<'a>(cx: Context<'a>, props: &'a MyProps) -> DomTree<'a> {
None None
} }

View File

@ -14,7 +14,7 @@ fn main() {
const STYLE: &str = "body {overflow:hidden;}"; const STYLE: &str = "body {overflow:hidden;}";
pub static App: FC<()> = |cx| { pub static App: FC<()> = |cx, props| {
cx.render(rsx!( cx.render(rsx!(
div { class: "overflow-hidden" div { class: "overflow-hidden"
style { "{STYLE}" } style { "{STYLE}" }
@ -30,7 +30,7 @@ pub static App: FC<()> = |cx| {
)) ))
}; };
pub static Header: FC<()> = |cx| { pub static Header: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
div { div {
header { class: "text-gray-400 bg-gray-900 body-font" header { class: "text-gray-400 bg-gray-900 body-font"
@ -56,7 +56,7 @@ pub static Header: FC<()> = |cx| {
}) })
}; };
pub static Hero: FC<()> = |cx| { pub static Hero: FC<()> = |cx, props| {
// //
cx.render(rsx! { cx.render(rsx! {
section{ class: "text-gray-400 bg-gray-900 body-font" section{ class: "text-gray-400 bg-gray-900 body-font"
@ -94,7 +94,7 @@ pub static Hero: FC<()> = |cx| {
} }
}) })
}; };
pub static Entry: FC<()> = |cx| { pub static Entry: FC<()> = |cx, props| {
// //
cx.render(rsx! { cx.render(rsx! {
section{ class: "text-gray-400 bg-gray-900 body-font" section{ class: "text-gray-400 bg-gray-900 body-font"
@ -107,7 +107,7 @@ pub static Entry: FC<()> = |cx| {
}) })
}; };
pub static StacksIcon: FC<()> = |cx| { pub static StacksIcon: FC<()> = |cx, props| {
cx.render(rsx!( cx.render(rsx!(
svg { svg {
// xmlns: "http://www.w3.org/2000/svg" // xmlns: "http://www.w3.org/2000/svg"
@ -122,7 +122,7 @@ pub static StacksIcon: FC<()> = |cx| {
} }
)) ))
}; };
pub static RightArrowIcon: FC<()> = |cx| { pub static RightArrowIcon: FC<()> = |cx, props| {
cx.render(rsx!( cx.render(rsx!(
svg { svg {
fill: "none" fill: "none"

View File

@ -17,7 +17,7 @@ h1 {color: blue;}
p {color: red;} p {color: red;}
"#; "#;
const Example: FC<()> = |cx| { const Example: FC<()> = |cx, props| {
cx.render(rsx! { cx.render(rsx! {
Fragment { Fragment {
Fragment { Fragment {
@ -38,7 +38,7 @@ const Example: FC<()> = |cx| {
}) })
}; };
const Child: FC<()> = |cx| { const Child: FC<()> = |cx, props| {
cx.render(rsx!( cx.render(rsx!(
h1 {"1" } h1 {"1" }
h1 {"2" } h1 {"2" }
@ -48,7 +48,7 @@ const Child: FC<()> = |cx| {
}; };
// this is a bad case that hurts our subtree memoization :( // this is a bad case that hurts our subtree memoization :(
const AbTest: FC<()> = |cx| { const AbTest: FC<()> = |cx, props| {
if 1 == 2 { if 1 == 2 {
cx.render(rsx!( cx.render(rsx!(
h1 {"1"} h1 {"1"}

View File

@ -22,7 +22,7 @@ pub struct TodoItem {
} }
const STYLE: &str = include_str!("./_examples/todomvc/style.css"); const STYLE: &str = include_str!("./_examples/todomvc/style.css");
const App: FC<()> = |cx| { const App: FC<()> = |cx, props| {
let draft = use_state(cx, || "".to_string()); let draft = use_state(cx, || "".to_string());
let todos = use_state(cx, || HashMap::<u32, Rc<TodoItem>>::new()); let todos = use_state(cx, || HashMap::<u32, Rc<TodoItem>>::new());
let filter = use_state(cx, || FilterState::All); let filter = use_state(cx, || FilterState::All);
@ -87,8 +87,7 @@ pub struct TodoEntryProps {
todo: std::rc::Rc<TodoItem>, todo: std::rc::Rc<TodoItem>,
} }
pub fn TodoEntry(cx: Context<TodoEntryProps>) -> DomTree { pub fn TodoEntry<'a>(cx: Context<'a>, TodoEntryProps { todo }: &'a TodoEntryProps) -> DomTree<'a> {
let TodoEntryProps { todo } = *cx;
let is_editing = use_state(cx, || false); let is_editing = use_state(cx, || false);
let contents = ""; let contents = "";

View File

@ -19,7 +19,7 @@ fn main() {
dioxus::web::launch(App, |c| c); dioxus::web::launch(App, |c| c);
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let mut rng = SmallRng::from_entropy(); let mut rng = SmallRng::from_entropy();
let rows = (0..1_000).map(|f| { let rows = (0..1_000).map(|f| {
let label = Label::new(&mut rng); let label = Label::new(&mut rng);
@ -45,11 +45,11 @@ struct RowProps {
row_id: usize, row_id: usize,
label: Label, label: Label,
} }
fn Row<'a>(cx: Context<'a, RowProps>) -> DomTree { fn Row<'a>(cx: Context<'a>, props: &'a RowProps) -> DomTree<'a> {
let [adj, col, noun] = cx.label.0; let [adj, col, noun] = props.label.0;
cx.render(rsx! { cx.render(rsx! {
tr { tr {
td { class:"col-md-1", "{cx.row_id}" } td { class:"col-md-1", "{props.row_id}" }
td { class:"col-md-1", onclick: move |_| { /* run onselect */ } td { class:"col-md-1", onclick: move |_| { /* run onselect */ }
a { class: "lbl", "{adj}" "{col}" "{noun}" } a { class: "lbl", "{adj}" "{col}" "{noun}" }
} }

View File

@ -17,7 +17,7 @@ fn main() -> anyhow::Result<()> {
dioxus::desktop::launch(App, |c| c) dioxus::desktop::launch(App, |c| c)
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let state = use_state(cx, || String::from("hello")); let state = use_state(cx, || String::from("hello"));
let clear_text = state == "hello"; let clear_text = state == "hello";
@ -37,11 +37,11 @@ struct CalculatorKeyProps<'a> {
onclick: &'a dyn Fn(MouseEvent), onclick: &'a dyn Fn(MouseEvent),
} }
fn CalculatorKey<'a, 'r>(cx: Context<'a, CalculatorKeyProps<'r>>) -> DomTree<'a> { fn CalculatorKey<'a>(cx: Context<'a>, props: &'a CalculatorKeyProps) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
button { button {
class: "calculator-key {cx.name}" class: "calculator-key {props.name}"
onclick: {cx.onclick} onclick: {props.onclick}
{cx.children()} {cx.children()}
} }
}) })

View File

@ -16,7 +16,7 @@ fn main() {
dioxus::web::launch(App, |c| c); dioxus::web::launch(App, |c| c);
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let mut count = use_state(cx, || 0); let mut count = use_state(cx, || 0);
cx.render(rsx! { cx.render(rsx! {

View File

@ -12,7 +12,7 @@ https://github.com/rustwasm/gloo
For example, resize observer would function like this: For example, resize observer would function like this:
```rust ```rust
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props|{
let observer = use_resize_observer(); let observer = use_resize_observer();
cx.render(rsx!( cx.render(rsx!(

View File

@ -153,13 +153,13 @@ Notice that LiveComponent receivers (the client-side interpretation of a LiveCom
The `VNodeTree` type is a very special type that allows VNodes to be created using a pluggable allocator. The html! macro creates something that looks like: The `VNodeTree` type is a very special type that allows VNodes to be created using a pluggable allocator. The html! macro creates something that looks like:
```rust ```rust
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props|{
html! { <div> "blah" </div> } html! { <div> "blah" </div> }
}; };
// expands to... // expands to...
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props|{
// This function converts a Fn(allocator) -> DomTree closure to a VNode struct that will later be evaluated. // This function converts a Fn(allocator) -> DomTree closure to a VNode struct that will later be evaluated.
html_macro_to_vnodetree(move |allocator| { html_macro_to_vnodetree(move |allocator| {
let mut node0 = allocator.alloc(VElement::div); let mut node0 = allocator.alloc(VElement::div);
@ -313,7 +313,7 @@ Here's how react does it:
Any "dirty" node causes an entire subtree render. Calling "setState" at the very top will cascade all the way down. This is particularly bad for this component design: Any "dirty" node causes an entire subtree render. Calling "setState" at the very top will cascade all the way down. This is particularly bad for this component design:
```rust ```rust
static APP: FC<()> = |cx| { static APP: FC<()> = |cx, props|{
let title = use_context(Title); let title = use_context(Title);
cx.render(html!{ cx.render(html!{
<div> <div>
@ -334,7 +334,7 @@ static APP: FC<()> = |cx| {
</div> </div>
}) })
}; };
static HEAVY_LIST: FC<()> = |cx| { static HEAVY_LIST: FC<()> = |cx, props|{
cx.render({ cx.render({
{0.100.map(i => <BigElement >)} {0.100.map(i => <BigElement >)}
}) })
@ -378,7 +378,7 @@ struct Props {
} }
static Component: FC<Props> = |cx| { static Component: FC<Props> = |cx, props|{
} }
``` ```

View File

@ -30,7 +30,7 @@ pub fn derive_typed_builder(input: proc_macro::TokenStream) -> proc_macro::Token
/// ///
/// ## Complete Reference Guide: /// ## Complete Reference Guide:
/// ``` /// ```
/// const Example: FC<()> = |cx| { /// const Example: FC<()> = |cx, props|{
/// let formatting = "formatting!"; /// let formatting = "formatting!";
/// let formatting_tuple = ("a", "b"); /// let formatting_tuple = ("a", "b");
/// let lazy_fmt = format_args!("lazily formatted text"); /// let lazy_fmt = format_args!("lazily formatted text");

View File

@ -72,7 +72,7 @@ impl ToTokens for RsxTemplate {
// // create a lazy tree that accepts a bump allocator // // create a lazy tree that accepts a bump allocator
// let final_tokens = quote! { // let final_tokens = quote! {
// dioxus::prelude::LazyNodes::new(move |cx| { // dioxus::prelude::LazyNodes::new(move |cx, props|{
// let bump = &cx.bump(); // let bump = &cx.bump();
// #new_toks // #new_toks

View File

@ -22,7 +22,7 @@ criterion_group!(mbenches, create_rows);
criterion_main!(mbenches); criterion_main!(mbenches);
fn create_rows(c: &mut Criterion) { fn create_rows(c: &mut Criterion) {
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let mut rng = SmallRng::from_entropy(); let mut rng = SmallRng::from_entropy();
let rows = (0..10_000).map(|f| { let rows = (0..10_000).map(|f| {
let label = Label::new(&mut rng); let label = Label::new(&mut rng);
@ -56,11 +56,11 @@ struct RowProps {
row_id: usize, row_id: usize,
label: Label, label: Label,
} }
fn Row<'a>(cx: Context<'a, RowProps>) -> DomTree { fn Row<'a>(cx: Context<'a>, props: &RowProps) -> DomTree<'a> {
let [adj, col, noun] = cx.label.0; let [adj, col, noun] = props.label.0;
cx.render(rsx! { cx.render(rsx! {
tr { tr {
td { class:"col-md-1", "{cx.row_id}" } td { class:"col-md-1", "{props.row_id}" }
td { class:"col-md-1", onclick: move |_| { /* run onselect */ } td { class:"col-md-1", onclick: move |_| { /* run onselect */ }
a { class: "lbl", "{adj}" "{col}" "{noun}" } a { class: "lbl", "{adj}" "{col}" "{noun}" }
} }

View File

@ -2,7 +2,7 @@ use dioxus_core::prelude::*;
fn main() {} fn main() {}
pub static Example: FC<()> = |cx| { pub static Example: FC<()> = |cx, props| {
let list = (0..10).map(|_f| LazyNodes::new(move |_f| todo!())); let list = (0..10).map(|_f| LazyNodes::new(move |_f| todo!()));
cx.render(LazyNodes::new(move |cx| { cx.render(LazyNodes::new(move |cx| {

View File

@ -2,7 +2,7 @@ use dioxus_core::prelude::*;
fn main() {} fn main() {}
const App: FC<()> = |cx| { const App: FC<()> = |cx, props| {
// create a new future // create a new future
let _fut = cx.use_hook( let _fut = cx.use_hook(
|_| { |_| {
@ -20,7 +20,7 @@ const App: FC<()> = |cx| {
todo!() todo!()
}; };
const Task: FC<()> = |cx| { const Task: FC<()> = |cx, props| {
let (_task, _res) = use_task(cx, || async { true }); let (_task, _res) = use_task(cx, || async { true });
// task.pause(); // task.pause();
// task.restart(); // task.restart();
@ -34,6 +34,6 @@ const Task: FC<()> = |cx| {
todo!() todo!()
}; };
fn use_mut<P, T>(_cx: Context<P>, _f: impl FnOnce() -> T) -> &mut T { fn use_mut<P, T>(_cx: Context, _f: impl FnOnce() -> T) -> &mut T {
todo!() todo!()
} }

View File

@ -20,7 +20,7 @@ struct ListItem {
age: u32, age: u32,
} }
fn app(cx: Context<AppProps>) -> DomTree { fn app<'a>(cx: Context<'a>, props: &AppProps) -> DomTree<'a> {
// let (val, set_val) = use_state_classic(cx, || 0); // let (val, set_val) = use_state_classic(cx, || 0);
cx.render(LazyNodes::new(move |_nodecx| { cx.render(LazyNodes::new(move |_nodecx| {
@ -56,7 +56,7 @@ struct ChildProps {
item_handler: Rc<dyn Fn(i32)>, item_handler: Rc<dyn Fn(i32)>,
} }
fn ChildItem<'a>(cx: Context<'a, ChildProps>) -> DomTree { fn ChildItem<'a>(cx: Context<'a>, props: &'a ChildProps) -> DomTree<'a> {
cx.render(LazyNodes::new(move |__cx| todo!())) cx.render(LazyNodes::new(move |__cx| todo!()))
} }

View File

@ -6,7 +6,7 @@ struct SomeContext {
} }
#[allow(unused)] #[allow(unused)]
static Example: FC<()> = |cpt| { static Example: FC<()> = |cx, props| {
todo!() todo!()
// let value = cx.use_context(|c: &SomeContext| c.items.last().unwrap()); // let value = cx.use_context(|c: &SomeContext| c.items.last().unwrap());

View File

@ -2,7 +2,7 @@ use dioxus_core::prelude::*;
fn main() {} fn main() {}
fn app(cx: Context<()>) -> DomTree { fn app<'a>(cx: Context<'a>, props: &()) -> DomTree<'a> {
let vak = use_suspense( let vak = use_suspense(
cx, cx,
|| async {}, || async {},

View File

@ -10,7 +10,7 @@ fn main() {
assert!(g.edits.len() > 1); assert!(g.edits.len() > 1);
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props| {
let mut rng = SmallRng::from_entropy(); let mut rng = SmallRng::from_entropy();
let rows = (0..10_000).map(|f| { let rows = (0..10_000).map(|f| {
let label = Label::new(&mut rng); let label = Label::new(&mut rng);
@ -35,12 +35,12 @@ struct RowProps {
row_id: usize, row_id: usize,
label: Label, label: Label,
} }
fn Row<'a>(cx: Context<'a, RowProps>) -> DomTree { fn Row<'a>(cx: Context<'a>, props: &'a RowProps) -> DomTree<'a> {
cx.render(rsx! { cx.render(rsx! {
tr { tr {
td { class:"col-md-1", "{cx.row_id}" } td { class:"col-md-1", "{props.row_id}" }
td { class:"col-md-1", onclick: move |_| { /* run onselect */ } td { class:"col-md-1", onclick: move |_| { /* run onselect */ }
a { class: "lbl", "{cx.label}" } a { class: "lbl", "{props.label}" }
} }
td { class: "col-md-1" td { class: "col-md-1"
a { class: "remove", onclick: move |_| {/* remove */} a { class: "remove", onclick: move |_| {/* remove */}

View File

@ -4,7 +4,7 @@ use dioxus_core::prelude::*;
#[async_std::main] #[async_std::main]
async fn main() { async fn main() {
static App: FC<()> = |cx| cx.render(LazyNodes::new(|f| f.text(format_args!("hello")))); static App: FC<()> = |cx, props|cx.render(LazyNodes::new(|f| f.text(format_args!("hello"))));
let mut dom = VirtualDom::new(App); let mut dom = VirtualDom::new(App);

View File

@ -68,7 +68,7 @@ impl<'src> Context<'src> {
/// ## Example /// ## Example
/// ///
/// ```rust /// ```rust
/// const App: FC<()> = |cx| { /// const App: FC<()> = |cx, props|{
/// cx.render(rsx!{ /// cx.render(rsx!{
/// CustomCard { /// CustomCard {
/// h1 {} /// h1 {}
@ -77,7 +77,7 @@ impl<'src> Context<'src> {
/// }) /// })
/// } /// }
/// ///
/// const CustomCard: FC<()> = |cx| { /// const CustomCard: FC<()> = |cx, props|{
/// cx.render(rsx!{ /// cx.render(rsx!{
/// div { /// div {
/// h1 {"Title card"} /// h1 {"Title card"}
@ -176,12 +176,12 @@ impl<'src> Context<'src> {
/// ``` /// ```
/// struct SharedState(&'static str); /// struct SharedState(&'static str);
/// ///
/// static App: FC<()> = |cx| { /// static App: FC<()> = |cx, props|{
/// cx.use_provide_state(|| SharedState("world")); /// cx.use_provide_state(|| SharedState("world"));
/// rsx!(cx, Child {}) /// rsx!(cx, Child {})
/// } /// }
/// ///
/// static Child: FC<()> = |cx| { /// static Child: FC<()> = |cx, props|{
/// let state = cx.use_consume_state::<SharedState>(); /// let state = cx.use_consume_state::<SharedState>();
/// rsx!(cx, div { "hello {state.0}" }) /// rsx!(cx, div { "hello {state.0}" })
/// } /// }

View File

@ -58,7 +58,7 @@ impl Scope {
/// ///
/// # Example /// # Example
/// ```rust /// ```rust
/// let mut dom = VirtualDom::new(|cx| cx.render(rsx!{ div {} })); /// let mut dom = VirtualDom::new(|cx, props|cx.render(rsx!{ div {} }));
/// dom.rebuild(); /// dom.rebuild();
/// ///
/// let base = dom.base_scope(); /// let base = dom.base_scope();
@ -78,7 +78,7 @@ impl Scope {
/// # Example /// # Example
/// ///
/// ```rust /// ```rust
/// let mut dom = VirtualDom::new(|cx| cx.render(rsx!{ div {} })); /// let mut dom = VirtualDom::new(|cx, props|cx.render(rsx!{ div {} }));
/// dom.rebuild(); /// dom.rebuild();
/// ///
/// let base = dom.base_scope(); /// let base = dom.base_scope();
@ -98,7 +98,7 @@ impl Scope {
/// # Example /// # Example
/// ///
/// ```rust /// ```rust
/// let mut dom = VirtualDom::new(|cx| cx.render(rsx!{ div {} })); /// let mut dom = VirtualDom::new(|cx, props|cx.render(rsx!{ div {} }));
/// dom.rebuild(); /// dom.rebuild();
/// ///
/// let base = dom.base_scope(); /// let base = dom.base_scope();
@ -116,7 +116,7 @@ impl Scope {
/// # Example /// # Example
/// ///
/// ```rust /// ```rust
/// let mut dom = VirtualDom::new(|cx| cx.render(rsx!{ div {} })); /// let mut dom = VirtualDom::new(|cx, props|cx.render(rsx!{ div {} }));
/// dom.rebuild(); /// dom.rebuild();
/// let base = dom.base_scope(); /// let base = dom.base_scope();
/// ///

View File

@ -31,7 +31,7 @@ use std::any::Any;
/// ///
/// Example /// Example
/// ```rust /// ```rust
/// static App: FC<()> = |cx| { /// static App: FC<()> = |cx, props|{
/// cx.render(rsx!{ /// cx.render(rsx!{
/// div { /// div {
/// "Hello World" /// "Hello World"
@ -180,7 +180,7 @@ impl VirtualDom {
/// struct AppProps { /// struct AppProps {
/// route: &'static str /// route: &'static str
/// } /// }
/// static App: FC<AppProps> = |cx| cx.render(rsx!{ "route is {cx.route}" }); /// static App: FC<AppProps> = |cx, props|cx.render(rsx!{ "route is {cx.route}" });
/// ///
/// let mut dom = VirtualDom::new_with_props(App, AppProps { route: "start" }); /// let mut dom = VirtualDom::new_with_props(App, AppProps { route: "start" });
/// ///
@ -227,7 +227,7 @@ impl VirtualDom {
/// ///
/// # Example /// # Example
/// ``` /// ```
/// static App: FC<()> = |cx| cx.render(rsx!{ "hello world" }); /// static App: FC<()> = |cx, props|cx.render(rsx!{ "hello world" });
/// let mut dom = VirtualDom::new(); /// let mut dom = VirtualDom::new();
/// let edits = dom.rebuild(); /// let edits = dom.rebuild();
/// ///
@ -252,7 +252,7 @@ impl VirtualDom {
/// value: Shared<&'static str>, /// value: Shared<&'static str>,
/// } /// }
/// ///
/// static App: FC<AppProps> = |cx| { /// static App: FC<AppProps> = |cx, props|{
/// let val = cx.value.borrow(); /// let val = cx.value.borrow();
/// cx.render(rsx! { div { "{val}" } }) /// cx.render(rsx! { div { "{val}" } })
/// }; /// };
@ -314,7 +314,7 @@ impl VirtualDom {
/// # Example /// # Example
/// ///
/// ```no_run /// ```no_run
/// static App: FC<()> = |cx| rsx!(cx, div {"hello"} ); /// static App: FC<()> = |cx, props|rsx!(cx, div {"hello"} );
/// let mut dom = VirtualDom::new(App); /// let mut dom = VirtualDom::new(App);
/// loop { /// loop {
/// let deadline = TimeoutFuture::from_ms(16); /// let deadline = TimeoutFuture::from_ms(16);

View File

@ -10,7 +10,7 @@ type Shared<T> = Rc<RefCell<T>>;
#[test] #[test]
fn sample_refs() { fn sample_refs() {
// static App: FC<()> = |cx| { // static App: FC<()> = |cx, props|{
// let div_ref = use_node_ref::<MyRef, _>(cx); // let div_ref = use_node_ref::<MyRef, _>(cx);
// cx.render(rsx! { // cx.render(rsx! {

View File

@ -8,7 +8,7 @@ Dioxus-webview is an attempt at making a simpler "Tauri" where creating desktop
// main.rs // main.rs
#[async_std::main] #[async_std::main]
async fn main() { async fn main() {
dioxus_desktop::new(|cx| { dioxus_desktop::new(|cx, props|{
let (count, set_count) = use_state(cx, || 0); let (count, set_count) = use_state(cx, || 0);
cx.render(html! { cx.render(html! {
<div> <div>

View File

@ -6,7 +6,7 @@ fn main() {
dioxus_desktop::launch(App, |f| f.with_window(|w| w.with_maximized(true))).expect("Failed"); dioxus_desktop::launch(App, |f| f.with_window(|w| w.with_maximized(true))).expect("Failed");
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props|{
// //
cx.render(rsx!( cx.render(rsx!(
div { div {

View File

@ -10,7 +10,7 @@ fn main() {}
// Remvoe, // Remvoe,
// } // }
// static Component: FC<()> = |cx| { // static Component: FC<()> = |cx, props|{
// let (tasks, dispatch) = use_reducer( // let (tasks, dispatch) = use_reducer(
// cx, // cx,
// || CompState { tasks: Vec::new() }, // || CompState { tasks: Vec::new() },

View File

@ -36,7 +36,7 @@ uses the same memoization on top of the use_context API.
Here's a fully-functional todo app using the use_map API: Here's a fully-functional todo app using the use_map API:
```rust ```rust
static TodoList: FC<()> = |cx| { static TodoList: FC<()> = |cx, props|{
let todos = use_map(cx, || HashMap::new()); let todos = use_map(cx, || HashMap::new());
let input = use_ref(|| None); let input = use_ref(|| None);

View File

@ -33,6 +33,6 @@ impl<T> Clone for UseRef<'_, T> {
} }
impl<T> Copy for UseRef<'_, T> {} impl<T> Copy for UseRef<'_, T> {}
pub fn use_ref<P, T: 'static>(cx: Context<P>, f: impl FnOnce() -> T) -> UseRef<T> { pub fn use_ref<T: 'static>(cx: Context, f: impl FnOnce() -> T) -> UseRef<T> {
cx.use_hook(|_| RefCell::new(f()), |f| UseRef { inner: f }, |_| {}) cx.use_hook(|_| RefCell::new(f()), |f| UseRef { inner: f }, |_| {})
} }

View File

@ -35,7 +35,7 @@ use std::{
/// ///
/// Usage: /// Usage:
/// ```ignore /// ```ignore
/// const Example: FC<()> = |cx| { /// const Example: FC<()> = |cx, props|{
/// let counter = use_state(cx, || 0); /// let counter = use_state(cx, || 0);
/// let increment = |_| counter += 1; /// let increment = |_| counter += 1;
/// let decrement = |_| counter += 1; /// let decrement = |_| counter += 1;
@ -49,8 +49,8 @@ use std::{
/// } /// }
/// } /// }
/// ``` /// ```
pub fn use_state<'a, 'c, T: 'static, F: FnOnce() -> T, P>( pub fn use_state<'a, 'c, T: 'static, F: FnOnce() -> T>(
cx: Context<'a, P>, cx: Context<'a>,
initial_state_fn: F, initial_state_fn: F,
) -> UseState<'a, T> { ) -> UseState<'a, T> {
cx.use_hook( cx.use_hook(

View File

@ -4,7 +4,7 @@ Render a Dioxus VirtualDOM to a string.
```rust ```rust
// Our app: // Our app:
const App: FC<()> = |cx| cx.render(rsx!(div {"hello world!"})); const App: FC<()> = |cx, props|cx.render(rsx!(div {"hello world!"}));
// Build the virtualdom from our app // Build the virtualdom from our app
let mut vdom = VirtualDOM::new(App); let mut vdom = VirtualDOM::new(App);

View File

@ -12,7 +12,7 @@ fn main() {
) )
} }
pub static App: FC<()> = |cx| { pub static App: FC<()> = |cx, props|{
cx.render(rsx!( cx.render(rsx!(
div { div {
class: "overflow-hidden" class: "overflow-hidden"

View File

@ -40,8 +40,8 @@ struct ExampleProps {
initial_name: String, initial_name: String,
} }
static Example: FC<ExampleProps> = |cx| { static Example: FC<ExampleProps> = |cx, props| {
let dispaly_name = use_state(cx, move || cx.initial_name.clone()); let dispaly_name = use_state(cx, move || props.initial_name.clone());
cx.render(rsx! { cx.render(rsx! {
div { class: "py-12 px-4 text-center w-full max-w-2xl mx-auto", div { class: "py-12 px-4 text-center w-full max-w-2xl mx-auto",

View File

@ -23,7 +23,7 @@ fn main() {
.unwrap(); .unwrap();
} }
pub static App: FC<()> = |cx| { pub static App: FC<()> = |cx, props|{
cx.render(rsx!( cx.render(rsx!(
div { class: "overflow-hidden" div { class: "overflow-hidden"
link { href:"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css" rel:"stylesheet" } link { href:"https://unpkg.com/tailwindcss@^2/dist/tailwind.min.css" rel:"stylesheet" }
@ -38,7 +38,7 @@ pub static App: FC<()> = |cx| {
)) ))
}; };
pub static Header: FC<()> = |cx| { pub static Header: FC<()> = |cx, props|{
cx.render(rsx! { cx.render(rsx! {
div { div {
header { class: "text-gray-400 bg-gray-900 body-font" header { class: "text-gray-400 bg-gray-900 body-font"
@ -64,7 +64,7 @@ pub static Header: FC<()> = |cx| {
}) })
}; };
pub static Hero: FC<()> = |cx| { pub static Hero: FC<()> = |cx, props|{
// //
cx.render(rsx! { cx.render(rsx! {
section{ class: "text-gray-400 bg-gray-900 body-font" section{ class: "text-gray-400 bg-gray-900 body-font"
@ -102,7 +102,7 @@ pub static Hero: FC<()> = |cx| {
} }
}) })
}; };
pub static Entry: FC<()> = |cx| { pub static Entry: FC<()> = |cx, props|{
// //
cx.render(rsx! { cx.render(rsx! {
section{ class: "text-gray-400 bg-gray-900 body-font" section{ class: "text-gray-400 bg-gray-900 body-font"
@ -115,7 +115,7 @@ pub static Entry: FC<()> = |cx| {
}) })
}; };
pub static StacksIcon: FC<()> = |cx| { pub static StacksIcon: FC<()> = |cx, props|{
cx.render(rsx!( cx.render(rsx!(
svg { svg {
// xmlns: "http://www.w3.org/2000/svg" // xmlns: "http://www.w3.org/2000/svg"
@ -130,7 +130,7 @@ pub static StacksIcon: FC<()> = |cx| {
} }
)) ))
}; };
pub static RightArrowIcon: FC<()> = |cx| { pub static RightArrowIcon: FC<()> = |cx, props|{
cx.render(rsx!( cx.render(rsx!(
svg { svg {
fill: "none" fill: "none"

View File

@ -44,7 +44,7 @@ pub fn render_vdom_scope(vdom: &VirtualDom, scope: ScopeId) -> Option<String> {
/// ///
/// ## Example /// ## Example
/// ```ignore /// ```ignore
/// static App: FC<()> = |cx| cx.render(rsx!(div { "hello world" })); /// static App: FC<()> = |cx, props|cx.render(rsx!(div { "hello world" }));
/// let mut vdom = VirtualDom::new(App); /// let mut vdom = VirtualDom::new(App);
/// vdom.rebuild(); /// vdom.rebuild();
/// ///
@ -242,13 +242,13 @@ mod tests {
use dioxus_core::prelude::*; use dioxus_core::prelude::*;
use dioxus_html as dioxus_elements; use dioxus_html as dioxus_elements;
static SIMPLE_APP: FC<()> = |cx| { static SIMPLE_APP: FC<()> = |cx, props|{
cx.render(rsx!(div { cx.render(rsx!(div {
"hello world!" "hello world!"
})) }))
}; };
static SLIGHTLY_MORE_COMPLEX: FC<()> = |cx| { static SLIGHTLY_MORE_COMPLEX: FC<()> = |cx, props|{
cx.render(rsx! { cx.render(rsx! {
div { div {
title: "About W3Schools" title: "About W3Schools"
@ -267,14 +267,14 @@ mod tests {
}) })
}; };
static NESTED_APP: FC<()> = |cx| { static NESTED_APP: FC<()> = |cx, props|{
cx.render(rsx!( cx.render(rsx!(
div { div {
SIMPLE_APP {} SIMPLE_APP {}
} }
)) ))
}; };
static FRAGMENT_APP: FC<()> = |cx| { static FRAGMENT_APP: FC<()> = |cx, props|{
cx.render(rsx!( cx.render(rsx!(
div { "f1" } div { "f1" }
div { "f2" } div { "f2" }
@ -330,7 +330,7 @@ mod tests {
#[test] #[test]
fn styles() { fn styles() {
static STLYE_APP: FC<()> = |cx| { static STLYE_APP: FC<()> = |cx, props|{
cx.render(rsx! { cx.render(rsx! {
div { style: { color: "blue", font_size: "46px" } } div { style: { color: "blue", font_size: "46px" } }
}) })

View File

@ -28,7 +28,7 @@ struct DogApi {
const ENDPOINT: &str = "https://dog.ceo/api/breeds/image/random/"; const ENDPOINT: &str = "https://dog.ceo/api/breeds/image/random/";
static App: FC<()> = |cx| { static App: FC<()> = |cx, props|{
let state = use_state(cx, || 0); let state = use_state(cx, || 0);
let dog_node = use_suspense( let dog_node = use_suspense(

View File

@ -22,7 +22,7 @@ fn main() {
dioxus_web::launch(APP, |c| c) dioxus_web::launch(APP, |c| c)
} }
static APP: FC<()> = |cx| { static APP: FC<()> = |cx, props|{
let mut count = use_state(cx, || 3); let mut count = use_state(cx, || 3);
cx.render(rsx! { cx.render(rsx! {
@ -44,7 +44,7 @@ static APP: FC<()> = |cx| {
}) })
}; };
static Child: FC<()> = |cx| { static Child: FC<()> = |cx, props|{
cx.render(rsx! { cx.render(rsx! {
div { div {
div { div {

View File

@ -24,7 +24,7 @@ fn main() {
dioxus_web::launch(App, |c| c) dioxus_web::launch(App, |c| c)
} }
static App: FC<()> = |cx| { static App: FC<()> = |cx, props|{
let mut state = use_state(cx, || 0); let mut state = use_state(cx, || 0);
cx.render(rsx! { cx.render(rsx! {
div { div {

Some files were not shown because too many files have changed in this diff Show More