123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385 |
- use bumpalo::Bump;
- use futures_channel::mpsc::UnboundedSender;
- use fxhash::FxHashMap;
- use slab::Slab;
- use std::cell::{Cell, RefCell};
- use crate::innerlude::*;
- pub type FcSlot = *const ();
- pub struct Heuristic {
- hook_arena_size: usize,
- node_arena_size: usize,
- }
- // a slab-like arena with stable references even when new scopes are allocated
- // uses a bump arena as a backing
- //
- // has an internal heuristics engine to pre-allocate arenas to the right size
- pub(crate) struct ScopeArena {
- bump: Bump,
- scope_counter: Cell<usize>,
- scopes: RefCell<FxHashMap<ScopeId, *mut Scope>>,
- pub heuristics: RefCell<FxHashMap<FcSlot, Heuristic>>,
- free_scopes: RefCell<Vec<*mut Scope>>,
- nodes: RefCell<Slab<*const VNode<'static>>>,
- pub(crate) sender: UnboundedSender<SchedulerMsg>,
- }
- impl ScopeArena {
- pub(crate) fn new(sender: UnboundedSender<SchedulerMsg>) -> Self {
- let bump = Bump::new();
- // allocate a container for the root element
- // this will *never* show up in the diffing process
- let el = bump.alloc(VElement {
- tag_name: "root",
- namespace: None,
- key: None,
- dom_id: Cell::new(Some(ElementId(0))),
- parent_id: Default::default(),
- listeners: &[],
- attributes: &[],
- children: &[],
- });
- let node = bump.alloc(VNode::Element(el));
- let mut nodes = Slab::new();
- let root_id = nodes.insert(unsafe { std::mem::transmute(node as *const _) });
- debug_assert_eq!(root_id, 0);
- Self {
- scope_counter: Cell::new(0),
- bump,
- scopes: RefCell::new(FxHashMap::default()),
- heuristics: RefCell::new(FxHashMap::default()),
- free_scopes: RefCell::new(Vec::new()),
- nodes: RefCell::new(nodes),
- sender,
- }
- }
- /// Safety:
- /// - Obtaining a mutable refernece to any Scope is unsafe
- /// - Scopes use interior mutability when sharing data into components
- pub(crate) fn get_scope(&self, id: &ScopeId) -> Option<&Scope> {
- unsafe { self.scopes.borrow().get(id).map(|f| &**f) }
- }
- pub(crate) unsafe fn get_scope_raw(&self, id: &ScopeId) -> Option<*mut Scope> {
- self.scopes.borrow().get(id).copied()
- }
- pub(crate) unsafe fn get_scope_mut(&self, id: &ScopeId) -> Option<&mut Scope> {
- self.scopes.borrow().get(id).map(|s| &mut **s)
- }
- pub(crate) fn new_with_key(
- &self,
- fc_ptr: *const (),
- caller: *const dyn Fn(&Scope) -> Element,
- parent_scope: Option<*mut Scope>,
- container: ElementId,
- height: u32,
- subtree: u32,
- ) -> ScopeId {
- let new_scope_id = ScopeId(self.scope_counter.get());
- self.scope_counter.set(self.scope_counter.get() + 1);
- if let Some(old_scope) = self.free_scopes.borrow_mut().pop() {
- let scope = unsafe { &mut *old_scope };
- log::debug!(
- "reusing scope {:?} as {:?}",
- scope.our_arena_idx,
- new_scope_id
- );
- scope.caller = caller;
- scope.parent_scope = parent_scope;
- scope.height = height;
- scope.subtree = Cell::new(subtree);
- scope.our_arena_idx = new_scope_id;
- scope.container = container;
- scope.frames[0].nodes.get_mut().push({
- let vnode = scope.frames[0]
- .bump
- .alloc(VNode::Text(scope.frames[0].bump.alloc(VText {
- dom_id: Default::default(),
- is_static: false,
- text: "",
- })));
- unsafe { std::mem::transmute(vnode as *mut VNode) }
- });
- scope.frames[1].nodes.get_mut().push({
- let vnode = scope.frames[1]
- .bump
- .alloc(VNode::Text(scope.frames[1].bump.alloc(VText {
- dom_id: Default::default(),
- is_static: false,
- text: "",
- })));
- unsafe { std::mem::transmute(vnode as *mut VNode) }
- });
- let any_item = self.scopes.borrow_mut().insert(new_scope_id, scope);
- debug_assert!(any_item.is_none());
- new_scope_id
- } else {
- let (node_capacity, hook_capacity) = {
- let heuristics = self.heuristics.borrow();
- if let Some(heuristic) = heuristics.get(&fc_ptr) {
- (heuristic.node_arena_size, heuristic.hook_arena_size)
- } else {
- (0, 0)
- }
- };
- let mut frames = [BumpFrame::new(node_capacity), BumpFrame::new(node_capacity)];
- frames[0].nodes.get_mut().push({
- let vnode = frames[0]
- .bump
- .alloc(VNode::Text(frames[0].bump.alloc(VText {
- dom_id: Default::default(),
- is_static: false,
- text: "",
- })));
- unsafe { std::mem::transmute(vnode as *mut VNode) }
- });
- frames[1].nodes.get_mut().push({
- let vnode = frames[1]
- .bump
- .alloc(VNode::Text(frames[1].bump.alloc(VText {
- dom_id: Default::default(),
- is_static: false,
- text: "",
- })));
- unsafe { std::mem::transmute(vnode as *mut VNode) }
- });
- let scope = self.bump.alloc(Scope {
- sender: self.sender.clone(),
- container,
- our_arena_idx: new_scope_id,
- parent_scope,
- height,
- frames,
- subtree: Cell::new(subtree),
- is_subtree_root: Cell::new(false),
- caller,
- generation: 0.into(),
- hooks: HookList::new(hook_capacity),
- shared_contexts: Default::default(),
- items: RefCell::new(SelfReferentialItems {
- listeners: Default::default(),
- borrowed_props: Default::default(),
- suspended_nodes: Default::default(),
- tasks: Default::default(),
- pending_effects: Default::default(),
- }),
- });
- let any_item = self.scopes.borrow_mut().insert(new_scope_id, scope);
- debug_assert!(any_item.is_none());
- new_scope_id
- }
- }
- pub fn try_remove(&self, id: &ScopeId) -> Option<()> {
- self.ensure_drop_safety(id);
- log::debug!("removing scope {:?}", id);
- // Safety:
- // - ensure_drop_safety ensures that no references to this scope are in use
- // - this raw pointer is removed from the map
- let scope = unsafe { &mut *self.scopes.borrow_mut().remove(id).unwrap() };
- // we're just reusing scopes so we need to clear it out
- scope.hooks.clear();
- scope.shared_contexts.get_mut().clear();
- scope.parent_scope = None;
- scope.generation.set(0);
- scope.is_subtree_root.set(false);
- scope.subtree.set(0);
- scope.frames[0].nodes.get_mut().clear();
- scope.frames[1].nodes.get_mut().clear();
- scope.frames[0].bump.reset();
- scope.frames[1].bump.reset();
- let SelfReferentialItems {
- borrowed_props,
- listeners,
- pending_effects,
- suspended_nodes,
- tasks,
- } = scope.items.get_mut();
- borrowed_props.clear();
- listeners.clear();
- pending_effects.clear();
- suspended_nodes.clear();
- tasks.clear();
- self.free_scopes.borrow_mut().push(scope);
- Some(())
- }
- pub fn reserve_node(&self, node: &VNode) -> ElementId {
- let mut els = self.nodes.borrow_mut();
- let entry = els.vacant_entry();
- let key = entry.key();
- let id = ElementId(key);
- let node: *const VNode = node as *const _;
- let node = unsafe { std::mem::transmute::<*const VNode, *const VNode>(node) };
- entry.insert(node);
- id
- }
- pub fn update_reservation(&self, node: &VNode, id: ElementId) {
- let node = unsafe { std::mem::transmute::<*const VNode, *const VNode>(node) };
- *self.nodes.borrow_mut().get_mut(id.0).unwrap() = node;
- }
- pub fn collect_garbage(&self, id: ElementId) {
- self.nodes.borrow_mut().remove(id.0);
- }
- // These methods would normally exist on `scope` but they need access to *all* of the scopes
- /// This method cleans up any references to data held within our hook list. This prevents mutable aliasing from
- /// causing UB in our tree.
- ///
- /// This works by cleaning up our references from the bottom of the tree to the top. The directed graph of components
- /// essentially forms a dependency tree that we can traverse from the bottom to the top. As we traverse, we remove
- /// any possible references to the data in the hook list.
- ///
- /// References to hook data can only be stored in listeners and component props. During diffing, we make sure to log
- /// all listeners and borrowed props so we can clear them here.
- ///
- /// This also makes sure that drop order is consistent and predictable. All resources that rely on being dropped will
- /// be dropped.
- pub(crate) fn ensure_drop_safety(&self, scope_id: &ScopeId) {
- let scope = self.get_scope(scope_id).unwrap();
- let mut items = scope.items.borrow_mut();
- // make sure we drop all borrowed props manually to guarantee that their drop implementation is called before we
- // run the hooks (which hold an &mut Reference)
- // recursively call ensure_drop_safety on all children
- items.borrowed_props.drain(..).for_each(|comp| {
- let scope_id = comp
- .associated_scope
- .get()
- .expect("VComponents should be associated with a valid Scope");
- self.ensure_drop_safety(&scope_id);
- let mut drop_props = comp.drop_props.borrow_mut().take().unwrap();
- drop_props();
- });
- // Now that all the references are gone, we can safely drop our own references in our listeners.
- items
- .listeners
- .drain(..)
- .for_each(|listener| drop(listener.callback.borrow_mut().take()));
- }
- pub(crate) fn run_scope(&self, id: &ScopeId) -> bool {
- // Cycle to the next frame and then reset it
- // This breaks any latent references, invalidating every pointer referencing into it.
- // Remove all the outdated listeners
- self.ensure_drop_safety(id);
- let scope = unsafe { &mut *self.get_scope_mut(id).expect("could not find scope") };
- log::debug!("found scope, about to run: {:?}", id);
- // Safety:
- // - We dropped the listeners, so no more &mut T can be used while these are held
- // - All children nodes that rely on &mut T are replaced with a new reference
- unsafe { scope.hooks.reset() };
- // Safety:
- // - We've dropped all references to the wip bump frame with "ensure_drop_safety"
- unsafe { scope.reset_wip_frame() };
- {
- let mut items = scope.items.borrow_mut();
- // just forget about our suspended nodes while we're at it
- items.suspended_nodes.clear();
- items.tasks.clear();
- items.pending_effects.clear();
- // guarantee that we haven't screwed up - there should be no latent references anywhere
- debug_assert!(items.listeners.is_empty());
- debug_assert!(items.borrowed_props.is_empty());
- debug_assert!(items.suspended_nodes.is_empty());
- debug_assert!(items.tasks.is_empty());
- debug_assert!(items.pending_effects.is_empty());
- // Todo: see if we can add stronger guarantees around internal bookkeeping and failed component renders.
- scope.wip_frame().nodes.borrow_mut().clear();
- }
- let render: &dyn Fn(&Scope) -> Element = unsafe { &*scope.caller };
- if let Some(link) = render(scope) {
- // right now, it's a panic to render a nodelink from another scope
- // todo: enable this. it should (reasonably) work even if it doesnt make much sense
- assert_eq!(link.scope_id.get(), Some(*id));
- // nodelinks are not assigned when called and must be done so through the create/diff phase
- // however, we need to link this one up since it will never be used in diffing
- scope.wip_frame().assign_nodelink(&link);
- debug_assert_eq!(scope.wip_frame().nodes.borrow().len(), 1);
- if !scope.items.borrow().tasks.is_empty() {
- // self.
- }
- // make the "wip frame" contents the "finished frame"
- // any future dipping into completed nodes after "render" will go through "fin head"
- scope.cycle_frame();
- true
- } else {
- false
- }
- }
- // The head of the bumpframe is the first linked NodeLink
- pub fn wip_head(&self, id: &ScopeId) -> &VNode {
- let scope = self.get_scope(id).unwrap();
- let frame = scope.wip_frame();
- let nodes = frame.nodes.borrow();
- let node: &VNode = unsafe { &**nodes.get(0).unwrap() };
- unsafe { std::mem::transmute::<&VNode, &VNode>(node) }
- }
- // The head of the bumpframe is the first linked NodeLink
- pub fn fin_head(&self, id: &ScopeId) -> &VNode {
- let scope = self.get_scope(id).unwrap();
- let frame = scope.fin_frame();
- let nodes = frame.nodes.borrow();
- let node: &VNode = unsafe { &**nodes.get(0).unwrap() };
- unsafe { std::mem::transmute::<&VNode, &VNode>(node) }
- }
- pub fn root_node(&self, id: &ScopeId) -> &VNode {
- self.fin_head(id)
- }
- }
|