use crate::{ prelude::{current_scope_id, ScopeId}, scope_context::Scope, tasks::SchedulerMsg, Runtime, }; use futures_channel::mpsc::UnboundedReceiver; use generational_box::{GenerationalBox, SyncStorage}; use std::{ cell::RefCell, collections::HashSet, hash::Hash, sync::{Arc, Mutex}, }; #[doc = include_str!("../docs/reactivity.md")] #[derive(Clone, Copy)] pub struct ReactiveContext { scope: ScopeId, inner: GenerationalBox, } impl PartialEq for ReactiveContext { fn eq(&self, other: &Self) -> bool { self.inner.ptr_eq(&other.inner) } } impl Eq for ReactiveContext {} thread_local! { static CURRENT: RefCell> = const { RefCell::new(vec![]) }; } impl std::fmt::Display for ReactiveContext { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { #[cfg(debug_assertions)] { if let Ok(read) = self.inner.try_read() { if let Some(scope) = read.scope { return write!(f, "ReactiveContext(for scope: {:?})", scope); } return write!(f, "ReactiveContext created at {}", read.origin); } } write!(f, "ReactiveContext") } } impl ReactiveContext { /// Create a new reactive context #[track_caller] pub fn new() -> (Self, UnboundedReceiver<()>) { Self::new_with_origin(std::panic::Location::caller()) } /// Create a new reactive context with a location for debugging purposes /// This is useful for reactive contexts created within closures pub fn new_with_origin( origin: &'static std::panic::Location<'static>, ) -> (Self, UnboundedReceiver<()>) { let (tx, rx) = futures_channel::mpsc::unbounded(); let callback = move || { // If there is already an update queued, we don't need to queue another if !tx.is_empty() { return; } let _ = tx.unbounded_send(()); }; let _self = Self::new_with_callback(callback, current_scope_id().unwrap(), origin); (_self, rx) } /// Create a new reactive context that may update a scope. When any signal that this context subscribes to changes, the callback will be run pub fn new_with_callback( callback: impl FnMut() + Send + Sync + 'static, scope: ScopeId, #[allow(unused)] origin: &'static std::panic::Location<'static>, ) -> Self { let inner = Inner { self_: None, update: Box::new(callback), subscribers: Default::default(), #[cfg(debug_assertions)] origin, #[cfg(debug_assertions)] scope: None, }; let owner = scope.owner(); let self_ = Self { scope, inner: owner.insert(inner), }; self_.inner.write().self_ = Some(self_); self_ } /// Get the current reactive context from the nearest reactive hook or scope pub fn current() -> Option { CURRENT.with(|current| current.borrow().last().cloned()) } /// Create a reactive context for a scope id pub(crate) fn new_for_scope(scope: &Scope, runtime: &Runtime) -> Self { let id = scope.id; let sender = runtime.sender.clone(); let update_scope = move || { tracing::trace!("Marking scope {:?} as dirty", id); sender.unbounded_send(SchedulerMsg::Immediate(id)).unwrap(); }; // Otherwise, create a new context at the current scope let inner = Inner { self_: None, update: Box::new(update_scope), subscribers: Default::default(), #[cfg(debug_assertions)] origin: std::panic::Location::caller(), #[cfg(debug_assertions)] scope: Some(id), }; let owner = scope.owner(); let self_ = Self { scope: id, inner: owner.insert(inner), }; self_.inner.write().self_ = Some(self_); self_ } /// Clear all subscribers to this context pub fn clear_subscribers(&self) { let old_subscribers = std::mem::take(&mut self.inner.write().subscribers); for subscriber in old_subscribers { subscriber.0.lock().unwrap().remove(self); } } /// Update the subscribers pub(crate) fn update_subscribers(&self) { let subscribers = &self.inner.read().subscribers; for subscriber in subscribers.iter() { subscriber.0.lock().unwrap().insert(*self); } } /// Reset the reactive context and then run the callback in the context. This can be used to create custom reactive hooks like `use_memo`. /// /// ```rust, no_run /// # use dioxus::prelude::*; /// # use futures_util::StreamExt; /// fn use_simplified_memo(mut closure: impl FnMut() -> i32 + 'static) -> Signal { /// use_hook(|| { /// // Create a new reactive context and channel that will recieve a value every time a value the reactive context subscribes to changes /// let (reactive_context, mut changed) = ReactiveContext::new(); /// // Compute the value of the memo inside the reactive context. This will subscribe the reactive context to any values you read inside the closure /// let value = reactive_context.reset_and_run_in(&mut closure); /// // Create a new signal with the value of the memo /// let mut signal = Signal::new(value); /// // Create a task that reruns the closure when the reactive context changes /// spawn(async move { /// while changed.next().await.is_some() { /// // Since we reset the reactive context as we run the closure, our memo will only subscribe to the new values that are read in the closure /// let new_value = reactive_context.run_in(&mut closure); /// if new_value != value { /// signal.set(new_value); /// } /// } /// }); /// signal /// }) /// } /// /// let mut boolean = use_signal(|| false); /// let mut count = use_signal(|| 0); /// // Because we use `reset_and_run_in` instead of just `run_in`, our memo will only subscribe to the signals that are read this run of the closure (initially just the boolean) /// let memo = use_simplified_memo(move || if boolean() { count() } else { 0 }); /// println!("{memo}"); /// // Because the count signal is not read in this run of the closure, the memo will not rerun /// count += 1; /// println!("{memo}"); /// // Because the boolean signal is read in this run of the closure, the memo will rerun /// boolean.toggle(); /// println!("{memo}"); /// // If we toggle the boolean again, and the memo unsubscribes from the count signal /// boolean.toggle(); /// println!("{memo}"); /// ``` pub fn reset_and_run_in(&self, f: impl FnOnce() -> O) -> O { self.clear_subscribers(); self.run_in(f) } /// Run this function in the context of this reactive context /// /// This will set the current reactive context to this context for the duration of the function. /// You can then get information about the current subscriptions. pub fn run_in(&self, f: impl FnOnce() -> O) -> O { CURRENT.with(|current| current.borrow_mut().push(*self)); let out = f(); CURRENT.with(|current| current.borrow_mut().pop()); self.update_subscribers(); out } /// Marks this reactive context as dirty /// /// If there's a scope associated with this context, then it will be marked as dirty too /// /// Returns true if the context was marked as dirty, or false if the context has been dropped pub fn mark_dirty(&self) -> bool { if let Ok(mut self_write) = self.inner.try_write() { #[cfg(debug_assertions)] { tracing::trace!( "Marking reactive context created at {} as dirty", self_write.origin ); } (self_write.update)(); true } else { false } } /// Subscribe to this context. The reactive context will automatically remove itself from the subscriptions when it is reset. pub fn subscribe(&self, subscriptions: Arc>>) { subscriptions.lock().unwrap().insert(*self); self.inner .write() .subscribers .insert(PointerHash(subscriptions)); } /// Get the scope that inner CopyValue is associated with pub fn origin_scope(&self) -> ScopeId { self.scope } } impl Hash for ReactiveContext { fn hash(&self, state: &mut H) { self.inner.id().hash(state); } } struct PointerHash(Arc); impl Hash for PointerHash { fn hash(&self, state: &mut H) { std::sync::Arc::::as_ptr(&self.0).hash(state); } } impl PartialEq for PointerHash { fn eq(&self, other: &Self) -> bool { std::sync::Arc::::as_ptr(&self.0) == std::sync::Arc::::as_ptr(&other.0) } } impl Eq for PointerHash {} impl Clone for PointerHash { fn clone(&self) -> Self { Self(self.0.clone()) } } type SubscriberMap = Mutex>; struct Inner { self_: Option, // Futures will call .changed().await update: Box, // Subscribers to this context subscribers: HashSet>, // Debug information for signal subscriptions #[cfg(debug_assertions)] origin: &'static std::panic::Location<'static>, #[cfg(debug_assertions)] // The scope that this reactive context is associated with scope: Option, }