dioxus/packages/ssr/src/lib.rs

282 lines
8.4 KiB
Rust
Raw Normal View History

2021-01-21 07:25:44 +00:00
//! This crate demonstrates how to implement a custom renderer for Dioxus VNodes via the `TextRenderer` renderer.
//! The `TextRenderer` consumes a Dioxus Virtual DOM, progresses its event queue, and renders the VNodes to a String.
//!
//! While `VNode` supports "to_string" directly, it renders child components as the RSX! macro tokens. For custom components,
//! an external renderer is needed to progress the component lifecycles. The `TextRenderer` shows how to use the Virtual DOM
//! API to progress these lifecycle events to generate a fully-mounted Virtual DOM instance which can be renderer in the
//! `render` method.
2021-07-11 21:24:47 +00:00
use std::fmt::{Display, Formatter};
2021-01-21 07:25:44 +00:00
2021-07-13 03:44:20 +00:00
use dioxus_core::*;
2021-07-18 07:54:42 +00:00
pub fn render_vnode(vnode: &VNode, string: &mut String) {}
pub fn render_vdom(vdom: &VirtualDom) -> String {
format!("{:}", TextRenderer::from_vdom(vdom))
}
pub fn render_vdom_scope(vdom: &VirtualDom, scope: ScopeId) -> Option<String> {
Some(format!(
"{:}",
TextRenderer {
cfg: SsrConfig::default(),
root: vdom.components.get(scope).unwrap().root(),
vdom: Some(vdom)
}
))
}
2021-07-11 19:17:55 +00:00
pub struct SsrConfig {
// currently not supported - control if we indent the HTML output
2021-07-11 23:31:07 +00:00
indent: bool,
2021-07-11 19:17:55 +00:00
// Control if elements are written onto a new line
newline: bool,
// Currently not implemented
// Don't proceed onto new components. Instead, put the name of the component.
// TODO: components don't have names :(
2021-07-11 21:24:47 +00:00
_skip_components: bool,
2021-07-11 19:17:55 +00:00
}
impl Default for SsrConfig {
fn default() -> Self {
Self {
2021-07-11 23:31:07 +00:00
indent: false,
2021-07-11 19:17:55 +00:00
newline: false,
2021-07-11 21:24:47 +00:00
_skip_components: false,
2021-07-11 19:17:55 +00:00
}
}
}
/// A configurable text renderer for the Dioxus VirtualDOM.
///
2021-01-21 07:25:44 +00:00
///
/// ## Details
2021-01-21 07:25:44 +00:00
///
/// This uses the `Formatter` infrastructure so you can write into anything that supports `write_fmt`. We can't accept
/// any generic writer, so you need to "Display" the text renderer. This is done through `format!` or `format_args!`
2021-01-21 07:25:44 +00:00
///
2021-07-11 19:17:55 +00:00
/// ## Example
/// ```ignore
/// const App: FC<()> = |cx| cx.render(rsx!(div { "hello world" }));
/// let mut vdom = VirtualDom::new(App);
/// vdom.rebuild_in_place();
///
2021-07-11 19:17:55 +00:00
/// let renderer = TextRenderer::new(&vdom);
/// let output = format!("{}", renderer);
/// assert_eq!(output, "<div>hello world</div>");
/// ```
pub struct TextRenderer<'a> {
2021-07-18 07:54:42 +00:00
vdom: Option<&'a VirtualDom>,
root: &'a VNode<'a>,
2021-07-11 19:17:55 +00:00
cfg: SsrConfig,
2021-01-21 07:25:44 +00:00
}
2021-07-18 07:54:42 +00:00
impl Display for TextRenderer<'_> {
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
self.html_render(self.root, f, 0)
}
}
impl<'a> TextRenderer<'a> {
2021-07-18 07:54:42 +00:00
pub fn from_vdom(vdom: &'a VirtualDom) -> Self {
2021-07-11 19:17:55 +00:00
Self {
2021-07-18 07:54:42 +00:00
root: vdom.base_scope().root(),
vdom: Some(vdom),
2021-07-11 19:17:55 +00:00
cfg: SsrConfig::default(),
}
2021-01-21 07:25:44 +00:00
}
2021-07-11 23:31:07 +00:00
fn html_render(&self, node: &VNode, f: &mut std::fmt::Formatter, il: u16) -> std::fmt::Result {
2021-07-13 03:44:20 +00:00
match &node.kind {
VNodeKind::Text(text) => {
2021-07-11 23:31:07 +00:00
if self.cfg.indent {
for _ in 0..il {
write!(f, " ")?;
}
}
write!(f, "{}", text.text)?
}
2021-07-13 03:44:20 +00:00
VNodeKind::Element(el) => {
2021-07-11 23:31:07 +00:00
if self.cfg.indent {
for _ in 0..il {
write!(f, " ")?;
}
}
write!(f, "<{}", el.tag_name)?;
2021-07-15 15:06:52 +00:00
let mut attr_iter = el.attributes.iter().peekable();
while let Some(attr) = attr_iter.next() {
match attr.namespace {
None => write!(f, " {}=\"{}\"", attr.name, attr.value)?,
Some(ns) => {
// write the opening tag
write!(f, " {}=\"", ns)?;
let mut cur_ns_el = attr;
'ns_parse: loop {
write!(f, "{}:{};", cur_ns_el.name, cur_ns_el.value)?;
match attr_iter.peek() {
Some(next_attr) if next_attr.namespace == Some(ns) => {
cur_ns_el = attr_iter.next().unwrap();
}
_ => break 'ns_parse,
}
}
// write the closing tag
write!(f, "\"")?;
}
}
}
2021-07-15 15:06:52 +00:00
2021-07-11 19:17:55 +00:00
match self.cfg.newline {
true => write!(f, ">\n")?,
false => write!(f, ">")?,
}
for child in el.children {
2021-07-11 23:31:07 +00:00
self.html_render(child, f, il + 1)?;
}
2021-07-11 23:31:07 +00:00
if self.cfg.newline {
write!(f, "\n")?;
}
if self.cfg.indent {
for _ in 0..il {
write!(f, " ")?;
}
}
write!(f, "</{}>", el.tag_name)?;
if self.cfg.newline {
write!(f, "\n")?;
2021-07-11 19:17:55 +00:00
}
}
2021-07-13 03:44:20 +00:00
VNodeKind::Fragment(frag) => {
2021-07-11 19:17:55 +00:00
for child in frag.children {
2021-07-11 23:31:07 +00:00
self.html_render(child, f, il + 1)?;
2021-07-11 19:17:55 +00:00
}
}
2021-07-13 03:44:20 +00:00
VNodeKind::Component(vcomp) => {
2021-07-11 19:17:55 +00:00
let idx = vcomp.ass_scope.get().unwrap();
2021-07-18 07:54:42 +00:00
if let Some(vdom) = self.vdom {
let new_node = vdom.components.get(idx).unwrap().root();
self.html_render(new_node, f, il + 1)?;
}
}
VNodeKind::Suspended { .. } => {
// we can't do anything with suspended nodes
}
}
2021-07-11 19:17:55 +00:00
Ok(())
2021-01-21 07:25:44 +00:00
}
}
2021-01-21 07:25:44 +00:00
#[cfg(test)]
mod tests {
use super::*;
2021-01-21 07:25:44 +00:00
use dioxus_core as dioxus;
2021-07-11 21:24:47 +00:00
use dioxus_core::prelude::*;
use dioxus_html as dioxus_elements;
2021-07-13 04:56:39 +00:00
use dioxus_html::GlobalAttributes;
2021-02-03 07:26:04 +00:00
const SIMPLE_APP: FC<()> = |cx| {
cx.render(rsx!(div {
"hello world!"
}))
};
2021-01-21 07:25:44 +00:00
const SLIGHTLY_MORE_COMPLEX: FC<()> = |cx| {
cx.render(rsx! {
div {
title: "About W3Schools"
{(0..20).map(|f| rsx!{
div {
title: "About W3Schools"
style: "color:blue;text-align:center"
class: "About W3Schools"
p {
title: "About W3Schools"
"Hello world!: {f}"
}
}
})}
}
})
};
2021-07-11 21:24:47 +00:00
const NESTED_APP: FC<()> = |cx| {
cx.render(rsx!(
div {
SIMPLE_APP {}
}
))
};
const FRAGMENT_APP: FC<()> = |cx| {
cx.render(rsx!(
div { "f1" }
div { "f2" }
div { "f3" }
div { "f4" }
))
};
#[test]
2021-07-11 21:24:47 +00:00
fn to_string_works() {
let mut dom = VirtualDom::new(SIMPLE_APP);
dom.rebuild_in_place().expect("failed to run virtualdom");
2021-07-18 07:54:42 +00:00
dbg!(render_vdom(&dom));
2021-01-21 07:25:44 +00:00
}
#[test]
2021-07-11 21:24:47 +00:00
fn nested() {
let mut dom = VirtualDom::new(NESTED_APP);
dom.rebuild_in_place().expect("failed to run virtualdom");
2021-07-18 07:54:42 +00:00
dbg!(render_vdom(&dom));
2021-07-11 21:24:47 +00:00
}
#[test]
fn fragment_app() {
let mut dom = VirtualDom::new(FRAGMENT_APP);
dom.rebuild_in_place().expect("failed to run virtualdom");
2021-07-18 07:54:42 +00:00
dbg!(render_vdom(&dom));
2021-07-11 21:24:47 +00:00
}
#[test]
fn write_to_file() {
use std::fs::File;
2021-07-11 21:24:47 +00:00
use std::io::Write;
let mut file = File::create("index.html").unwrap();
2021-07-11 19:17:55 +00:00
let mut dom = VirtualDom::new(SLIGHTLY_MORE_COMPLEX);
dom.rebuild_in_place().expect("failed to run virtualdom");
2021-07-18 07:54:42 +00:00
file.write_fmt(format_args!("{}", TextRenderer::from_vdom(&dom)))
.unwrap();
2021-01-16 04:25:29 +00:00
}
2021-07-15 15:06:52 +00:00
#[test]
fn styles() {
const STLYE_APP: FC<()> = |cx| {
//
cx.render(rsx! {
div {
style: {
color: "blue",
font_size: "46px"
}
}
})
};
let mut dom = VirtualDom::new(STLYE_APP);
dom.rebuild_in_place().expect("failed to run virtualdom");
2021-07-18 07:54:42 +00:00
dbg!(render_vdom(&dom));
2021-07-15 15:06:52 +00:00
}
2021-01-16 04:25:29 +00:00
}