use std::fs::File; use std::io::Read; use std::path::PathBuf; use dioxus_core::Component; #[derive(Clone)] pub struct ServeConfigBuilder { pub(crate) app: Component

, pub(crate) props: P, pub(crate) root_id: Option<&'static str>, pub(crate) index_path: Option<&'static str>, pub(crate) assets_path: Option<&'static str>, } impl ServeConfigBuilder

{ /// Create a new ServeConfig pub fn new(app: Component

, props: P) -> Self { Self { app, props, root_id: None, index_path: None, assets_path: None, } } /// Set the path of the index.html file to be served. (defaults to {assets_path}/index.html) pub fn index_path(mut self, index_path: &'static str) -> Self { self.index_path = Some(index_path); self } /// Set the id of the root element in the index.html file to place the prerendered content into. (defaults to main) pub fn root_id(mut self, root_id: &'static str) -> Self { self.root_id = Some(root_id); self } /// Set the path of the assets folder generated by the Dioxus CLI. (defaults to dist) pub fn assets_path(mut self, assets_path: &'static str) -> Self { self.assets_path = Some(assets_path); self } /// Build the ServeConfig pub fn build(self) -> ServeConfig

{ let assets_path = self.assets_path.unwrap_or("dist"); let index_path = self .index_path .map(PathBuf::from) .unwrap_or_else(|| format!("{assets_path}/index.html").into()); let root_id = self.root_id.unwrap_or("main"); let index = load_index_html(index_path, root_id); ServeConfig { app: self.app, props: self.props, index, assets_path, } } } fn load_index_html(path: PathBuf, root_id: &'static str) -> IndexHtml { let mut file = File::open(path).expect("Failed to find index.html. Make sure the index_path is set correctly and the WASM application has been built."); let mut contents = String::new(); file.read_to_string(&mut contents) .expect("Failed to read index.html"); let (pre_main, post_main) = contents.split_once(&format!("id=\"{root_id}\"")).unwrap_or_else(|| panic!("Failed to find id=\"{root_id}\" in index.html. The id is used to inject the application into the page.")); let post_main = post_main.split_once('>').unwrap_or_else(|| { panic!("Failed to find closing > after id=\"{root_id}\" in index.html.") }); let (pre_main, post_main) = ( pre_main.to_string() + &format!("id=\"{root_id}\"") + post_main.0 + ">", post_main.1.to_string(), ); IndexHtml { pre_main, post_main, } } #[derive(Clone)] pub(crate) struct IndexHtml { pub(crate) pre_main: String, pub(crate) post_main: String, } #[derive(Clone)] pub struct ServeConfig { pub(crate) app: Component

, pub(crate) props: P, pub(crate) index: IndexHtml, pub(crate) assets_path: &'static str, } impl From> for ServeConfig

{ fn from(builder: ServeConfigBuilder

) -> Self { builder.build() } }