-
-
Notifications
You must be signed in to change notification settings - Fork 928
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
add example demonstrating the correct usage of use_resource w router
- Loading branch information
Showing
1 changed file
with
65 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,65 @@ | ||
//! Example: Updating components with use_resource | ||
//! ----------------- | ||
//! | ||
//! This example shows how to use use_reactive to update a component properly | ||
//! when linking to it from the same component, when using use_resource | ||
use dioxus::prelude::*; | ||
|
||
#[derive(Clone, Routable, Debug, PartialEq)] | ||
enum Route { | ||
#[route("/")] | ||
Home {}, | ||
#[route("/blog/:id")] | ||
Blog { id: i32 }, | ||
} | ||
|
||
fn main() { | ||
launch(App); | ||
} | ||
|
||
#[component] | ||
fn App() -> Element { | ||
rsx! { | ||
Router::<Route> {} | ||
} | ||
} | ||
|
||
#[component] | ||
fn Blog(id: i32) -> Element { | ||
async fn future(n: i32) -> i32 { | ||
n | ||
} | ||
|
||
// if you use the naive approach, the "Blog post {id}" below will never update when clicking links! | ||
// let res = use_resource(move || future(id)); | ||
|
||
// the use_reactive hook is required to properly update when clicking links to this component, from this component | ||
let res = use_resource(use_reactive(&id, |id| future(id))); | ||
|
||
match res() { | ||
Some(id) => rsx! { | ||
div { | ||
"Blog post {id}" | ||
} | ||
for i in 0..10 { | ||
div { | ||
Link { to: Route::Blog { id: i }, "Go to Blog {i}" } | ||
} | ||
} | ||
}, | ||
None => rsx! {}, | ||
} | ||
} | ||
|
||
#[component] | ||
fn Home() -> Element { | ||
rsx! { | ||
Link { | ||
to: Route::Blog { | ||
id: 0 | ||
}, | ||
"Go to blog" | ||
} | ||
} | ||
} |