123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479 |
- use std::cell::Cell;
- use crate::factory::RenderReturn;
- use crate::innerlude::{VComponent, VText};
- use crate::mutations::Mutation;
- use crate::mutations::Mutation::*;
- use crate::nodes::VNode;
- use crate::nodes::{DynamicNode, TemplateNode};
- use crate::virtual_dom::VirtualDom;
- use crate::{AttributeValue, ElementId, ScopeId, SuspenseContext, TemplateAttribute};
- impl<'b> VirtualDom {
- /// Create a new template [`VNode`] and write it to the [`Mutations`] buffer.
- ///
- /// This method pushes the ScopeID to the internal scopestack and returns the number of nodes created.
- pub(crate) fn create_scope(&mut self, scope: ScopeId, template: &'b VNode<'b>) -> usize {
- self.scope_stack.push(scope);
- let out = self.create(template);
- self.scope_stack.pop();
- out
- }
- /// Create this template and write its mutations
- pub(crate) fn create(&mut self, template: &'b VNode<'b>) -> usize {
- // The best renderers will have templates prehydrated and registered
- // Just in case, let's create the template using instructions anyways
- if !self.templates.contains_key(&template.template.id) {
- self.register_template(template);
- }
- // Walk the roots, creating nodes and assigning IDs
- // todo: adjust dynamic nodes to be in the order of roots and then leaves (ie BFS)
- let mut dynamic_attrs = template.template.attr_paths.iter().enumerate().peekable();
- let mut dynamic_nodes = template.template.node_paths.iter().enumerate().peekable();
- let cur_scope = self.scope_stack.last().copied().unwrap();
- let mut on_stack = 0;
- for (root_idx, root) in template.template.roots.iter().enumerate() {
- // We might need to generate an ID for the root node
- on_stack += match root {
- TemplateNode::DynamicText(id) | TemplateNode::Dynamic(id) => {
- match &template.dynamic_nodes[*id] {
- // a dynamic text node doesn't replace a template node, instead we create it on the fly
- DynamicNode::Text(VText { id: slot, value }) => {
- let id = self.next_element(template, template.template.node_paths[*id]);
- slot.set(id);
- // Safety: we promise not to re-alias this text later on after committing it to the mutation
- let unbounded_text = unsafe { std::mem::transmute(*value) };
- self.mutations.push(CreateTextNode {
- value: unbounded_text,
- id,
- });
- 1
- }
- DynamicNode::Placeholder(slot) => {
- let id = self.next_element(template, template.template.node_paths[*id]);
- slot.set(id);
- self.mutations.push(CreatePlaceholder { id });
- 1
- }
- DynamicNode::Fragment(_) | DynamicNode::Component { .. } => {
- self.create_dynamic_node(template, &template.dynamic_nodes[*id], *id)
- }
- }
- }
- TemplateNode::Element { .. } | TemplateNode::Text(_) => {
- let this_id = self.next_root(template, root_idx);
- template.root_ids[root_idx].set(this_id);
- self.mutations.push(LoadTemplate {
- name: template.template.id,
- index: root_idx,
- id: this_id,
- });
- // we're on top of a node that has a dynamic attribute for a descendant
- // Set that attribute now before the stack gets in a weird state
- while let Some((mut attr_id, path)) =
- dynamic_attrs.next_if(|(_, p)| p[0] == root_idx as u8)
- {
- // if attribute is on a root node, then we've already created the element
- // Else, it's deep in the template and we should create a new id for it
- let id = match path.len() {
- 1 => this_id,
- _ => {
- let id = self
- .next_element(template, template.template.attr_paths[attr_id]);
- self.mutations.push(Mutation::AssignId {
- path: &path[1..],
- id,
- });
- id
- }
- };
- loop {
- let attribute = template.dynamic_attrs.get(attr_id).unwrap();
- attribute.mounted_element.set(id);
- // Safety: we promise not to re-alias this text later on after committing it to the mutation
- let unbounded_name = unsafe { std::mem::transmute(attribute.name) };
- match &attribute.value {
- AttributeValue::Text(value) => {
- // Safety: we promise not to re-alias this text later on after committing it to the mutation
- let unbounded_value = unsafe { std::mem::transmute(*value) };
- self.mutations.push(SetAttribute {
- name: unbounded_name,
- value: unbounded_value,
- ns: attribute.namespace,
- id,
- })
- }
- AttributeValue::Bool(value) => {
- self.mutations.push(SetBoolAttribute {
- name: unbounded_name,
- value: *value,
- id,
- })
- }
- AttributeValue::Listener(_) => {
- self.mutations.push(NewEventListener {
- // all listeners start with "on"
- name: &unbounded_name[2..],
- scope: cur_scope,
- id,
- })
- }
- AttributeValue::Float(_) => todo!(),
- AttributeValue::Int(_) => todo!(),
- AttributeValue::Any(_) => todo!(),
- AttributeValue::None => todo!(),
- }
- // Only push the dynamic attributes forward if they match the current path (same element)
- match dynamic_attrs.next_if(|(_, p)| *p == path) {
- Some((next_attr_id, _)) => attr_id = next_attr_id,
- None => break,
- }
- }
- }
- // We're on top of a node that has a dynamic child for a descendant
- // Skip any node that's a root
- let mut start = None;
- let mut end = None;
- // Collect all the dynamic nodes below this root
- // We assign the start and end of the range of dynamic nodes since they area ordered in terms of tree path
- //
- // [0]
- // [1, 1] <---|
- // [1, 1, 1] <---| these are the range of dynamic nodes below root 1
- // [1, 1, 2] <---|
- // [2]
- //
- // We collect each range and then create them and replace the placeholder in the template
- while let Some((idx, p)) =
- dynamic_nodes.next_if(|(_, p)| p[0] == root_idx as u8)
- {
- if p.len() == 1 {
- continue;
- }
- if start.is_none() {
- start = Some(idx);
- }
- end = Some(idx);
- }
- //
- if let (Some(start), Some(end)) = (start, end) {
- for idx in start..=end {
- let node = &template.dynamic_nodes[idx];
- let m = self.create_dynamic_node(template, node, idx);
- if m > 0 {
- self.mutations.push(ReplacePlaceholder {
- m,
- path: &template.template.node_paths[idx][1..],
- });
- }
- }
- }
- // elements create only one node :-)
- 1
- }
- };
- }
- on_stack
- }
- /// Insert a new template into the VirtualDom's template registry
- fn register_template(&mut self, template: &'b VNode<'b>) {
- // First, make sure we mark the template as seen, regardless if we process it
- self.templates
- .insert(template.template.id, template.template);
- // If it's all dynamic nodes, then we don't need to register it
- // Quickly run through and see if it's all just dynamic nodes
- let dynamic_roots = template
- .template
- .roots
- .iter()
- .filter(|root| {
- matches!(
- root,
- TemplateNode::Dynamic(_) | TemplateNode::DynamicText(_)
- )
- })
- .count();
- if dynamic_roots == template.template.roots.len() {
- return;
- }
- for node in template.template.roots {
- self.create_static_node(node);
- }
- self.mutations.template_mutations.push(SaveTemplate {
- name: template.template.id,
- m: template.template.roots.len(),
- });
- }
- pub(crate) fn create_static_node(&mut self, node: &'b TemplateNode<'static>) {
- match *node {
- // Todo: create the children's template
- TemplateNode::Dynamic(_) => self
- .mutations
- .template_mutations
- .push(CreateStaticPlaceholder {}),
- TemplateNode::Text(value) => self
- .mutations
- .template_mutations
- .push(CreateStaticText { value }),
- TemplateNode::DynamicText { .. } => self
- .mutations
- .template_mutations
- .push(CreateTextPlaceholder),
- TemplateNode::Element {
- attrs,
- children,
- namespace,
- tag,
- ..
- } => {
- if let Some(namespace) = namespace {
- self.mutations
- .template_mutations
- .push(CreateElementNamespace {
- name: tag,
- namespace,
- });
- } else {
- self.mutations
- .template_mutations
- .push(CreateElement { name: tag });
- }
- self.mutations
- .template_mutations
- .extend(attrs.iter().filter_map(|attr| match attr {
- TemplateAttribute::Static {
- name,
- value,
- namespace,
- ..
- } => Some(SetStaticAttribute {
- name,
- value,
- ns: *namespace,
- }),
- _ => None,
- }));
- if children.is_empty() {
- return;
- }
- children
- .iter()
- .for_each(|child| self.create_static_node(child));
- self.mutations
- .template_mutations
- .push(AppendChildren { m: children.len() })
- }
- }
- }
- pub(crate) fn create_dynamic_node(
- &mut self,
- template: &'b VNode<'b>,
- node: &'b DynamicNode<'b>,
- idx: usize,
- ) -> usize {
- use DynamicNode::*;
- match node {
- Text(text) => self.create_dynamic_text(template, text, idx),
- Fragment(frag) => self.create_fragment(frag),
- Placeholder(frag) => self.create_placeholder(frag, template, idx),
- Component(component) => self.create_component_node(template, component, idx),
- }
- }
- fn create_dynamic_text(
- &mut self,
- template: &'b VNode<'b>,
- text: &'b VText<'b>,
- idx: usize,
- ) -> usize {
- // Allocate a dynamic element reference for this text node
- let new_id = self.next_element(template, template.template.node_paths[idx]);
- // Make sure the text node is assigned to the correct element
- text.id.set(new_id);
- // Safety: we promise not to re-alias this text later on after committing it to the mutation
- let value = unsafe { std::mem::transmute(text.value) };
- // Add the mutation to the list
- self.mutations.push(HydrateText {
- id: new_id,
- path: &template.template.node_paths[idx][1..],
- value,
- });
- // Since we're hydrating an existing node, we don't create any new nodes
- 0
- }
- pub(crate) fn create_placeholder(
- &mut self,
- slot: &Cell<ElementId>,
- template: &'b VNode<'b>,
- idx: usize,
- ) -> usize {
- // Allocate a dynamic element reference for this text node
- let id = self.next_element(template, template.template.node_paths[idx]);
- // Make sure the text node is assigned to the correct element
- slot.set(id);
- // Assign the ID to the existing node in the template
- self.mutations.push(AssignId {
- path: &template.template.node_paths[idx][1..],
- id,
- });
- // Since the placeholder is already in the DOM, we don't create any new nodes
- 0
- }
- pub(crate) fn create_fragment(&mut self, nodes: &'b [VNode<'b>]) -> usize {
- nodes.iter().fold(0, |acc, child| acc + self.create(child))
- }
- pub(super) fn create_component_node(
- &mut self,
- template: &'b VNode<'b>,
- component: &'b VComponent<'b>,
- idx: usize,
- ) -> usize {
- let props = component
- .props
- .replace(None)
- .expect("Props to always exist when a component is being created");
- let unbounded_props = unsafe { std::mem::transmute(props) };
- let scope = self.new_scope(unbounded_props).id;
- component.scope.set(Some(scope));
- let return_nodes = unsafe { self.run_scope(scope).extend_lifetime_ref() };
- use RenderReturn::*;
- match return_nodes {
- Sync(Ok(t)) => self.mount_component(scope, template, t, idx),
- Sync(Err(_e)) => todo!("Propogate error upwards"),
- Async(_) => self.mount_component_placeholder(template, idx, scope),
- }
- }
- fn mount_component(
- &mut self,
- scope: ScopeId,
- parent: &'b VNode<'b>,
- new: &'b VNode<'b>,
- idx: usize,
- ) -> usize {
- // Keep track of how many mutations are in the buffer in case we need to split them out if a suspense boundary
- // is encountered
- let mutations_to_this_point = self.mutations.len();
- // Create the component's root element
- let created = self.create_scope(scope, new);
- // If there are no suspense leaves below us, then just don't bother checking anything suspense related
- if self.collected_leaves.is_empty() {
- return created;
- }
- // If running the scope has collected some leaves and *this* component is a boundary, then handle the suspense
- let boundary = match self.scopes[scope.0].has_context::<SuspenseContext>() {
- Some(boundary) => boundary,
- _ => return created,
- };
- // Since this is a boundary, use its placeholder within the template as the placeholder for the suspense tree
- let new_id = self.next_element(new, parent.template.node_paths[idx]);
- // Now connect everything to the boundary
- self.scopes[scope.0].placeholder.set(Some(new_id));
- // This involves breaking off the mutations to this point, and then creating a new placeholder for the boundary
- // Note that we break off dynamic mutations only - since static mutations aren't rendered immediately
- let split_off = unsafe {
- std::mem::transmute::<Vec<Mutation>, Vec<Mutation>>(
- self.mutations.split_off(mutations_to_this_point),
- )
- };
- boundary.mutations.borrow_mut().edits.extend(split_off);
- boundary.created_on_stack.set(created);
- boundary
- .waiting_on
- .borrow_mut()
- .extend(self.collected_leaves.drain(..));
- // Now assign the placeholder in the DOM
- self.mutations.push(AssignId {
- id: new_id,
- path: &parent.template.node_paths[idx][1..],
- });
- 0
- }
- /// Take the rendered nodes from a component and handle them if they were async
- ///
- /// IE simply assign an ID to the placeholder
- fn mount_component_placeholder(
- &mut self,
- template: &VNode,
- idx: usize,
- scope: ScopeId,
- ) -> usize {
- let new_id = self.next_element(template, template.template.node_paths[idx]);
- // Set the placeholder of the scope
- self.scopes[scope.0].placeholder.set(Some(new_id));
- println!(
- "assigning id {:?} to path {:?}, template: {:?}",
- new_id, &template.template.node_paths, template.template
- );
- // Since the placeholder is already in the DOM, we don't create any new nodes
- self.mutations.push(AssignId {
- id: new_id,
- path: &template.template.node_paths[idx][1..],
- });
- 0
- }
- }
|