1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
use augdom::{Dom, Node};
use moxie::cache_with;
use std::{
cell::Cell,
fmt::{Debug, Formatter, Result as FmtResult},
};
pub struct CachedNode {
id: topo::CallId,
last_child: Cell<Option<Node>>,
node: Node,
}
impl CachedNode {
#[topo::nested]
pub(crate) fn new(node: Node) -> Self {
Self { node, last_child: Cell::new(None), id: topo::CallId::current() }
}
pub(crate) fn raw_node(&self) -> &Node {
&self.node
}
#[topo::nested(slot = "&(self.id, name)")]
pub(crate) fn set_attribute(&self, name: &'static str, value: &str) {
let mut should_set = false;
cache_with(
value,
|_| {
should_set = true;
let name = name.to_owned();
scopeguard::guard(self.node.clone(), move |node| {
node.remove_attribute(&name);
})
},
|_| {},
);
if should_set {
self.node.set_attribute(name, value);
}
}
pub(crate) fn ensure_child_attached(&self, new_child: &Node) {
let prev_sibling = self.last_child.replace(Some(new_child.clone()));
let existing = if prev_sibling.is_none() {
self.node.first_child()
} else {
prev_sibling.and_then(|p| p.next_sibling())
};
if let Some(ref existing) = existing {
if existing != new_child {
self.node.replace_child(new_child, existing);
}
} else {
self.node.append_child(new_child);
}
}
pub(crate) fn remove_trailing_children(&self) {
let last_desired_child = self.last_child.replace(None);
let mut next_to_remove = if let Some(c) = last_desired_child {
self.last_child.set(Some(c.clone()));
c.next_sibling()
} else {
self.node.first_child()
};
while let Some(to_remove) = next_to_remove {
next_to_remove = to_remove.next_sibling();
self.node.remove_child(&to_remove).unwrap();
}
}
}
impl Debug for CachedNode {
fn fmt(&self, f: &mut Formatter) -> FmtResult {
f.debug_struct("CachedNode").field("node", &self.node).finish()
}
}
#[cfg(test)]
mod tests {
use crate::{elements::just_all_of_it_ok::div, prelude::*};
use mox::mox;
use moxie::{runtime::RunLoop, state};
#[wasm_bindgen_test::wasm_bindgen_test]
pub fn attributes_change() {
let mut rt = RunLoop::new(|| {
let (value, key) = state(|| String::from("boo"));
(key, mox!(<div id=&*value/>))
});
let (key, node) = rt.run_once();
assert_eq!(
node.raw_node_that_has_sharp_edges_please_be_careful().to_string(),
"<div id=\"boo\">\n</div>"
);
key.set(String::from("aha"));
let (_, node) = rt.run_once();
assert_eq!(
node.raw_node_that_has_sharp_edges_please_be_careful().to_string(),
"<div id=\"aha\">\n</div>"
);
}
}