Skip to main content
Version: Next

从 0.22.0 迁移到 0.23.0

use_reducer 不再在恒等分发时重新渲染

use_reducer 现在在 reducer 返回相同的 Rc 时(通过指针相等性判断)会跳过重新渲染。之前,每次分发都会触发重新渲染。

如果你的 reducer 有一个返回 self 不变的代码路径,并且你依赖它来触发重新渲染,请用 use_force_update 替代:

pub enum Action {
Increment,
ForceRefresh,
}

struct State {
count: u32,
}

impl Reducible for State {
type Action = Action;

fn reduce(self: Rc<Self>, action: Self::Action) -> Rc<Self> {
match action {
Action::Increment => Rc::new(Self {
count: self.count + 1,
}),
// 在 0.23 中这不再触发重新渲染!
Action::ForceRefresh => self,
}
}
}

#[component]
pub fn App() -> Html {
use_effect(|| {
tracing::info!("This cursed component does some effects on render");
});
let state = use_reducer(|| State { count: 0 });
html! {
<div>
<p>{ state.count }</p>
<button onclick={
let state = state.clone();
move |_| state.dispatch(Action::Increment)
}>
{ "+1" }
</button>
<button onclick={move |_| state.dispatch(Action::ForceRefresh)}>
{ "刷新" }
</button>
</div>
}
}