跳至主要内容
版本:0.21

回调

回调用于在事件处理期间异步地向上组件树以及与其他内容(如代理或 DOM)进行通信。在内部,它们的类型只是一个用 Rc 封装的 Fn,以允许它们被廉价克隆。

如果你想手动调用它们,它们有一个 emit 函数。

use yew::{html, Component, Context, Html, Callback};

let cb: Callback<String, String> = Callback::from(move |name: String| {
format!("Bye {}", name)
});

let result = cb.emit(String::from("Bob")); // call the callback
// web_sys::console::log_1(&result.into()); // if uncommented will print "Bye Bob"

将回调作为道具传递

在 yew 中,一种常见的模式是创建一个回调并将其作为道具向下传递。

use yew::{function_component, html, Html, Properties, Callback};

#[derive(Properties, PartialEq)]
pub struct Props {
pub on_name_entry: Callback<String>,
}

#[function_component]
fn HelloWorld(props: &Props) -> Html {

props.on_name_entry.emit(String::from("Bob"));

html! { "Hello" }
}

// Then supply the prop
#[function_component]
fn App() -> Html {
let on_name_entry: Callback<String> = Callback::from(move |name: String| {
let greeting = format!("Hey, {}!", name);
// web_sys::console::log_1(&greeting.into()); // if uncommented will print
});

html! { <HelloWorld {on_name_entry} /> }
}

DOM 事件和回调

回调还用于挂接到 DOM 事件。

例如,我们在此定义一个回调,它将在用户单击按钮时被调用

use yew::{function_component, html, Html, Properties, Callback};

#[function_component]
fn App() -> Html {
let onclick = Callback::from(move |_| {
let greeting = String::from("Hi there");
// web_sys::console::log_1(&greeting.into()); // if uncommented will print
});

html! {
<button {onclick}>{ "Click" }</button>
}
}