A non-hot-reloadable change occurred and we must rebuild.
-
-
-
-
-
\ No newline at end of file
diff --git a/packages/cli/src/cli/autoformat.rs b/packages/cli/src/args/autoformat.rs
similarity index 93%
rename from packages/cli/src/cli/autoformat.rs
rename to packages/cli/src/args/autoformat.rs
index 367eecbf19..e13313e4fd 100644
--- a/packages/cli/src/cli/autoformat.rs
+++ b/packages/cli/src/args/autoformat.rs
@@ -1,5 +1,4 @@
use super::*;
-use crate::DioxusCrate;
use anyhow::Context;
use dioxus_autofmt::{IndentOptions, IndentType};
use rayon::prelude::*;
@@ -38,7 +37,7 @@ pub(crate) struct Autoformat {
}
impl Autoformat {
- pub(crate) fn autoformat(self) -> Result {
+ pub(crate) async fn autoformat(self) -> Result {
let Autoformat {
check,
raw,
@@ -62,15 +61,17 @@ impl Autoformat {
} else {
// Default to formatting the project.
let crate_dir = if let Some(package) = self.package {
- // TODO (matt): Do we need to use the entire `DioxusCrate` here?
- let target_args = TargetArgs {
- package: Some(package),
- ..Default::default()
- };
- let dx_crate =
- DioxusCrate::new(&target_args).context("failed to parse crate graph")?;
-
- Cow::Owned(dx_crate.crate_dir())
+ todo!()
+ // // TODO (matt): Do we need to use the entire `DioxusCrate` here?
+ // let target_args = TargetArgs {
+ // package: Some(package),
+ // ..Default::default()
+ // };
+ // let dx_crate = DioxusCrate::new(&target_args)
+ // .await
+ // .context("failed to parse crate graph")?;
+
+ // Cow::Owned(dx_crate.crate_dir())
} else {
Cow::Borrowed(Path::new("."))
};
@@ -311,5 +312,5 @@ async fn test_auto_fmt() {
package: None,
};
- fmt.autoformat().unwrap();
+ fmt.autoformat().await.unwrap();
}
diff --git a/packages/cli/src/args/build.rs b/packages/cli/src/args/build.rs
new file mode 100644
index 0000000000..e86a72cbcb
--- /dev/null
+++ b/packages/cli/src/args/build.rs
@@ -0,0 +1,123 @@
+use crate::Platform;
+use crate::{args::*, BuildRequest, AppBuilder};
+use target_lexicon::Triple;
+
+/// Build the Rust Dioxus app and all of its assets.
+///
+/// Produces a final output build. For fullstack builds you need to build the server and client separately.
+///
+/// ```
+/// dx build --platform web
+/// dx build --platform server
+/// ```
+#[derive(Clone, Debug, Default, Deserialize, Parser)]
+pub(crate) struct BuildArgs {
+ #[clap(long)]
+ pub(crate) name: Option,
+
+ /// Build for nightly [default: false]
+ #[clap(long)]
+ pub(crate) nightly: bool,
+
+ /// Build platform: support Web & Desktop [default: "default_platform"]
+ #[clap(long, value_enum)]
+ pub(crate) platform: Option,
+
+ /// Build in release mode [default: false]
+ #[clap(long, short)]
+ #[serde(default)]
+ pub(crate) release: bool,
+
+ /// The package to build
+ #[clap(short, long)]
+ pub(crate) package: Option,
+
+ /// Build a specific binary [default: ""]
+ #[clap(long)]
+ pub(crate) bin: Option,
+
+ /// Build a specific example [default: ""]
+ #[clap(long)]
+ pub(crate) example: Option,
+
+ /// Build the app with custom a profile
+ #[clap(long)]
+ pub(crate) profile: Option,
+
+ /// Space separated list of features to activate
+ #[clap(long)]
+ pub(crate) features: Vec,
+
+ /// Don't include the default features in the build
+ #[clap(long)]
+ pub(crate) no_default_features: bool,
+
+ /// Include all features in the build
+ #[clap(long)]
+ pub(crate) all_features: bool,
+
+ /// Rustc platform triple
+ #[clap(long)]
+ pub(crate) target: Option,
+
+ // todo -- make a subcommand called "--" that takes all the remaining args
+ /// Extra arguments passed to `rustc`
+ ///
+ /// cargo rustc -- -Clinker
+ #[clap(value_delimiter = ',')]
+ pub(crate) cargo_args: Vec,
+
+ /// This flag only applies to fullstack builds. By default fullstack builds will run the server and client builds in parallel. This flag will force the build to run the server build first, then the client build. [default: false]
+ #[clap(long)]
+ #[serde(default)]
+ pub(crate) force_sequential: bool,
+
+ /// Skip collecting assets from dependencies [default: false]
+ #[clap(long)]
+ #[serde(default)]
+ pub(crate) skip_assets: bool,
+
+ /// Inject scripts to load the wasm and js files for your dioxus app if they are not already present [default: true]
+ #[clap(long, default_value_t = true)]
+ pub(crate) inject_loading_scripts: bool,
+
+ /// Experimental: Bundle split the wasm binary into multiple chunks based on `#[wasm_split]` annotations [default: false]
+ #[clap(long, default_value_t = false)]
+ pub(crate) wasm_split: bool,
+
+ /// Generate debug symbols for the wasm binary [default: true]
+ ///
+ /// This will make the binary larger and take longer to compile, but will allow you to debug the
+ /// wasm binary
+ #[clap(long, default_value_t = true)]
+ pub(crate) debug_symbols: bool,
+
+ /// Use the cranelift backend to compile the app [default: false]
+ ///
+ /// This can speed up compile times by up to 100% but is experimental within the compiler.
+ #[clap(long)]
+ pub(crate) cranelift: bool,
+
+ /// Are we building for a device or just the simulator.
+ /// If device is false, then we'll build for the simulator
+ #[clap(long)]
+ pub(crate) device: Option,
+}
+
+impl BuildArgs {
+ pub async fn build(self) -> Result {
+ tracing::info!("Building project...");
+
+ let build = BuildRequest::new(&self)
+ .await
+ .context("Failed to load Dioxus workspace")?;
+
+ AppBuilder::start(&build)?.finish().await?;
+
+ tracing::info!(path = ?build.root_dir(), "Build completed successfully! 🚀");
+
+ Ok(StructuredOutput::BuildFinished {
+ path: build.root_dir(),
+ })
+ }
+}
diff --git a/packages/cli/src/cli/bundle.rs b/packages/cli/src/args/bundle.rs
similarity index 73%
rename from packages/cli/src/cli/bundle.rs
rename to packages/cli/src/args/bundle.rs
index c742ac48ee..568dfd382d 100644
--- a/packages/cli/src/cli/bundle.rs
+++ b/packages/cli/src/args/bundle.rs
@@ -1,4 +1,4 @@
-use crate::{AppBundle, BuildArgs, Builder, DioxusCrate, Platform};
+use crate::{BuildArgs, BuildRequest, AppBuilder, Platform};
use anyhow::{anyhow, Context};
use path_absolutize::Absolutize;
use std::collections::HashMap;
@@ -6,7 +6,22 @@ use tauri_bundler::{BundleBinary, BundleSettings, PackageSettings, SettingsBuild
use super::*;
-/// Bundle the Rust desktop app and all of its assets
+/// Bundle an app and its assets.
+///
+/// This only takes a single build into account. To build multiple targets, use multiple calls to bundle.
+///
+/// ```
+/// dioxus bundle --target
+/// dioxus bundle --target
+/// ```
+///
+/// Note that building the server will perform a client build as well:
+///
+/// ```
+/// dioxus bundle --platform server
+/// ```
+///
+/// This will produce a client `public` folder and the associated server executable in the output folder.
#[derive(Clone, Debug, Parser)]
pub struct Bundle {
/// The package types to bundle
@@ -23,61 +38,70 @@ pub struct Bundle {
#[clap(long)]
pub out_dir: Option,
+ /// Build the fullstack variant of this app, using that as the fileserver and backend
+ ///
+ /// This defaults to `false` but will be overridden to true if the `fullstack` feature is enabled.
+ #[clap(long)]
+ pub(crate) fullstack: bool,
+
+ /// Run the ssg config of the app and generate the files
+ #[clap(long)]
+ pub(crate) ssg: bool,
+
/// The arguments for the dioxus build
#[clap(flatten)]
- pub(crate) build_arguments: BuildArgs,
+ pub(crate) args: BuildArgs,
}
impl Bundle {
pub(crate) async fn bundle(mut self) -> Result {
tracing::info!("Bundling project...");
- let krate = DioxusCrate::new(&self.build_arguments.target_args)
- .context("Failed to load Dioxus workspace")?;
-
// We always use `release` mode for bundling
- self.build_arguments.release = true;
- self.build_arguments.resolve(&krate).await?;
+ // todo - maybe not? what if you want a devmode bundle?
+ self.args.release = true;
+
+ let build = BuildRequest::new(&self.args)
+ .await
+ .context("Failed to load Dioxus workspace")?;
tracing::info!("Building app...");
- let bundle = Builder::start(&krate, self.build_arguments.clone())?
- .finish()
- .await?;
+ let bundle = AppBuilder::start(&build)?.finish().await?;
// If we're building for iOS, we need to bundle the iOS bundle
- if self.build_arguments.platform() == Platform::Ios && self.package_types.is_none() {
+ if build.platform == Platform::Ios && self.package_types.is_none() {
self.package_types = Some(vec![crate::PackageType::IosBundle]);
}
let mut bundles = vec![];
- // Copy the server over if it exists
- if bundle.build.build.fullstack {
- bundles.push(bundle.server_exe().unwrap());
- }
+ // // Copy the server over if it exists
+ // if build.fullstack {
+ // bundles.push(build.server_exe().unwrap());
+ // }
// Create a list of bundles that we might need to copy
- match self.build_arguments.platform() {
+ match build.platform {
// By default, mac/win/linux work with tauri bundle
Platform::MacOS | Platform::Linux | Platform::Windows => {
tracing::info!("Running desktop bundler...");
- for bundle in self.bundle_desktop(&krate, &bundle)? {
+ for bundle in Self::bundle_desktop(&build, &self.package_types)? {
bundles.extend(bundle.bundle_paths);
}
}
// Web/ios can just use their root_dir
- Platform::Web => bundles.push(bundle.build.root_dir()),
+ Platform::Web => bundles.push(build.root_dir()),
Platform::Ios => {
tracing::warn!("iOS bundles are not currently codesigned! You will need to codesign the app before distributing.");
- bundles.push(bundle.build.root_dir())
+ bundles.push(build.root_dir())
}
- Platform::Server => bundles.push(bundle.build.root_dir()),
- Platform::Liveview => bundles.push(bundle.build.root_dir()),
+ Platform::Server => bundles.push(build.root_dir()),
+ Platform::Liveview => bundles.push(build.root_dir()),
Platform::Android => {
- let aab = bundle
+ let aab = build
.android_gradle_bundle()
.await
.context("Failed to run gradle bundleRelease")?;
@@ -86,7 +110,7 @@ impl Bundle {
};
// Copy the bundles to the output directory if one was specified
- let crate_outdir = bundle.build.krate.crate_out_dir();
+ let crate_outdir = build.crate_out_dir();
if let Some(outdir) = self.out_dir.clone().or(crate_outdir) {
let outdir = outdir
.absolutize()
@@ -130,31 +154,28 @@ impl Bundle {
}
fn bundle_desktop(
- &self,
- krate: &DioxusCrate,
- bundle: &AppBundle,
+ build: &BuildRequest,
+ package_types: &Option>,
) -> Result, Error> {
- _ = std::fs::remove_dir_all(krate.bundle_dir(self.build_arguments.platform()));
+ let krate = &build;
+ let exe = build.main_exe();
+
+ _ = std::fs::remove_dir_all(krate.bundle_dir(build.platform));
let package = krate.package();
let mut name: PathBuf = krate.executable_name().into();
if cfg!(windows) {
name.set_extension("exe");
}
- std::fs::create_dir_all(krate.bundle_dir(self.build_arguments.platform()))
+ std::fs::create_dir_all(krate.bundle_dir(build.platform))
.context("Failed to create bundle directory")?;
- std::fs::copy(
- &bundle.app.exe,
- krate
- .bundle_dir(self.build_arguments.platform())
- .join(&name),
- )
- .with_context(|| "Failed to copy the output executable into the bundle directory")?;
+ std::fs::copy(&exe, krate.bundle_dir(build.platform).join(&name))
+ .with_context(|| "Failed to copy the output executable into the bundle directory")?;
let binaries = vec![
// We use the name of the exe but it has to be in the same directory
BundleBinary::new(krate.executable_name().to_string(), true)
- .set_src_path(Some(bundle.app.exe.display().to_string())),
+ .set_src_path(Some(exe.display().to_string())),
];
let mut bundle_settings: BundleSettings = krate.config.bundle.clone().into();
@@ -185,7 +206,7 @@ impl Bundle {
bundle_settings.resources_map = Some(HashMap::new());
}
- let asset_dir = bundle.build.asset_dir();
+ let asset_dir = build.asset_dir();
if asset_dir.exists() {
let asset_dir_entries = std::fs::read_dir(&asset_dir)
.with_context(|| format!("failed to read asset directory {:?}", asset_dir))?;
@@ -214,7 +235,7 @@ impl Bundle {
}
let mut settings = SettingsBuilder::new()
- .project_out_directory(krate.bundle_dir(self.build_arguments.platform()))
+ .project_out_directory(krate.bundle_dir(build.platform))
.package_settings(PackageSettings {
product_name: krate.bundled_app_name(),
version: package.version.to_string(),
@@ -227,17 +248,11 @@ impl Bundle {
.binaries(binaries)
.bundle_settings(bundle_settings);
- if let Some(packages) = &self.package_types {
+ if let Some(packages) = &package_types {
settings = settings.package_types(packages.iter().map(|p| (*p).into()).collect());
}
- if let Some(target) = self.build_arguments.target_args.target.as_ref() {
- settings = settings.target(target.to_string());
- }
-
- if self.build_arguments.platform() == Platform::Ios {
- settings = settings.target("aarch64-apple-ios".to_string());
- }
+ settings = settings.target(build.target.to_string());
let settings = settings
.build()
@@ -257,3 +272,18 @@ impl Bundle {
Ok(bundles)
}
}
+
+// async fn pre_render_ssg_routes(&self) -> Result<()> {
+// // Run SSG and cache static routes
+// if !self.ssg {
+// return Ok(());
+// }
+// self.status_prerendering_routes();
+// pre_render_static_routes(
+// &self
+// .server_exe()
+// .context("Failed to find server executable")?,
+// )
+// .await?;
+// Ok(())
+// }
diff --git a/packages/cli/src/args/chained.rs b/packages/cli/src/args/chained.rs
new file mode 100644
index 0000000000..148d61adcc
--- /dev/null
+++ b/packages/cli/src/args/chained.rs
@@ -0,0 +1,191 @@
+use clap::{ArgMatches, Args, FromArgMatches, Parser, Subcommand};
+use serde::{de::DeserializeOwned, Deserialize};
+
+// https://github.com/clap-rs/clap/issues/2222#issuecomment-2524152894
+//
+//
+/// `[Args]` wrapper to match `T` variants recursively in `U`.
+#[derive(Debug, Clone)]
+pub struct ChainedCommand {
+ /// Specific Variant.
+ inner: T,
+
+ /// Enum containing `Self` variants, in other words possible follow-up commands.
+ next: Option>,
+}
+
+impl ChainedCommand
+where
+ T: Args,
+ U: Subcommand,
+{
+ fn commands(self) -> Vec {
+ let mut commands = vec![];
+ commands
+ }
+}
+
+impl Args for ChainedCommand
+where
+ T: Args,
+ U: Subcommand,
+{
+ fn augment_args(cmd: clap::Command) -> clap::Command {
+ // We use the special `defer` method whcih lets us recursively call `augment_args` on the inner command
+ // and thus `from_arg_matches`
+ T::augment_args(cmd).defer(|cmd| U::augment_subcommands(cmd.disable_help_subcommand(true)))
+ }
+
+ fn augment_args_for_update(_cmd: clap::Command) -> clap::Command {
+ unimplemented!()
+ }
+}
+
+impl FromArgMatches for ChainedCommand
+where
+ T: Args,
+ U: Subcommand,
+{
+ fn from_arg_matches(matches: &ArgMatches) -> Result {
+ // Parse the first command before we try to parse the next one.
+ let inner = T::from_arg_matches(matches)?;
+
+ // Try to parse the remainder of the command as a subcommand.
+ let next = match matches.subcommand() {
+ // Subcommand skips into the matched .subcommand, hence we need to pass *outer* matches, ignoring the inner matches
+ // (which in the average case should only match enumerated T)
+ //
+ // Here, we might want to eventually enable arbitrary names of subcommands if they're prefixed
+ // with a prefix like "@" ie `dx serve @dog-app/backend --args @dog-app/frontend --args`
+ //
+ // we are done, since sub-sub commmands are matched in U::
+ Some(_) => Some(Box::new(U::from_arg_matches(matches)?)),
+
+ // no subcommand matched, we are done
+ None => None,
+ };
+
+ Ok(Self { inner, next })
+ }
+
+ fn update_from_arg_matches(&mut self, _matches: &ArgMatches) -> Result<(), clap::Error> {
+ unimplemented!()
+ }
+}
+
+impl<'de, T: Deserialize<'de>, U: Deserialize<'de>> Deserialize<'de> for ChainedCommand {
+ fn deserialize(deserializer: D) -> Result
+ where
+ D: serde::Deserializer<'de>,
+ {
+ todo!()
+ }
+}
+
+// #[cfg(test)]
+// mod tests {
+// use super::*;
+
+// #[derive(Debug, Parser)]
+// struct TestCli {
+// #[clap(long)]
+// top: Option,
+
+// #[command(subcommand)]
+// cmd: TopCmd,
+// }
+
+// /// Launch a specific target
+// ///
+// /// You can specify multiple targets using `@client --args` syntax.
+// #[derive(Debug, Parser)]
+// struct ServeCommand {
+// #[clap(flatten)]
+// args: Target,
+
+// #[command(subcommand)]
+// targets: TopCmd,
+// }
+
+// #[derive(Debug, Subcommand, Clone)]
+// enum TopCmd {
+// Serve {
+// #[clap(subcommand)]
+// cmd: Cmd,
+// },
+// }
+
+// /// Launch a specific target
+// #[derive(Debug, Subcommand, Clone)]
+// #[command(subcommand_precedence_over_arg = true)]
+// enum Cmd {
+// /// Specify the arguments for the client build
+// #[clap(name = "client")]
+// Client(ReClap),
+
+// /// Specify the arguments for the server build
+// #[clap(name = "server")]
+// Server(ReClap),
+
+// /// Specify the arguments for any number of additional targets
+// #[clap(name = "target")]
+// Target(ReClap),
+// }
+
+// #[derive(Clone, Args, Debug)]
+// struct Target {
+// #[arg(short, long)]
+// profile: Option,
+
+// #[arg(short, long)]
+// target: Option,
+
+// #[arg(short, long)]
+// bin: Option,
+// }
+
+// #[test]
+// fn test_parse_args() {
+// let args = r#"
+// dx serve
+// @client --release
+// @server --target wasm32
+// @target --bin mybin
+// @target --bin mybin
+// @target --bin mybin
+// @target --bin mybin
+// "#
+// .trim()
+// .split_ascii_whitespace();
+
+// let cli = TestCli::parse_from(args);
+
+// dbg!(&cli);
+
+// match cli.cmd {
+// TopCmd::Serve { cmd } => {
+// let mut next = Some(cmd);
+
+// // let mut next = cmd.cmd;
+// while let Some(cmd) = next {
+// // println!("{cmd:?}");
+// // could use enum_dispatch
+// next = match cmd {
+// Cmd::Client(rec) => {
+// //
+// (rec.next).map(|d| *d)
+// }
+// Cmd::Server(rec) => {
+// //
+// (rec.next).map(|d| *d)
+// }
+// Cmd::Target(rec) => {
+// //
+// (rec.next).map(|d| *d)
+// }
+// }
+// }
+// }
+// }
+// }
+// }
diff --git a/packages/cli/src/cli/check.rs b/packages/cli/src/args/check.rs
similarity index 88%
rename from packages/cli/src/cli/check.rs
rename to packages/cli/src/args/check.rs
index 3c28df0126..e578d3da71 100644
--- a/packages/cli/src/cli/check.rs
+++ b/packages/cli/src/args/check.rs
@@ -4,7 +4,6 @@
//! https://github.com/rust-lang/rustfmt/blob/master/src/bin/main.rs
use super::*;
-use crate::DioxusCrate;
use anyhow::Context;
use futures_util::{stream::FuturesUnordered, StreamExt};
use std::path::Path;
@@ -18,7 +17,7 @@ pub(crate) struct Check {
/// Information about the target to check
#[clap(flatten)]
- pub(crate) target_args: TargetArgs,
+ pub(crate) build_args: BuildArgs,
}
impl Check {
@@ -27,8 +26,7 @@ impl Check {
match self.file {
// Default to checking the project
None => {
- let dioxus_crate = DioxusCrate::new(&self.target_args)?;
- check_project_and_report(dioxus_crate)
+ check_project_and_report(&self.build_args)
.await
.context("error checking project")?;
}
@@ -52,10 +50,11 @@ async fn check_file_and_report(path: PathBuf) -> Result<()> {
/// Runs using Tokio for multithreading, so it should be really really fast
///
/// Doesn't do mod-descending, so it will still try to check unreachable files. TODO.
-async fn check_project_and_report(dioxus_crate: DioxusCrate) -> Result<()> {
- let mut files_to_check = vec![dioxus_crate.main_source_file()];
- collect_rs_files(&dioxus_crate.crate_dir(), &mut files_to_check);
- check_files_and_report(files_to_check).await
+async fn check_project_and_report(krate: &BuildArgs) -> Result<()> {
+ todo!("check_project_and_report");
+ // let mut files_to_check = vec![dioxus_crate.main_source_file()];
+ // collect_rs_files(&dioxus_crate.crate_dir(), &mut files_to_check);
+ // check_files_and_report(files_to_check).await
}
/// Check a list of files and report the issues.
diff --git a/packages/cli/src/cli/clean.rs b/packages/cli/src/args/clean.rs
similarity index 100%
rename from packages/cli/src/cli/clean.rs
rename to packages/cli/src/args/clean.rs
diff --git a/packages/cli/src/cli/config.rs b/packages/cli/src/args/config.rs
similarity index 91%
rename from packages/cli/src/cli/config.rs
rename to packages/cli/src/args/config.rs
index a31321a2f8..30b5e220c7 100644
--- a/packages/cli/src/cli/config.rs
+++ b/packages/cli/src/args/config.rs
@@ -75,7 +75,7 @@ impl From for bool {
}
impl Config {
- pub(crate) fn config(self) -> Result {
+ pub(crate) async fn config(self) -> Result {
let crate_root = crate_root()?;
match self {
Config::Init {
@@ -98,15 +98,18 @@ impl Config {
tracing::info!(dx_src = ?TraceSrc::Dev, "🚩 Init config file completed.");
}
Config::FormatPrint {} => {
- tracing::info!(
- "{:#?}",
- crate::dioxus_crate::DioxusCrate::new(&TargetArgs::default())?.config
- );
+ todo!("Load workspace and print its config?")
+ // tracing::info!(
+ // "{:#?}",
+ // crate::dioxus_crate::DioxusCrate::new(&TargetArgs::default())
+ // .await?
+ // .config
+ // );
}
Config::CustomHtml {} => {
let html_path = crate_root.join("index.html");
let mut file = File::create(html_path)?;
- let content = include_str!("../../assets/web/index.html");
+ let content = include_str!("../../assets/web/dev.index.html");
file.write_all(content.as_bytes())?;
tracing::info!(dx_src = ?TraceSrc::Dev, "🚩 Create custom html file done.");
}
diff --git a/packages/cli/src/cli/create.rs b/packages/cli/src/args/create.rs
similarity index 100%
rename from packages/cli/src/cli/create.rs
rename to packages/cli/src/args/create.rs
diff --git a/packages/cli/src/cli/init.rs b/packages/cli/src/args/init.rs
similarity index 100%
rename from packages/cli/src/cli/init.rs
rename to packages/cli/src/args/init.rs
diff --git a/packages/cli/src/args/link.rs b/packages/cli/src/args/link.rs
new file mode 100644
index 0000000000..6bfc88147f
--- /dev/null
+++ b/packages/cli/src/args/link.rs
@@ -0,0 +1,159 @@
+use crate::{Platform, Result};
+use serde::{Deserialize, Serialize};
+use std::path::PathBuf;
+use target_lexicon::Triple;
+use tokio::process::Command;
+
+#[derive(Debug, Serialize, Deserialize)]
+pub enum LinkAction {
+ BaseLink {
+ linker: PathBuf,
+ extra_flags: Vec,
+ },
+ ThinLink {
+ save_link_args: PathBuf,
+ triple: Triple,
+ },
+}
+
+impl LinkAction {
+ pub(crate) const ENV_VAR_NAME: &'static str = "dx_magic_link_file";
+
+ /// Should we write the input arguments to a file (aka act as a linker subprocess)?
+ ///
+ /// Just check if the magic env var is set
+ pub(crate) fn from_env() -> Option {
+ std::env::var(Self::ENV_VAR_NAME)
+ .ok()
+ .map(|var| serde_json::from_str(&var).expect("Failed to parse magic env var"))
+ }
+
+ pub(crate) fn to_json(&self) -> String {
+ serde_json::to_string(self).unwrap()
+ }
+
+ /// Write the incoming linker args to a file
+ ///
+ /// The file will be given by the dx-magic-link-arg env var itself, so we use
+ /// it both for determining if we should act as a linker and the for the file name itself.
+ pub(crate) async fn run(self) -> Result<()> {
+ let args = std::env::args().collect::>();
+
+ match self {
+ // Run the system linker but (maybe) keep any unused sections.
+ LinkAction::BaseLink {
+ linker,
+ extra_flags,
+ } => {
+ let mut cmd = std::process::Command::new(linker);
+ cmd.args(args.iter().skip(1));
+ cmd.args(extra_flags);
+ let res = cmd
+ .stderr(std::process::Stdio::piped())
+ .stdout(std::process::Stdio::piped())
+ .output()
+ .expect("Failed to run android linker");
+
+ let err = String::from_utf8_lossy(&res.stderr);
+ std::fs::write(
+ "/Users/jonkelley/Development/dioxus/packages/subsecond/data/link-err.txt",
+ format!("err: {err}"),
+ )
+ .unwrap();
+
+ // Make sure we *don't* dead-strip the binary so every library symbol still exists.
+ // This is required for thin linking to work correctly.
+ // let args = args.into_iter().skip(1).collect::>();
+ // let res = Command::new(linker).args(args).output().await?;
+ // let err = String::from_utf8_lossy(&res.stderr);
+
+ // .filter(|arg| arg != "-Wl,-dead_strip" && !strip)
+
+ // this is ld64 only, we need --whole-archive for gnu/ld
+ // args.push("-Wl,-all_load".to_string());
+
+ // // Persist the cache of incremental files
+ // cache_incrementals(
+ // &incremental_dir.join("old"),
+ // &incremental_dir.join("new"),
+ // args.iter()
+ // .filter(|arg| arg.ends_with(".o"))
+ // .collect::>()
+ // .as_ref(),
+ // );
+
+ // Run ld with the args
+ }
+
+ // Run the linker but without rlibs
+ LinkAction::ThinLink {
+ save_link_args,
+ triple,
+ } => {
+ // Write the linker args to a file for the main process to read
+ std::fs::write(save_link_args, args.join("\n"))?;
+
+ // Extract the out
+ let out = args.iter().position(|arg| arg == "-o").unwrap();
+ let out_file: PathBuf = args[out + 1].clone().into();
+
+ // Write a dummy object file to satisfy rust/linker since it'll run llvm-objcopy
+ // ... I wish it *didn't* do that but I can't tell how to disable the linker without
+ // using --emit=obj which is not exactly what we want since that will still pull in
+ // the dependencies.
+ std::fs::create_dir_all(out_file.parent().unwrap())?;
+ std::fs::write(out_file, make_dummy_object_file(triple))?;
+ }
+ }
+
+ Ok(())
+ }
+}
+
+/// This creates an object file that satisfies rust's use of llvm-objcopy
+///
+/// I'd rather we *not* do this and instead generate a truly linked file (and then delete it) but
+/// this at least lets us delay linking until the host compiler is ready.
+///
+/// This is because our host compiler is a stateful server and not a stateless linker.
+fn make_dummy_object_file(triple: Triple) -> Vec {
+ let triple = Triple::host();
+
+ let format = match triple.binary_format {
+ target_lexicon::BinaryFormat::Elf => object::BinaryFormat::Elf,
+ target_lexicon::BinaryFormat::Coff => object::BinaryFormat::Coff,
+ target_lexicon::BinaryFormat::Macho => object::BinaryFormat::MachO,
+ target_lexicon::BinaryFormat::Wasm => object::BinaryFormat::Wasm,
+ target_lexicon::BinaryFormat::Xcoff => object::BinaryFormat::Xcoff,
+ target_lexicon::BinaryFormat::Unknown => todo!(),
+ _ => todo!("Binary format not supported"),
+ };
+
+ let arch = match triple.architecture {
+ target_lexicon::Architecture::Wasm32 => object::Architecture::Wasm32,
+ target_lexicon::Architecture::Wasm64 => object::Architecture::Wasm64,
+ target_lexicon::Architecture::X86_64 => object::Architecture::X86_64,
+ target_lexicon::Architecture::Arm(_) => object::Architecture::Arm,
+ target_lexicon::Architecture::Aarch64(_) => object::Architecture::Aarch64,
+ target_lexicon::Architecture::LoongArch64 => object::Architecture::LoongArch64,
+ target_lexicon::Architecture::Unknown => object::Architecture::Unknown,
+ _ => todo!("Architecture not supported"),
+ };
+
+ let endian = match triple.endianness() {
+ Ok(target_lexicon::Endianness::Little) => object::Endianness::Little,
+ Ok(target_lexicon::Endianness::Big) => object::Endianness::Big,
+ Err(_) => todo!("Endianness not supported"),
+ };
+
+ object::write::Object::new(format, arch, endian)
+ .write()
+ .unwrap()
+}
+
+#[test]
+fn test_make_dummy_object_file() {
+ let triple: Triple = "wasm32-unknown-unknown".parse().unwrap();
+ let obj = make_dummy_object_file(triple);
+ assert!(!obj.is_empty());
+}
diff --git a/packages/cli/src/cli/mod.rs b/packages/cli/src/args/mod.rs
similarity index 98%
rename from packages/cli/src/cli/mod.rs
rename to packages/cli/src/args/mod.rs
index 02d362b71d..731537f39b 100644
--- a/packages/cli/src/cli/mod.rs
+++ b/packages/cli/src/args/mod.rs
@@ -1,6 +1,7 @@
pub(crate) mod autoformat;
pub(crate) mod build;
pub(crate) mod bundle;
+pub(crate) mod chained;
pub(crate) mod check;
pub(crate) mod clean;
pub(crate) mod config;
@@ -9,13 +10,11 @@ pub(crate) mod init;
pub(crate) mod link;
pub(crate) mod run;
pub(crate) mod serve;
-pub(crate) mod target;
pub(crate) mod translate;
pub(crate) mod verbosity;
pub(crate) use build::*;
pub(crate) use serve::*;
-pub(crate) use target::*;
pub(crate) use verbosity::*;
use crate::{error::Result, Error, StructuredOutput};
diff --git a/packages/cli/src/args/run.rs b/packages/cli/src/args/run.rs
new file mode 100644
index 0000000000..4f8f40963e
--- /dev/null
+++ b/packages/cli/src/args/run.rs
@@ -0,0 +1,51 @@
+use super::*;
+use crate::{BuildArgs, BuildRequest, AppBuilder, Platform, Result};
+
+/// Run the project with the given arguments
+#[derive(Clone, Debug, Parser)]
+pub(crate) struct RunArgs {
+ /// Information about the target to build
+ #[clap(flatten)]
+ pub(crate) build_args: BuildArgs,
+}
+
+impl RunArgs {
+ pub(crate) async fn run(self) -> Result {
+ let build = BuildRequest::new(&self.build_args)
+ .await
+ .context("error building project")?;
+
+ let mut builder = AppBuilder::start(&build)?;
+ let artifacts = builder.finish().await?;
+
+ let devserver_ip = "127.0.0.1:8081".parse().unwrap();
+ let fullstack_ip = "127.0.0.1:8080".parse().unwrap();
+
+ if build.platform == Platform::Web || build.fullstack {
+ tracing::info!("Serving at: {}", fullstack_ip);
+ }
+
+ builder.open(devserver_ip, Some(fullstack_ip), true).await?;
+
+ todo!();
+ // // Run the app, but mostly ignore all the other messages
+ // // They won't generally be emitted
+ // loop {
+ // match builder.wait().await {
+ // HandleUpdate::StderrReceived { platform, msg } => {
+ // tracing::info!("[{platform}]: {msg}")
+ // }
+ // HandleUpdate::StdoutReceived { platform, msg } => {
+ // tracing::info!("[{platform}]: {msg}")
+ // }
+ // HandleUpdate::ProcessExited { platform, status } => {
+ // builder.cleanup().await;
+ // tracing::info!("[{platform}]: process exited with status: {status:?}");
+ // break;
+ // }
+ // }
+ // }
+
+ Ok(StructuredOutput::Success)
+ }
+}
diff --git a/packages/cli/src/args/serve.rs b/packages/cli/src/args/serve.rs
new file mode 100644
index 0000000000..98a190ea8f
--- /dev/null
+++ b/packages/cli/src/args/serve.rs
@@ -0,0 +1,159 @@
+use super::{chained::ChainedCommand, *};
+use crate::{AddressArguments, BuildArgs, Platform, PROFILE_SERVER};
+use target_lexicon::Triple;
+
+/// Serve the project
+///
+/// `dx serve` takes cargo args by default, except with a required `--platform` arg:
+///
+/// ```
+/// dx serve --example blah --target blah --platform android
+/// ```
+///
+/// As of dioxus 0.7, `dx serve` allows multiple builds at the same type by chaining the `crate` subcommand:
+/// ```
+/// dx serve
+/// @crate --blah
+/// @crate --blah
+/// @crate --blah
+/// @crate --blah
+/// ```
+///
+#[derive(Clone, Debug, Default, Parser)]
+#[command(group = clap::ArgGroup::new("release-incompatible").multiple(true).conflicts_with("release"))]
+pub(crate) struct ServeArgs {
+ /// The arguments for the address the server will run on
+ #[clap(flatten)]
+ pub(crate) address: AddressArguments,
+
+ /// Open the app in the default browser [default: true - unless cli settings are set]
+ #[arg(long, default_missing_value="true", num_args=0..=1)]
+ pub(crate) open: Option,
+
+ /// Enable full hot reloading for the app [default: true - unless cli settings are set]
+ #[clap(long, group = "release-incompatible")]
+ pub(crate) hot_reload: Option,
+
+ /// Configure always-on-top for desktop apps [default: true - unless cli settings are set]
+ #[clap(long, default_missing_value = "true")]
+ pub(crate) always_on_top: Option,
+
+ /// Set cross-origin-policy to same-origin [default: false]
+ #[clap(name = "cross-origin-policy")]
+ #[clap(long)]
+ pub(crate) cross_origin_policy: bool,
+
+ /// Additional arguments to pass to the executable
+ #[clap(long)]
+ pub(crate) args: Vec,
+
+ /// Sets the interval in seconds that the CLI will poll for file changes on WSL.
+ #[clap(long, default_missing_value = "2")]
+ pub(crate) wsl_file_poll_interval: Option,
+
+ /// Run the server in interactive mode
+ #[arg(long, default_missing_value="true", num_args=0..=1, short = 'i')]
+ pub(crate) interactive: Option,
+
+ /// Build this binary using binary patching instead of a full rebuild [default: false]
+ #[arg(long, default_value_t = false)]
+ pub(crate) hot_patch: bool,
+
+ /// The feature to use for the client in a fullstack app [default: "web"]
+ #[clap(long)]
+ pub(crate) client_features: Vec,
+
+ /// The feature to use for the server in a fullstack app [default: "server"]
+ #[clap(long)]
+ pub(crate) server_features: Vec,
+
+ /// Build with custom profile for the fullstack server
+ #[clap(long, default_value_t = PROFILE_SERVER.to_string())]
+ pub(crate) server_profile: String,
+
+ /// The target to build for the server.
+ ///
+ /// This can be different than the host allowing cross-compilation of the server. This is useful for
+ /// platforms like Cloudflare Workers where the server is compiled to wasm and then uploaded to the edge.
+ #[clap(long)]
+ pub(crate) server_target: Option,
+
+ /// Arguments for the build itself
+ #[clap(flatten)]
+ pub(crate) build_arguments: BuildArgs,
+
+ /// A list of additional targets to build.
+ ///
+ /// Server and Client are special targets that receive features from the top-level command.
+ ///
+ ///
+ /// ```
+ /// dx serve \
+ /// client --target aarch64-apple-darwin \
+ /// server --target wasm32-unknown-unknown \
+ /// crate --target aarch64-unknown-linux-gnu
+ /// crate --target x86_64-unknown-linux-gnu
+ /// ```
+ #[command(subcommand)]
+ pub(crate) targets: Option,
+}
+
+/// Launch a specific target
+#[derive(Debug, Subcommand, Clone, Deserialize)]
+#[command(subcommand_precedence_over_arg = true)]
+pub(crate) enum TargetCmd {
+ /// Specify the arguments for the client build
+ #[clap(name = "client")]
+ Client(ChainedCommand),
+
+ /// Specify the arguments for the server build
+ #[clap(name = "server")]
+ Server(ChainedCommand),
+
+ /// Specify the arguments for any number of additional targets
+ #[clap(name = "crate")]
+ Target(ChainedCommand),
+}
+
+impl ServeArgs {
+ /// Start the tui, builder, etc by resolving the arguments and then running the actual top-level serve function
+ ///
+ /// Make sure not to do any intermediate logging since our tracing infra has now enabled much
+ /// higher log levels
+ pub(crate) async fn serve(self) -> Result {
+ crate::serve::serve_all(self).await?;
+ Ok(StructuredOutput::Success)
+ }
+
+ pub(crate) fn should_hotreload(&self) -> bool {
+ self.hot_reload.unwrap_or(true)
+ }
+
+ pub(crate) fn build_args(&self) -> &BuildArgs {
+ &self.build_arguments
+ }
+
+ pub(crate) fn is_interactive_tty(&self) -> bool {
+ use std::io::IsTerminal;
+ std::io::stdout().is_terminal() && self.interactive.unwrap_or(true)
+ }
+
+ pub(crate) fn should_proxy_build(&self) -> bool {
+ tracing::error!("todo: should_proxy_build is not implemented");
+ false
+
+ // match self.build_arguments.platform() {
+ // Platform::Server => true,
+ // // During SSG, just serve the static files instead of running the server
+ // _ => self.build_arguments.fullstack && !self.build_arguments.ssg,
+ // }
+ }
+}
+
+impl std::ops::Deref for ServeArgs {
+ type Target = BuildArgs;
+
+ fn deref(&self) -> &Self::Target {
+ &self.build_arguments
+ }
+}
diff --git a/packages/cli/src/cli/translate.rs b/packages/cli/src/args/translate.rs
similarity index 100%
rename from packages/cli/src/cli/translate.rs
rename to packages/cli/src/args/translate.rs
diff --git a/packages/cli/src/cli/verbosity.rs b/packages/cli/src/args/verbosity.rs
similarity index 100%
rename from packages/cli/src/cli/verbosity.rs
rename to packages/cli/src/args/verbosity.rs
diff --git a/packages/cli/src/build/builder.rs b/packages/cli/src/build/builder.rs
index 68e90c9548..7a2501c205 100644
--- a/packages/cli/src/build/builder.rs
+++ b/packages/cli/src/build/builder.rs
@@ -1,10 +1,25 @@
use crate::{
- AppBundle, BuildArgs, BuildRequest, BuildStage, BuildUpdate, DioxusCrate, ProgressRx,
+ BuildArgs, BuildArtifacts, BuildRequest, BuildStage, BuildUpdate, Platform, ProgressRx,
ProgressTx, Result, StructuredOutput,
};
+use anyhow::Context;
+use dioxus_cli_opt::process_file_to;
+use futures_util::future::OptionFuture;
use std::time::{Duration, Instant};
+use std::{
+ net::SocketAddr,
+ path::{Path, PathBuf},
+ process::{ExitStatus, Stdio},
+};
+use tokio::{
+ io::{AsyncBufReadExt, BufReader, Lines},
+ process::{Child, ChildStderr, ChildStdout, Command},
+ task::JoinHandle,
+};
-/// The component of the serve engine that watches ongoing builds and manages their state, handle,
+use super::BuildMode;
+
+/// The component of the serve engine that watches ongoing builds and manages their state, open handle,
/// and progress.
///
/// Previously, the builder allowed multiple apps to be built simultaneously, but this newer design
@@ -12,58 +27,111 @@ use std::time::{Duration, Instant};
///
/// Here, we track the number of crates being compiled, assets copied, the times of these events, and
/// other metadata that gives us useful indicators for the UI.
-pub(crate) struct Builder {
- // Components of the build
- pub krate: DioxusCrate,
- pub request: BuildRequest,
- pub build: tokio::task::JoinHandle>,
+///
+/// A handle to a running app.
+///
+/// Also includes a handle to its server if it exists.
+/// The actual child processes might not be present (web) or running (died/killed).
+///
+/// The purpose of this struct is to accumulate state about the running app and its server, like
+/// any runtime information needed to hotreload the app or send it messages.
+///
+/// We might want to bring in websockets here too, so we know the exact channels the app is using to
+/// communicate with the devserver. Currently that's a broadcast-type system, so this struct isn't super
+/// duper useful.
+///
+/// todo: restructure this such that "open" is a running task instead of blocking the main thread
+pub(crate) struct AppBuilder {
pub tx: ProgressTx,
pub rx: ProgressRx,
+ // The original request with access to its build directory
+ pub app: BuildRequest,
+
+ // Ongoing build task, if any
+ pub build: JoinHandle>,
+
+ // If a build has already finished, we'll have its artifacts (rustc, link args, etc) to work witha
+ pub artifacts: Option,
+
+ // These might be None if the app died or the user did not specify a server
+ pub app_child: Option,
+
+ // stdio for the app so we can read its stdout/stderr
+ // we don't map stdin today (todo) but most apps don't need it
+ pub app_stdout: Option>>,
+ pub app_stderr: Option>>,
+
+ /// The executables but with some extra entropy in their name so we can run two instances of the
+ /// same app without causing collisions on the filesystem.
+ pub entropy_app_exe: Option,
+
+ /// The virtual directory that assets will be served from
+ /// Used mostly for apk/ipa builds since they live in simulator
+ pub runtime_asst_dir: Option,
+
// Metadata about the build that needs to be managed by watching build updates
// used to render the TUI
pub stage: BuildStage,
pub compiled_crates: usize,
- pub compiled_crates_server: usize,
pub expected_crates: usize,
- pub expected_crates_server: usize,
pub bundling_progress: f64,
pub compile_start: Option,
pub compile_end: Option,
- pub compile_end_server: Option,
pub bundle_start: Option,
pub bundle_end: Option,
}
-impl Builder {
+pub enum HandleUpdate {
+ /// A running process has received a stdout.
+ /// May or may not be a complete line - do not treat it as a line. It will include a line if it is a complete line.
+ ///
+ /// We will poll lines and any content in a 50ms interval
+ StdoutReceived {
+ msg: String,
+ },
+
+ /// A running process has received a stderr.
+ /// May or may not be a complete line - do not treat it as a line. It will include a line if it is a complete line.
+ ///
+ /// We will poll lines and any content in a 50ms interval
+ StderrReceived {
+ msg: String,
+ },
+
+ ProcessExited {
+ status: ExitStatus,
+ },
+}
+
+impl AppBuilder {
/// Create a new builder and immediately start a build
- pub(crate) fn start(krate: &DioxusCrate, args: BuildArgs) -> Result {
+ pub(crate) fn start(request: &BuildRequest) -> Result {
let (tx, rx) = futures_channel::mpsc::unbounded();
- let request = BuildRequest::new(krate.clone(), args, tx.clone());
+ // let request = BuildRequest::new(args.clone(), krate.clone(), tx.clone(), BuildMode::Fat)?;
Ok(Self {
- krate: krate.clone(),
- request: request.clone(),
+ app: request.clone(),
stage: BuildStage::Initializing,
build: tokio::spawn(async move {
- // On the first build, we want to verify the tooling
- // We wont bother verifying on subsequent builds
- request.verify_tooling().await?;
-
- request.build_all().await
+ // request.build_all().await
+ todo!()
}),
tx,
rx,
compiled_crates: 0,
expected_crates: 1,
- expected_crates_server: 1,
- compiled_crates_server: 0,
bundling_progress: 0.0,
compile_start: Some(Instant::now()),
compile_end: None,
- compile_end_server: None,
bundle_start: None,
bundle_end: None,
+ runtime_asst_dir: None,
+ app_child: None,
+ app_stderr: None,
+ app_stdout: None,
+ entropy_app_exe: None,
+ artifacts: None,
})
}
@@ -85,6 +153,42 @@ impl Builder {
},
};
+ // let platform = self.app.platform;
+ // use HandleUpdate::*;
+ // tokio::select! {
+ // Some(Ok(Some(msg))) = OptionFuture::from(self.app_stdout.as_mut().map(|f| f.next_line())) => {
+ // StdoutReceived { platform, msg }
+ // },
+ // Some(Ok(Some(msg))) = OptionFuture::from(self.app_stderr.as_mut().map(|f| f.next_line())) => {
+ // StderrReceived { platform, msg }
+ // },
+ // Some(status) = OptionFuture::from(self.app_child.as_mut().map(|f| f.wait())) => {
+ // match status {
+ // Ok(status) => {
+ // self.app_child = None;
+ // ProcessExited { status, platform }
+ // },
+ // Err(_err) => todo!("handle error in process joining?"),
+ // }
+ // }
+ // Some(Ok(Some(msg))) = OptionFuture::from(self.server_stdout.as_mut().map(|f| f.next_line())) => {
+ // StdoutReceived { platform: Platform::Server, msg }
+ // },
+ // Some(Ok(Some(msg))) = OptionFuture::from(self.server_stderr.as_mut().map(|f| f.next_line())) => {
+ // StderrReceived { platform: Platform::Server, msg }
+ // },
+ // Some(status) = OptionFuture::from(self.server_child.as_mut().map(|f| f.wait())) => {
+ // match status {
+ // Ok(status) => {
+ // self.server_child = None;
+ // ProcessExited { status, platform }
+ // },
+ // Err(_err) => todo!("handle error in process joining?"),
+ // }
+ // }
+ // else => futures_util::future::pending().await
+ // }
+
// Update the internal stage of the build so the UI can render it
match &update {
BuildUpdate::Progress { stage } => {
@@ -95,33 +199,24 @@ impl Builder {
match stage {
BuildStage::Initializing => {
self.compiled_crates = 0;
- self.compiled_crates_server = 0;
self.bundling_progress = 0.0;
}
- BuildStage::Starting {
- crate_count,
- is_server,
- } => {
- if *is_server {
- self.expected_crates_server = *crate_count;
- } else {
- self.expected_crates = *crate_count;
- }
+ BuildStage::Starting { crate_count, .. } => {
+ // if *is_server {
+ // self.expected_crates_server = *crate_count;
+ // } else {
+ self.expected_crates = *crate_count;
+ // }
}
BuildStage::InstallingTooling {} => {}
- BuildStage::Compiling {
- current,
- total,
- is_server,
- ..
- } => {
- if *is_server {
- self.compiled_crates_server = *current;
- self.expected_crates_server = *total;
- } else {
- self.compiled_crates = *current;
- self.expected_crates = *total;
- }
+ BuildStage::Compiling { current, total, .. } => {
+ // if *is_server {
+ // self.compiled_crates_server = *current;
+ // self.expected_crates_server = *total;
+ // } else {
+ self.compiled_crates = *current;
+ self.expected_crates = *total;
+ // }
if self.compile_start.is_none() {
self.compile_start = Some(Instant::now());
@@ -138,18 +233,18 @@ impl Builder {
}
BuildStage::Success => {
self.compiled_crates = self.expected_crates;
- self.compiled_crates_server = self.expected_crates_server;
+ // self.compiled_crates_server = self.expected_crates_server;
self.bundling_progress = 1.0;
}
BuildStage::Failed => {
self.compiled_crates = self.expected_crates;
- self.compiled_crates_server = self.expected_crates_server;
+ // self.compiled_crates_server = self.expected_crates_server;
self.bundling_progress = 1.0;
}
BuildStage::Aborted => {}
BuildStage::Restarting => {
self.compiled_crates = 0;
- self.compiled_crates_server = 0;
+ // self.compiled_crates_server = 0;
self.expected_crates = 1;
self.bundling_progress = 0.0;
}
@@ -161,7 +256,6 @@ impl Builder {
BuildUpdate::CompilerMessage { .. } => {}
BuildUpdate::BuildReady { .. } => {
self.compiled_crates = self.expected_crates;
- self.compiled_crates_server = self.expected_crates_server;
self.bundling_progress = 1.0;
self.stage = BuildStage::Success;
@@ -177,18 +271,52 @@ impl Builder {
update
}
+ pub(crate) fn patch_rebuild(
+ &mut self,
+ args: BuildArgs,
+ direct_rustc: Vec,
+ changed_files: Vec,
+ aslr_offset: u64,
+ ) -> Result<()> {
+ todo!()
+ // // Initialize a new build, resetting our progress/stage to the beginning and replacing the old tokio task
+ // let request = BuildRequest::new(
+ // args,
+ // self.krate.clone(),
+ // self.tx.clone(),
+ // BuildMode::Thin {
+ // direct_rustc,
+ // changed_files,
+ // aslr_reference: aslr_offset,
+ // },
+ // )?;
+
+ // // Abort all the ongoing builds, cleaning up any loose artifacts and waiting to cleanly exit
+ // self.abort_all();
+ // self.request = request.clone();
+ // self.stage = BuildStage::Restarting;
+
+ // // This build doesn't have any extra special logging - rebuilds would get pretty noisy
+ // self.build = tokio::spawn(async move { request.build_all().await });
+
+ // Ok(())
+ }
+
/// Restart this builder with new build arguments.
- pub(crate) fn rebuild(&mut self, args: BuildArgs) {
- // Abort all the ongoing builds, cleaning up any loose artifacts and waiting to cleanly exit
- self.abort_all();
+ pub(crate) fn rebuild(&mut self, args: BuildArgs) -> Result<()> {
+ todo!()
+ // let request = BuildRequest::new(args, self.krate.clone(), self.tx.clone(), BuildMode::Fat)?;
+
+ // // Abort all the ongoing builds, cleaning up any loose artifacts and waiting to cleanly exit
+ // // And then start a new build, resetting our progress/stage to the beginning and replacing the old tokio task
+ // self.abort_all();
+ // self.request = request.clone();
+ // self.stage = BuildStage::Restarting;
- // And then start a new build, resetting our progress/stage to the beginning and replacing the old tokio task
- let request = BuildRequest::new(self.krate.clone(), args, self.tx.clone());
- self.request = request.clone();
- self.stage = BuildStage::Restarting;
+ // // This build doesn't have any extra special logging - rebuilds would get pretty noisy
+ // self.build = tokio::spawn(async move { request.build_all().await });
- // This build doesn't have any extra special logging - rebuilds would get pretty noisy
- self.build = tokio::spawn(async move { request.build_all().await });
+ // Ok(())
}
/// Shutdown the current build process
@@ -198,7 +326,6 @@ impl Builder {
self.build.abort();
self.stage = BuildStage::Aborted;
self.compiled_crates = 0;
- self.compiled_crates_server = 0;
self.expected_crates = 1;
self.bundling_progress = 0.0;
self.compile_start = None;
@@ -212,7 +339,7 @@ impl Builder {
///
/// todo(jon): maybe we want to do some logging here? The build/bundle/run screens could be made to
/// use the TUI output for prettier outputs.
- pub(crate) async fn finish(&mut self) -> Result {
+ pub(crate) async fn finish(&mut self) -> Result {
loop {
match self.wait().await {
BuildUpdate::Progress { stage } => {
@@ -244,7 +371,7 @@ impl Builder {
}
BuildUpdate::BuildReady { bundle } => {
tracing::debug!(json = ?StructuredOutput::BuildFinished {
- path: bundle.build.root_dir(),
+ path: self.app.root_dir(),
});
return Ok(bundle);
}
@@ -263,11 +390,801 @@ impl Builder {
}
}
+ pub(crate) async fn open(
+ &mut self,
+ devserver_ip: SocketAddr,
+ start_fullstack_on_address: Option,
+ open_browser: bool,
+ ) -> Result<()> {
+ let krate = &self.app;
+
+ // Set the env vars that the clients will expect
+ // These need to be stable within a release version (ie 0.6.0)
+ let mut envs = vec![
+ (dioxus_cli_config::CLI_ENABLED_ENV, "true".to_string()),
+ (
+ dioxus_cli_config::ALWAYS_ON_TOP_ENV,
+ krate
+ .workspace
+ .settings
+ .always_on_top
+ .unwrap_or(true)
+ .to_string(),
+ ),
+ (
+ dioxus_cli_config::APP_TITLE_ENV,
+ krate.config.web.app.title.clone(),
+ ),
+ ("RUST_BACKTRACE", "1".to_string()),
+ (
+ dioxus_cli_config::DEVSERVER_IP_ENV,
+ devserver_ip.ip().to_string(),
+ ),
+ (
+ dioxus_cli_config::DEVSERVER_PORT_ENV,
+ devserver_ip.port().to_string(),
+ ),
+ // unset the cargo dirs in the event we're running `dx` locally
+ // since the child process will inherit the env vars, we don't want to confuse the downstream process
+ ("CARGO_MANIFEST_DIR", "".to_string()),
+ (
+ dioxus_cli_config::SESSION_CACHE_DIR,
+ self.app.session_cache_dir().display().to_string(),
+ ),
+ ];
+
+ if let Some(base_path) = &krate.config.web.app.base_path {
+ envs.push((dioxus_cli_config::ASSET_ROOT_ENV, base_path.clone()));
+ }
+
+ // // Launch the server if we were given an address to start it on, and the build includes a server. After we
+ // // start the server, consume its stdout/stderr.
+ // if let (Some(addr), Some(server)) = (start_fullstack_on_address, self.server_exe()) {
+ // tracing::debug!("Proxying fullstack server from port {:?}", addr);
+ // envs.push((dioxus_cli_config::SERVER_IP_ENV, addr.ip().to_string()));
+ // envs.push((dioxus_cli_config::SERVER_PORT_ENV, addr.port().to_string()));
+ // tracing::debug!("Launching server from path: {server:?}");
+ // let mut child = Command::new(server)
+ // .envs(envs.clone())
+ // .stderr(Stdio::piped())
+ // .stdout(Stdio::piped())
+ // .kill_on_drop(true)
+ // .spawn()?;
+ // let stdout = BufReader::new(child.stdout.take().unwrap());
+ // let stderr = BufReader::new(child.stderr.take().unwrap());
+ // self.server_stdout = Some(stdout.lines());
+ // self.server_stderr = Some(stderr.lines());
+ // self.server_child = Some(child);
+ // }
+
+ // We try to use stdin/stdout to communicate with the app
+ let running_process = match self.app.platform {
+ // Unfortunately web won't let us get a proc handle to it (to read its stdout/stderr) so instead
+ // use use the websocket to communicate with it. I wish we could merge the concepts here,
+ // like say, opening the socket as a subprocess, but alas, it's simpler to do that somewhere else.
+ Platform::Web => {
+ // Only the first build we open the web app, after that the user knows it's running
+ if open_browser {
+ self.open_web(devserver_ip);
+ }
+
+ None
+ }
+
+ Platform::Ios => Some(self.open_ios_sim(envs).await?),
+
+ // https://developer.android.com/studio/run/emulator-commandline
+ Platform::Android => {
+ self.open_android_sim(devserver_ip, envs).await;
+ None
+ }
+
+ // These are all just basically running the main exe, but with slightly different resource dir paths
+ Platform::Server
+ | Platform::MacOS
+ | Platform::Windows
+ | Platform::Linux
+ | Platform::Liveview => Some(self.open_with_main_exe(envs)?),
+ };
+
+ // If we have a running process, we need to attach to it and wait for its outputs
+ if let Some(mut child) = running_process {
+ let stdout = BufReader::new(child.stdout.take().unwrap());
+ let stderr = BufReader::new(child.stderr.take().unwrap());
+ self.app_stdout = Some(stdout.lines());
+ self.app_stderr = Some(stderr.lines());
+ self.app_child = Some(child);
+ }
+
+ Ok(())
+ }
+
+ /// Gracefully kill the process and all of its children
+ ///
+ /// Uses the `SIGTERM` signal on unix and `taskkill` on windows.
+ /// This complex logic is necessary for things like window state preservation to work properly.
+ ///
+ /// Also wipes away the entropy executables if they exist.
+ pub(crate) async fn cleanup(&mut self) {
+ // Soft-kill the process by sending a sigkill, allowing the process to clean up
+ self.soft_kill().await;
+
+ // Wipe out the entropy executables if they exist
+ if let Some(entropy_app_exe) = self.entropy_app_exe.take() {
+ _ = std::fs::remove_file(entropy_app_exe);
+ }
+
+ // if let Some(entropy_server_exe) = self.entropy_server_exe.take() {
+ // _ = std::fs::remove_file(entropy_server_exe);
+ // }
+ }
+
+ /// Kill the app and server exes
+ pub(crate) async fn soft_kill(&mut self) {
+ use futures_util::FutureExt;
+
+ // Kill any running executables on Windows
+ let Some(mut process) = self.app_child.take() else {
+ return;
+ };
+
+ let Some(pid) = process.id() else {
+ _ = process.kill().await;
+ return;
+ };
+
+ // on unix, we can send a signal to the process to shut down
+ #[cfg(unix)]
+ {
+ _ = Command::new("kill")
+ .args(["-s", "TERM", &pid.to_string()])
+ .spawn();
+ }
+
+ // on windows, use the `taskkill` command
+ #[cfg(windows)]
+ {
+ _ = Command::new("taskkill")
+ .args(["/F", "/PID", &pid.to_string()])
+ .spawn();
+ }
+
+ // join the wait with a 100ms timeout
+ futures_util::select! {
+ _ = process.wait().fuse() => {}
+ _ = tokio::time::sleep(std::time::Duration::from_millis(1000)).fuse() => {}
+ };
+ }
+
+ /// Hotreload an asset in the running app.
+ ///
+ /// This will modify the build dir in place! Be careful! We generally assume you want all bundles
+ /// to reflect the latest changes, so we will modify the bundle.
+ ///
+ /// However, not all platforms work like this, so we might also need to update a separate asset
+ /// dir that the system simulator might be providing. We know this is the case for ios simulators
+ /// and haven't yet checked for android.
+ ///
+ /// This will return the bundled name of the asset such that we can send it to the clients letting
+ /// them know what to reload. It's not super important that this is robust since most clients will
+ /// kick all stylsheets without necessarily checking the name.
+ pub(crate) async fn hotreload_bundled_asset(&self, changed_file: &PathBuf) -> Option {
+ let mut bundled_name = None;
+
+ let Some(artifacts) = self.artifacts.as_ref() else {
+ tracing::debug!("No artifacts to hotreload asset");
+ return None;
+ };
+
+ // Use the build dir if there's no runtime asset dir as the override. For the case of ios apps,
+ // we won't actually be using the build dir.
+ let asset_dir = match self.runtime_asst_dir.as_ref() {
+ Some(dir) => dir.to_path_buf().join("assets/"),
+ None => self.app.asset_dir(),
+ };
+
+ tracing::debug!("Hotreloading asset {changed_file:?} in target {asset_dir:?}");
+
+ // If the asset shares the same name in the bundle, reload that
+ if let Some(legacy_asset_dir) = self.app.legacy_asset_dir() {
+ if changed_file.starts_with(&legacy_asset_dir) {
+ tracing::debug!("Hotreloading legacy asset {changed_file:?}");
+ let trimmed = changed_file.strip_prefix(legacy_asset_dir).unwrap();
+ let res = std::fs::copy(changed_file, asset_dir.join(trimmed));
+ bundled_name = Some(trimmed.to_path_buf());
+ if let Err(e) = res {
+ tracing::debug!("Failed to hotreload legacy asset {e}");
+ }
+ }
+ }
+
+ // Canonicalize the path as Windows may use long-form paths "\\\\?\\C:\\".
+ let changed_file = dunce::canonicalize(changed_file)
+ .inspect_err(|e| tracing::debug!("Failed to canonicalize hotreloaded asset: {e}"))
+ .ok()?;
+
+ // The asset might've been renamed thanks to the manifest, let's attempt to reload that too
+ if let Some(resource) = artifacts.assets.assets.get(&changed_file).as_ref() {
+ let output_path = asset_dir.join(resource.bundled_path());
+ // Remove the old asset if it exists
+ _ = std::fs::remove_file(&output_path);
+ // And then process the asset with the options into the **old** asset location. If we recompiled,
+ // the asset would be in a new location because the contents and hash have changed. Since we are
+ // hotreloading, we need to use the old asset location it was originally written to.
+ let options = *resource.options();
+ let res = process_file_to(&options, &changed_file, &output_path);
+ bundled_name = Some(PathBuf::from(resource.bundled_path()));
+ if let Err(e) = res {
+ tracing::debug!("Failed to hotreload asset {e}");
+ }
+ }
+
+ // If the emulator is android, we need to copy the asset to the device with `adb push asset /data/local/tmp/dx/assets/filename.ext`
+ if self.app.platform == Platform::Android {
+ if let Some(bundled_name) = bundled_name.as_ref() {
+ _ = self
+ .copy_file_to_android_tmp(&changed_file, &bundled_name)
+ .await;
+ }
+ }
+
+ // Now we can return the bundled asset name to send to the hotreload engine
+ bundled_name
+ }
+
+ /// Copy this file to the tmp folder on the android device, returning the path to the copied file
+ pub(crate) async fn copy_file_to_android_tmp(
+ &self,
+ changed_file: &Path,
+ bundled_name: &Path,
+ ) -> Result {
+ let target = PathBuf::from("/data/app/~~OE9KIaCNz0l5pwJue6zY8Q==/com.example.SubsecondHarness-pilWFhddpEHdzmzy-khHRA==/lib/arm64/").join(bundled_name);
+ // let target = dioxus_cli_config::android_session_cache_dir().join(bundled_name);
+ tracing::debug!("Pushing asset to device: {target:?}");
+ let res = tokio::process::Command::new(crate::build::android_tools().unwrap().adb)
+ .arg("push")
+ .arg(&changed_file)
+ .arg(&target)
+ .output()
+ .await
+ .context("Failed to push asset to device");
+
+ if let Err(e) = res {
+ tracing::debug!("Failed to push asset to device: {e}");
+ }
+
+ Ok(target)
+ }
+
+ /// Open the native app simply by running its main exe
+ ///
+ /// Eventually, for mac, we want to run the `.app` with `open` to fix issues with `dylib` paths,
+ /// but for now, we just run the exe directly. Very few users should be caring about `dylib` search
+ /// paths right now, but they will when we start to enable things like swift integration.
+ ///
+ /// Server/liveview/desktop are all basically the same, though
+ fn open_with_main_exe(&mut self, envs: Vec<(&str, String)>) -> Result {
+ // Create a new entropy app exe if we need to
+ let main_exe = self.app_exe();
+ let child = Command::new(main_exe)
+ .envs(envs)
+ .stderr(Stdio::piped())
+ .stdout(Stdio::piped())
+ .kill_on_drop(true)
+ .spawn()?;
+
+ Ok(child)
+ }
+
+ /// Open the web app by opening the browser to the given address.
+ /// Check if we need to use https or not, and if so, add the protocol.
+ /// Go to the basepath if that's set too.
+ fn open_web(&self, address: SocketAddr) {
+ let base_path = self.app.config.web.app.base_path.clone();
+ let https = self.app.config.web.https.enabled.unwrap_or_default();
+ let protocol = if https { "https" } else { "http" };
+ let base_path = match base_path.as_deref() {
+ Some(base_path) => format!("/{}", base_path.trim_matches('/')),
+ None => "".to_owned(),
+ };
+ _ = open::that(format!("{protocol}://{address}{base_path}"));
+ }
+
+ /// Use `xcrun` to install the app to the simulator
+ /// With simulators, we're free to basically do anything, so we don't need to do any fancy codesigning
+ /// or entitlements, or anything like that.
+ ///
+ /// However, if there's no simulator running, this *might* fail.
+ ///
+ /// TODO(jon): we should probably check if there's a simulator running before trying to install,
+ /// and open the simulator if we have to.
+ async fn open_ios_sim(&mut self, envs: Vec<(&str, String)>) -> Result {
+ tracing::debug!("Installing app to simulator {:?}", self.app.root_dir());
+
+ let res = Command::new("xcrun")
+ .arg("simctl")
+ .arg("install")
+ .arg("booted")
+ .arg(self.app.root_dir())
+ .stderr(Stdio::piped())
+ .stdout(Stdio::piped())
+ .output()
+ .await?;
+
+ tracing::debug!("Installed app to simulator with exit code: {res:?}");
+
+ // Remap the envs to the correct simctl env vars
+ // iOS sim lets you pass env vars but they need to be in the format "SIMCTL_CHILD_XXX=XXX"
+ let ios_envs = envs
+ .iter()
+ .map(|(k, v)| (format!("SIMCTL_CHILD_{k}"), v.clone()));
+
+ let child = Command::new("xcrun")
+ .arg("simctl")
+ .arg("launch")
+ .arg("--console")
+ .arg("booted")
+ .arg(self.app.bundle_identifier())
+ .envs(ios_envs)
+ .stderr(Stdio::piped())
+ .stdout(Stdio::piped())
+ .kill_on_drop(true)
+ .spawn()?;
+
+ Ok(child)
+ }
+
+ /// We have this whole thing figured out, but we don't actually use it yet.
+ ///
+ /// Launching on devices is more complicated and requires us to codesign the app, which we don't
+ /// currently do.
+ ///
+ /// Converting these commands shouldn't be too hard, but device support would imply we need
+ /// better support for codesigning and entitlements.
+ #[allow(unused)]
+ async fn open_ios_device(&self) -> Result<()> {
+ use serde_json::Value;
+ let app_path = self.app.root_dir();
+
+ install_app(&app_path).await?;
+
+ // 2. Determine which device the app was installed to
+ let device_uuid = get_device_uuid().await?;
+
+ // 3. Get the installation URL of the app
+ let installation_url = get_installation_url(&device_uuid, &app_path).await?;
+
+ // 4. Launch the app into the background, paused
+ launch_app_paused(&device_uuid, &installation_url).await?;
+
+ // 5. Pick up the paused app and resume it
+ resume_app(&device_uuid).await?;
+
+ async fn install_app(app_path: &PathBuf) -> Result<()> {
+ let output = Command::new("xcrun")
+ .args(["simctl", "install", "booted"])
+ .arg(app_path)
+ .output()
+ .await?;
+
+ if !output.status.success() {
+ return Err(format!("Failed to install app: {:?}", output).into());
+ }
+
+ Ok(())
+ }
+
+ async fn get_device_uuid() -> Result {
+ let output = Command::new("xcrun")
+ .args([
+ "devicectl",
+ "list",
+ "devices",
+ "--json-output",
+ "target/deviceid.json",
+ ])
+ .output()
+ .await?;
+
+ let json: Value =
+ serde_json::from_str(&std::fs::read_to_string("target/deviceid.json")?)
+ .context("Failed to parse xcrun output")?;
+ let device_uuid = json["result"]["devices"][0]["identifier"]
+ .as_str()
+ .ok_or("Failed to extract device UUID")?
+ .to_string();
+
+ Ok(device_uuid)
+ }
+
+ async fn get_installation_url(device_uuid: &str, app_path: &Path) -> Result {
+ // xcrun devicectl device install app --device --path --json-output
+ let output = Command::new("xcrun")
+ .args([
+ "devicectl",
+ "device",
+ "install",
+ "app",
+ "--device",
+ device_uuid,
+ &app_path.display().to_string(),
+ "--json-output",
+ "target/xcrun.json",
+ ])
+ .output()
+ .await?;
+
+ if !output.status.success() {
+ return Err(format!("Failed to install app: {:?}", output).into());
+ }
+
+ let json: Value = serde_json::from_str(&std::fs::read_to_string("target/xcrun.json")?)
+ .context("Failed to parse xcrun output")?;
+ let installation_url = json["result"]["installedApplications"][0]["installationURL"]
+ .as_str()
+ .ok_or("Failed to extract installation URL")?
+ .to_string();
+
+ Ok(installation_url)
+ }
+
+ async fn launch_app_paused(device_uuid: &str, installation_url: &str) -> Result<()> {
+ let output = Command::new("xcrun")
+ .args([
+ "devicectl",
+ "device",
+ "process",
+ "launch",
+ "--no-activate",
+ "--verbose",
+ "--device",
+ device_uuid,
+ installation_url,
+ "--json-output",
+ "target/launch.json",
+ ])
+ .output()
+ .await?;
+
+ if !output.status.success() {
+ return Err(format!("Failed to launch app: {:?}", output).into());
+ }
+
+ Ok(())
+ }
+
+ async fn resume_app(device_uuid: &str) -> Result<()> {
+ let json: Value = serde_json::from_str(&std::fs::read_to_string("target/launch.json")?)
+ .context("Failed to parse xcrun output")?;
+
+ let status_pid = json["result"]["process"]["processIdentifier"]
+ .as_u64()
+ .ok_or("Failed to extract process identifier")?;
+
+ let output = Command::new("xcrun")
+ .args([
+ "devicectl",
+ "device",
+ "process",
+ "resume",
+ "--device",
+ device_uuid,
+ "--pid",
+ &status_pid.to_string(),
+ ])
+ .output()
+ .await?;
+
+ if !output.status.success() {
+ return Err(format!("Failed to resume app: {:?}", output).into());
+ }
+
+ Ok(())
+ }
+
+ unimplemented!("dioxus-cli doesn't support ios devices yet.")
+ }
+
+ #[allow(unused)]
+ async fn codesign_ios(&self) -> Result<()> {
+ const CODESIGN_ERROR: &str = r#"This is likely because you haven't
+- Created a provisioning profile before
+- Accepted the Apple Developer Program License Agreement
+
+The agreement changes frequently and might need to be accepted again.
+To accept the agreement, go to https://developer.apple.com/account
+
+To create a provisioning profile, follow the instructions here:
+https://developer.apple.com/documentation/xcode/sharing-your-teams-signing-certificates"#;
+
+ let profiles_folder = dirs::home_dir()
+ .context("Your machine has no home-dir")?
+ .join("Library/MobileDevice/Provisioning Profiles");
+
+ if !profiles_folder.exists() || profiles_folder.read_dir()?.next().is_none() {
+ tracing::error!(
+ r#"No provisioning profiles found when trying to codesign the app.
+We checked the folder: {}
+
+{CODESIGN_ERROR}
+"#,
+ profiles_folder.display()
+ )
+ }
+
+ let identities = Command::new("security")
+ .args(["find-identity", "-v", "-p", "codesigning"])
+ .output()
+ .await
+ .context("Failed to run `security find-identity -v -p codesigning`")
+ .map(|e| {
+ String::from_utf8(e.stdout)
+ .context("Failed to parse `security find-identity -v -p codesigning`")
+ })??;
+
+ // Parsing this:
+ // 51ADE4986E0033A5DB1C794E0D1473D74FD6F871 "Apple Development: jkelleyrtp@gmail.com (XYZYZY)"
+ let app_dev_name = regex::Regex::new(r#""Apple Development: (.+)""#)
+ .unwrap()
+ .captures(&identities)
+ .and_then(|caps| caps.get(1))
+ .map(|m| m.as_str())
+ .context(
+ "Failed to find Apple Development in `security find-identity -v -p codesigning`",
+ )?;
+
+ // Acquire the provision file
+ let provision_file = profiles_folder
+ .read_dir()?
+ .flatten()
+ .find(|entry| {
+ entry
+ .file_name()
+ .to_str()
+ .map(|s| s.contains("mobileprovision"))
+ .unwrap_or_default()
+ })
+ .context("Failed to find a provisioning profile. \n\n{CODESIGN_ERROR}")?;
+
+ // The .mobileprovision file has some random binary thrown into into, but it's still basically a plist
+ // Let's use the plist markers to find the start and end of the plist
+ fn cut_plist(bytes: &[u8], byte_match: &[u8]) -> Option {
+ bytes
+ .windows(byte_match.len())
+ .enumerate()
+ .rev()
+ .find(|(_, slice)| *slice == byte_match)
+ .map(|(i, _)| i + byte_match.len())
+ }
+ let bytes = std::fs::read(provision_file.path())?;
+ let cut1 = cut_plist(&bytes, b""#.as_bytes())
+ .context("Failed to parse .mobileprovision file")?;
+ let sub_bytes = &bytes[(cut1 - 6)..cut2];
+ let mbfile: ProvisioningProfile =
+ plist::from_bytes(sub_bytes).context("Failed to parse .mobileprovision file")?;
+
+ #[derive(serde::Deserialize, Debug)]
+ struct ProvisioningProfile {
+ #[serde(rename = "TeamIdentifier")]
+ team_identifier: Vec,
+ #[serde(rename = "ApplicationIdentifierPrefix")]
+ application_identifier_prefix: Vec,
+ #[serde(rename = "Entitlements")]
+ entitlements: Entitlements,
+ }
+
+ #[derive(serde::Deserialize, Debug)]
+ struct Entitlements {
+ #[serde(rename = "application-identifier")]
+ application_identifier: String,
+ #[serde(rename = "keychain-access-groups")]
+ keychain_access_groups: Vec,
+ }
+
+ let entielements_xml = format!(
+ r#"
+
+
+
+ application-identifier
+ {APPLICATION_IDENTIFIER}
+ keychain-access-groups
+
+ {APP_ID_ACCESS_GROUP}.*
+
+ get-task-allow
+
+ com.apple.developer.team-identifier
+ {TEAM_IDENTIFIER}
+
+ "#,
+ APPLICATION_IDENTIFIER = mbfile.entitlements.application_identifier,
+ APP_ID_ACCESS_GROUP = mbfile.entitlements.keychain_access_groups[0],
+ TEAM_IDENTIFIER = mbfile.team_identifier[0],
+ );
+
+ // write to a temp file
+ let temp_file = tempfile::NamedTempFile::new()?;
+ std::fs::write(temp_file.path(), entielements_xml)?;
+
+ // codesign the app
+ let output = Command::new("codesign")
+ .args([
+ "--force",
+ "--entitlements",
+ temp_file.path().to_str().unwrap(),
+ "--sign",
+ app_dev_name,
+ ])
+ .arg(self.app.root_dir())
+ .output()
+ .await
+ .context("Failed to codesign the app")?;
+
+ if !output.status.success() {
+ let stderr = String::from_utf8(output.stderr).unwrap_or_default();
+ return Err(format!("Failed to codesign the app: {stderr}").into());
+ }
+
+ Ok(())
+ }
+
+ async fn open_android_sim(
+ &self,
+ devserver_socket: SocketAddr,
+ envs: Vec<(&'static str, String)>,
+ ) {
+ let apk_path = self.app.apk_path();
+ let session_cache = self.app.session_cache_dir();
+ let full_mobile_app_name = self.app.full_mobile_app_name();
+
+ // Start backgrounded since .open() is called while in the arm of the top-level match
+ tokio::task::spawn(async move {
+ let adb = crate::build::android_tools().unwrap().adb;
+
+ let port = devserver_socket.port();
+ if let Err(e) = Command::new("adb")
+ .arg("reverse")
+ .arg(format!("tcp:{}", port))
+ .arg(format!("tcp:{}", port))
+ .stderr(Stdio::piped())
+ .stdout(Stdio::piped())
+ .output()
+ .await
+ {
+ tracing::error!("failed to forward port {port}: {e}");
+ }
+
+ // Install
+ // adb install -r app-debug.apk
+ if let Err(e) = Command::new(&adb)
+ .arg("install")
+ .arg("-r")
+ .arg(apk_path)
+ .stderr(Stdio::piped())
+ .stdout(Stdio::piped())
+ .output()
+ .await
+ {
+ tracing::error!("Failed to install apk with `adb`: {e}");
+ };
+
+ // Write the env vars to a .env file in our session cache
+ let env_file = session_cache.join(".env");
+ let contents: String = envs
+ .iter()
+ .map(|(key, value)| format!("{key}={value}"))
+ .collect::>()
+ .join("\n");
+ _ = std::fs::write(&env_file, contents);
+
+ // Push the env file to the device
+ if let Err(e) = tokio::process::Command::new(&adb)
+ .arg("push")
+ .arg(env_file)
+ .arg(dioxus_cli_config::android_session_cache_dir().join(".env"))
+ .output()
+ .await
+ .context("Failed to push asset to device")
+ {
+ tracing::error!("Failed to push .env file to device: {e}");
+ }
+
+ // eventually, use the user's MainActivity, not our MainActivity
+ // adb shell am start -n dev.dioxus.main/dev.dioxus.main.MainActivity
+ let activity_name = format!("{}/dev.dioxus.main.MainActivity", full_mobile_app_name,);
+
+ if let Err(e) = Command::new(&adb)
+ .arg("shell")
+ .arg("am")
+ .arg("start")
+ .arg("-n")
+ .arg(activity_name)
+ .stderr(Stdio::piped())
+ .stdout(Stdio::piped())
+ .output()
+ .await
+ {
+ tracing::error!("Failed to start app with `adb`: {e}");
+ };
+ });
+ }
+
+ fn make_entropy_path(exe: &PathBuf) -> PathBuf {
+ let id = uuid::Uuid::new_v4();
+ let name = id.to_string();
+ let some_entropy = name.split('-').next().unwrap();
+
+ // Make a copy of the server exe with a new name
+ let entropy_server_exe = exe.with_file_name(format!(
+ "{}-{}",
+ exe.file_name().unwrap().to_str().unwrap(),
+ some_entropy
+ ));
+
+ std::fs::copy(exe, &entropy_server_exe).unwrap();
+
+ entropy_server_exe
+ }
+
+ fn server_exe(&mut self) -> Option {
+ todo!()
+ // let mut server = self.app.server_exe()?;
+
+ // // Create a new entropy server exe if we need to
+ // if cfg!(target_os = "windows") || cfg!(target_os = "linux") {
+ // // If we already have an entropy server exe, return it - this is useful for re-opening the same app
+ // if let Some(existing_server) = self.entropy_server_exe.clone() {
+ // return Some(existing_server);
+ // }
+
+ // // Otherwise, create a new entropy server exe and save it for re-opning
+ // let entropy_server_exe = Self::make_entropy_path(&server);
+ // self.entropy_server_exe = Some(entropy_server_exe.clone());
+ // server = entropy_server_exe;
+ // }
+
+ // Some(server)
+ }
+
+ fn app_exe(&mut self) -> PathBuf {
+ let mut main_exe = self.app.main_exe();
+
+ // The requirement here is based on the platform, not necessarily our current architecture.
+ let requires_entropy = match self.app.platform {
+ // When running "bundled", we don't need entropy
+ Platform::Web => false,
+ Platform::MacOS => false,
+ Platform::Ios => false,
+ Platform::Android => false,
+
+ // But on platforms that aren't running as "bundled", we do.
+ Platform::Windows => true,
+ Platform::Linux => true,
+ Platform::Server => true,
+ Platform::Liveview => true,
+ };
+
+ if requires_entropy || std::env::var("DIOXUS_ENTROPY").is_ok() {
+ // If we already have an entropy app exe, return it - this is useful for re-opening the same app
+ if let Some(existing_app_exe) = self.entropy_app_exe.clone() {
+ return existing_app_exe;
+ }
+
+ let entropy_app_exe = Self::make_entropy_path(&main_exe);
+ self.entropy_app_exe = Some(entropy_app_exe.clone());
+ main_exe = entropy_app_exe;
+ }
+
+ main_exe
+ }
+
fn complete_compile(&mut self) {
if self.compile_end.is_none() {
self.compiled_crates = self.expected_crates;
self.compile_end = Some(Instant::now());
- self.compile_end_server = Some(Instant::now());
+ // self.compile_end_server = Some(Instant::now());
}
}
@@ -299,7 +1216,8 @@ impl Builder {
/// Return a number between 0 and 1 representing the progress of the server build
pub(crate) fn server_compile_progress(&self) -> f64 {
- self.compiled_crates_server as f64 / self.expected_crates_server as f64
+ todo!()
+ // self.compiled_crates_server as f64 / self.expected_crates_server as f64
}
pub(crate) fn bundle_progress(&self) -> f64 {
diff --git a/packages/cli/src/build/bundle.rs b/packages/cli/src/build/bundle.rs
index e2b769f9d2..2676309bf5 100644
--- a/packages/cli/src/build/bundle.rs
+++ b/packages/cli/src/build/bundle.rs
@@ -1,955 +1,260 @@
+//! ## Web:
+//! Create a folder that is somewhat similar to an app-image (exe + asset)
+//! The server is dropped into the `web` folder, even if there's no `public` folder.
+//! If there's no server (SPA), we still use the `web` folder, but it only contains the
+//! public folder.
+//! ```
+//! web/
+//! server
+//! assets/
+//! public/
+//! index.html
+//! wasm/
+//! app.wasm
+//! glue.js
+//! snippets/
+//! ...
+//! assets/
+//! logo.png
+//! ```
+//!
+//! ## Linux:
+//! https://docs.appimage.org/reference/appdir.html#ref-appdir
+//! current_exe.join("Assets")
+//! ```
+//! app.appimage/
+//! AppRun
+//! app.desktop
+//! package.json
+//! assets/
+//! logo.png
+//! ```
+//!
+//! ## Macos
+//! We simply use the macos format where binaries are in `Contents/MacOS` and assets are in `Contents/Resources`
+//! We put assets in an assets dir such that it generally matches every other platform and we can
+//! output `/assets/blah` from manganis.
+//! ```
+//! App.app/
+//! Contents/
+//! Info.plist
+//! MacOS/
+//! Frameworks/
+//! Resources/
+//! assets/
+//! blah.icns
+//! blah.png
+//! CodeResources
+//! _CodeSignature/
+//! ```
+//!
+//! ## iOS
+//! Not the same as mac! ios apps are a bit "flattened" in comparison. simpler format, presumably
+//! since most ios apps don't ship frameworks/plugins and such.
+//!
+//! todo(jon): include the signing and entitlements in this format diagram.
+//! ```
+//! App.app/
+//! main
+//! assets/
+//! ```
+//!
+//! ## Android:
+//!
+//! Currently we need to generate a `src` type structure, not a pre-packaged apk structure, since
+//! we need to compile kotlin and java. This pushes us into using gradle and following a structure
+//! similar to that of cargo mobile2. Eventually I'd like to slim this down (drop buildSrc) and
+//! drive the kotlin build ourselves. This would let us drop gradle (yay! no plugins!) but requires
+//! us to manage dependencies (like kotlinc) ourselves (yuck!).
+//!
+//! https://github.com/WanghongLin/miscellaneous/blob/master/tools/build-apk-manually.sh
+//!
+//! Unfortunately, it seems that while we can drop the `android` build plugin, we still will need
+//! gradle since kotlin is basically gradle-only.
+//!
+//! Pre-build:
+//! ```
+//! app.apk/
+//! .gradle
+//! app/
+//! src/
+//! main/
+//! assets/
+//! jniLibs/
+//! java/
+//! kotlin/
+//! res/
+//! AndroidManifest.xml
+//! build.gradle.kts
+//! proguard-rules.pro
+//! buildSrc/
+//! build.gradle.kts
+//! src/
+//! main/
+//! kotlin/
+//! BuildTask.kt
+//! build.gradle.kts
+//! gradle.properties
+//! gradlew
+//! gradlew.bat
+//! settings.gradle
+//! ```
+//!
+//! Final build:
+//! ```
+//! app.apk/
+//! AndroidManifest.xml
+//! classes.dex
+//! assets/
+//! logo.png
+//! lib/
+//! armeabi-v7a/
+//! libmyapp.so
+//! arm64-v8a/
+//! libmyapp.so
+//! ```
+//! Notice that we *could* feasibly build this ourselves :)
+//!
+//! ## Windows:
+//! https://superuser.com/questions/749447/creating-a-single-file-executable-from-a-directory-in-windows
+//! Windows does not provide an AppImage format, so instead we're going build the same folder
+//! structure as an AppImage, but when distributing, we'll create a .exe that embeds the resources
+//! as an embedded .zip file. When the app runs, it will implicitly unzip its resources into the
+//! Program Files folder. Any subsequent launches of the parent .exe will simply call the AppRun.exe
+//! entrypoint in the associated Program Files folder.
+//!
+//! This is, in essence, the same as an installer, so we might eventually just support something like msi/msix
+//! which functionally do the same thing but with a sleeker UI.
+//!
+//! This means no installers are required and we can bake an updater into the host exe.
+//!
+//! ## Handling asset lookups:
+//! current_exe.join("assets")
+//! ```
+//! app.appimage/
+//! main.exe
+//! main.desktop
+//! package.json
+//! assets/
+//! logo.png
+//! ```
+//!
+//! Since we support just a few locations, we could just search for the first that exists
+//! - usr
+//! - ../Resources
+//! - assets
+//! - Assets
+//! - $cwd/assets
+//!
+//! ```
+//! assets::root() ->
+//! mac -> ../Resources/
+//! ios -> ../Resources/
+//! android -> assets/
+//! server -> assets/
+//! liveview -> assets/
+//! web -> /assets/
+//! root().join(bundled)
+//! ```
+// / The end result of a build.
+// /
+// / Contains the final asset manifest, the executables, and the workdir.
+// /
+// / Every dioxus app can have an optional server executable which will influence the final bundle.
+// / This is built in parallel with the app executable during the `build` phase and the progres/status
+// / of the build is aggregated.
+// /
+// / The server will *always* be dropped into the `web` folder since it is considered "web" in nature,
+// / and will likely need to be combined with the public dir to be useful.
+// /
+// / We do our best to assemble read-to-go bundles here, such that the "bundle" step for each platform
+// / can just use the build dir
+// /
+// / When we write the AppBundle to a folder, it'll contain each bundle for each platform under the app's name:
+// / ```
+// / dog-app/
+// / build/
+// / web/
+// / server.exe
+// / assets/
+// / some-secret-asset.txt (a server-side asset)
+// / public/
+// / index.html
+// / assets/
+// / logo.png
+// / desktop/
+// / App.app
+// / App.appimage
+// / App.exe
+// / server/
+// / server
+// / assets/
+// / some-secret-asset.txt (a server-side asset)
+// / ios/
+// / App.app
+// / App.ipa
+// / android/
+// / App.apk
+// / bundle/
+// / build.json
+// / Desktop.app
+// / Mobile_x64.ipa
+// / Mobile_arm64.ipa
+// / Mobile_rosetta.ipa
+// / web.appimage
+// / web/
+// / server.exe
+// / assets/
+// / some-secret-asset.txt
+// / public/
+// / index.html
+// / assets/
+// / logo.png
+// / style.css
+// / ```
+// /
+// / When deploying, the build.json file will provide all the metadata that dx-deploy will use to
+// / push the app to stores, set up infra, manage versions, etc.
+// /
+// / The format of each build will follow the name plus some metadata such that when distributing you
+// / can easily trim off the metadata.
+// /
+// / The idea here is that we can run any of the programs in the same way that they're deployed.
+// /
+// /
+// / ## Bundle structure links
+// / - apple: https://developer.apple.com/documentation/bundleresources/placing_content_in_a_bundle
+// / - appimage: https://docs.appimage.org/packaging-guide/manual.html#ref-manual
+// /
+// / ## Extra links
+// / - xbuild: https://github.com/rust-mobile/xbuild/blob/master/xbuild/src/command/build.rs
+// pub(crate) struct BuildArtifacts {
+// pub(crate) build: BuildRequest,
+// pub(crate) exe: PathBuf,
+// pub(crate) direct_rustc: Vec,
+// pub(crate) time_start: SystemTime,
+// pub(crate) time_end: SystemTime,
+// pub(crate) assets: AssetManifest,
+// }
+
+// impl AppBundle {}
+
use super::prerender::pre_render_static_routes;
-use super::templates::InfoPlistData;
-use crate::{BuildRequest, Platform, WasmOptConfig};
+use crate::{BuildMode, BuildRequest, Platform, WasmOptConfig};
use crate::{Result, TraceSrc};
-use anyhow::Context;
+use anyhow::{bail, Context};
use dioxus_cli_opt::{process_file_to, AssetManifest};
+use itertools::Itertools;
use manganis::{AssetOptions, JsAssetOptions};
use rayon::prelude::{IntoParallelRefIterator, ParallelIterator};
-use std::future::Future;
-use std::path::{Path, PathBuf};
-use std::pin::Pin;
-use std::sync::atomic::Ordering;
use std::{collections::HashSet, io::Write};
+use std::{future::Future, time::Instant};
+use std::{
+ path::{Path, PathBuf},
+ time::UNIX_EPOCH,
+};
+use std::{pin::Pin, time::SystemTime};
+use std::{process::Stdio, sync::atomic::Ordering};
use std::{sync::atomic::AtomicUsize, time::Duration};
+use target_lexicon::{Environment, OperatingSystem};
use tokio::process::Command;
-
-/// The end result of a build.
-///
-/// Contains the final asset manifest, the executables, and the workdir.
-///
-/// Every dioxus app can have an optional server executable which will influence the final bundle.
-/// This is built in parallel with the app executable during the `build` phase and the progres/status
-/// of the build is aggregated.
-///
-/// The server will *always* be dropped into the `web` folder since it is considered "web" in nature,
-/// and will likely need to be combined with the public dir to be useful.
-///
-/// We do our best to assemble read-to-go bundles here, such that the "bundle" step for each platform
-/// can just use the build dir
-///
-/// When we write the AppBundle to a folder, it'll contain each bundle for each platform under the app's name:
-/// ```
-/// dog-app/
-/// build/
-/// web/
-/// server.exe
-/// assets/
-/// some-secret-asset.txt (a server-side asset)
-/// public/
-/// index.html
-/// assets/
-/// logo.png
-/// desktop/
-/// App.app
-/// App.appimage
-/// App.exe
-/// server/
-/// server
-/// assets/
-/// some-secret-asset.txt (a server-side asset)
-/// ios/
-/// App.app
-/// App.ipa
-/// android/
-/// App.apk
-/// bundle/
-/// build.json
-/// Desktop.app
-/// Mobile_x64.ipa
-/// Mobile_arm64.ipa
-/// Mobile_rosetta.ipa
-/// web.appimage
-/// web/
-/// server.exe
-/// assets/
-/// some-secret-asset.txt
-/// public/
-/// index.html
-/// assets/
-/// logo.png
-/// style.css
-/// ```
-///
-/// When deploying, the build.json file will provide all the metadata that dx-deploy will use to
-/// push the app to stores, set up infra, manage versions, etc.
-///
-/// The format of each build will follow the name plus some metadata such that when distributing you
-/// can easily trim off the metadata.
-///
-/// The idea here is that we can run any of the programs in the same way that they're deployed.
-///
-///
-/// ## Bundle structure links
-/// - apple: https://developer.apple.com/documentation/bundleresources/placing_content_in_a_bundle
-/// - appimage: https://docs.appimage.org/packaging-guide/manual.html#ref-manual
-///
-/// ## Extra links
-/// - xbuild: https://github.com/rust-mobile/xbuild/blob/master/xbuild/src/command/build.rs
-#[derive(Debug)]
-pub(crate) struct AppBundle {
- pub(crate) build: BuildRequest,
- pub(crate) app: BuildArtifacts,
- pub(crate) server: Option,
-}
-
-#[derive(Debug)]
-pub struct BuildArtifacts {
- pub(crate) exe: PathBuf,
- pub(crate) assets: AssetManifest,
- pub(crate) time_taken: Duration,
-}
-
-impl AppBundle {
- /// ## Web:
- /// Create a folder that is somewhat similar to an app-image (exe + asset)
- /// The server is dropped into the `web` folder, even if there's no `public` folder.
- /// If there's no server (SPA), we still use the `web` folder, but it only contains the
- /// public folder.
- /// ```
- /// web/
- /// server
- /// assets/
- /// public/
- /// index.html
- /// wasm/
- /// app.wasm
- /// glue.js
- /// snippets/
- /// ...
- /// assets/
- /// logo.png
- /// ```
- ///
- /// ## Linux:
- /// https://docs.appimage.org/reference/appdir.html#ref-appdir
- /// current_exe.join("Assets")
- /// ```
- /// app.appimage/
- /// AppRun
- /// app.desktop
- /// package.json
- /// assets/
- /// logo.png
- /// ```
- ///
- /// ## Macos
- /// We simply use the macos format where binaries are in `Contents/MacOS` and assets are in `Contents/Resources`
- /// We put assets in an assets dir such that it generally matches every other platform and we can
- /// output `/assets/blah` from manganis.
- /// ```
- /// App.app/
- /// Contents/
- /// Info.plist
- /// MacOS/
- /// Frameworks/
- /// Resources/
- /// assets/
- /// blah.icns
- /// blah.png
- /// CodeResources
- /// _CodeSignature/
- /// ```
- ///
- /// ## iOS
- /// Not the same as mac! ios apps are a bit "flattened" in comparison. simpler format, presumably
- /// since most ios apps don't ship frameworks/plugins and such.
- ///
- /// todo(jon): include the signing and entitlements in this format diagram.
- /// ```
- /// App.app/
- /// main
- /// assets/
- /// ```
- ///
- /// ## Android:
- ///
- /// Currently we need to generate a `src` type structure, not a pre-packaged apk structure, since
- /// we need to compile kotlin and java. This pushes us into using gradle and following a structure
- /// similar to that of cargo mobile2. Eventually I'd like to slim this down (drop buildSrc) and
- /// drive the kotlin build ourselves. This would let us drop gradle (yay! no plugins!) but requires
- /// us to manage dependencies (like kotlinc) ourselves (yuck!).
- ///
- /// https://github.com/WanghongLin/miscellaneous/blob/master/tools/build-apk-manually.sh
- ///
- /// Unfortunately, it seems that while we can drop the `android` build plugin, we still will need
- /// gradle since kotlin is basically gradle-only.
- ///
- /// Pre-build:
- /// ```
- /// app.apk/
- /// .gradle
- /// app/
- /// src/
- /// main/
- /// assets/
- /// jniLibs/
- /// java/
- /// kotlin/
- /// res/
- /// AndroidManifest.xml
- /// build.gradle.kts
- /// proguard-rules.pro
- /// buildSrc/
- /// build.gradle.kts
- /// src/
- /// main/
- /// kotlin/
- /// BuildTask.kt
- /// build.gradle.kts
- /// gradle.properties
- /// gradlew
- /// gradlew.bat
- /// settings.gradle
- /// ```
- ///
- /// Final build:
- /// ```
- /// app.apk/
- /// AndroidManifest.xml
- /// classes.dex
- /// assets/
- /// logo.png
- /// lib/
- /// armeabi-v7a/
- /// libmyapp.so
- /// arm64-v8a/
- /// libmyapp.so
- /// ```
- /// Notice that we *could* feasibly build this ourselves :)
- ///
- /// ## Windows:
- /// https://superuser.com/questions/749447/creating-a-single-file-executable-from-a-directory-in-windows
- /// Windows does not provide an AppImage format, so instead we're going build the same folder
- /// structure as an AppImage, but when distributing, we'll create a .exe that embeds the resources
- /// as an embedded .zip file. When the app runs, it will implicitly unzip its resources into the
- /// Program Files folder. Any subsequent launches of the parent .exe will simply call the AppRun.exe
- /// entrypoint in the associated Program Files folder.
- ///
- /// This is, in essence, the same as an installer, so we might eventually just support something like msi/msix
- /// which functionally do the same thing but with a sleeker UI.
- ///
- /// This means no installers are required and we can bake an updater into the host exe.
- ///
- /// ## Handling asset lookups:
- /// current_exe.join("assets")
- /// ```
- /// app.appimage/
- /// main.exe
- /// main.desktop
- /// package.json
- /// assets/
- /// logo.png
- /// ```
- ///
- /// Since we support just a few locations, we could just search for the first that exists
- /// - usr
- /// - ../Resources
- /// - assets
- /// - Assets
- /// - $cwd/assets
- ///
- /// ```
- /// assets::root() ->
- /// mac -> ../Resources/
- /// ios -> ../Resources/
- /// android -> assets/
- /// server -> assets/
- /// liveview -> assets/
- /// web -> /assets/
- /// root().join(bundled)
- /// ```
- pub(crate) async fn new(
- build: BuildRequest,
- app: BuildArtifacts,
- server: Option,
- ) -> Result {
- let mut bundle = Self { app, server, build };
-
- tracing::debug!("Assembling app bundle");
-
- bundle.build.status_start_bundle();
- /*
- assume the build dir is already created by BuildRequest
- todo(jon): maybe refactor this a bit to force AppBundle to be created before it can be filled in
- */
- bundle
- .write_main_executable()
- .await
- .context("Failed to write main executable")?;
- bundle.write_server_executable().await?;
- bundle
- .write_assets()
- .await
- .context("Failed to write assets")?;
- bundle.write_metadata().await?;
- bundle.optimize().await?;
- bundle.pre_render_ssg_routes().await?;
- bundle
- .assemble()
- .await
- .context("Failed to assemble app bundle")?;
-
- tracing::debug!("Bundle created at {}", bundle.build.root_dir().display());
-
- Ok(bundle)
- }
-
- /// Take the output of rustc and make it into the main exe of the bundle
- ///
- /// For wasm, we'll want to run `wasm-bindgen` to make it a wasm binary along with some other optimizations
- /// Other platforms we might do some stripping or other optimizations
- /// Move the executable to the workdir
- async fn write_main_executable(&mut self) -> Result<()> {
- match self.build.build.platform() {
- // Run wasm-bindgen on the wasm binary and set its output to be in the bundle folder
- // Also run wasm-opt on the wasm binary, and sets the index.html since that's also the "executable".
- //
- // The wasm stuff will be in a folder called "wasm" in the workdir.
- //
- // Final output format:
- // ```
- // dx/
- // app/
- // web/
- // bundle/
- // build/
- // public/
- // index.html
- // wasm/
- // app.wasm
- // glue.js
- // snippets/
- // ...
- // assets/
- // logo.png
- // ```
- Platform::Web => {
- self.bundle_web().await?;
- }
-
- // this will require some extra oomf to get the multi architecture builds...
- // for now, we just copy the exe into the current arch (which, sorry, is hardcoded for my m1)
- // we'll want to do multi-arch builds in the future, so there won't be *one* exe dir to worry about
- // eventually `exe_dir` and `main_exe` will need to take in an arch and return the right exe path
- //
- // todo(jon): maybe just symlink this rather than copy it?
- Platform::Android => {
- self.copy_android_exe(&self.app.exe, &self.main_exe())
- .await?;
- }
-
- // These are all super simple, just copy the exe into the folder
- // eventually, perhaps, maybe strip + encrypt the exe?
- Platform::MacOS
- | Platform::Windows
- | Platform::Linux
- | Platform::Ios
- | Platform::Liveview
- | Platform::Server => {
- std::fs::copy(&self.app.exe, self.main_exe())?;
- }
- }
-
- Ok(())
- }
-
- /// Copy the assets out of the manifest and into the target location
- ///
- /// Should be the same on all platforms - just copy over the assets from the manifest into the output directory
- async fn write_assets(&self) -> Result<()> {
- // Server doesn't need assets - web will provide them
- if self.build.build.platform() == Platform::Server {
- return Ok(());
- }
-
- let asset_dir = self.build.asset_dir();
-
- // First, clear the asset dir of any files that don't exist in the new manifest
- _ = tokio::fs::create_dir_all(&asset_dir).await;
- // Create a set of all the paths that new files will be bundled to
- let mut keep_bundled_output_paths: HashSet<_> = self
- .app
- .assets
- .assets
- .values()
- .map(|a| asset_dir.join(a.bundled_path()))
- .collect();
- // The CLI creates a .version file in the asset dir to keep track of what version of the optimizer
- // the asset was processed. If that version doesn't match the CLI version, we need to re-optimize
- // all assets.
- let version_file = self.build.asset_optimizer_version_file();
- let clear_cache = std::fs::read_to_string(&version_file)
- .ok()
- .filter(|s| s == crate::VERSION.as_str())
- .is_none();
- if clear_cache {
- keep_bundled_output_paths.clear();
- }
-
- // one possible implementation of walking a directory only visiting files
- fn remove_old_assets<'a>(
- path: &'a Path,
- keep_bundled_output_paths: &'a HashSet,
- ) -> Pin> + Send + 'a>> {
- Box::pin(async move {
- // If this asset is in the manifest, we don't need to remove it
- let canon_path = dunce::canonicalize(path)?;
- if keep_bundled_output_paths.contains(canon_path.as_path()) {
- return Ok(());
- }
-
- // Otherwise, if it is a directory, we need to walk it and remove child files
- if path.is_dir() {
- for entry in std::fs::read_dir(path)?.flatten() {
- let path = entry.path();
- remove_old_assets(&path, keep_bundled_output_paths).await?;
- }
- if path.read_dir()?.next().is_none() {
- // If the directory is empty, remove it
- tokio::fs::remove_dir(path).await?;
- }
- } else {
- // If it is a file, remove it
- tokio::fs::remove_file(path).await?;
- }
-
- Ok(())
- })
- }
-
- tracing::debug!("Removing old assets");
- tracing::trace!(
- "Keeping bundled output paths: {:#?}",
- keep_bundled_output_paths
- );
- remove_old_assets(&asset_dir, &keep_bundled_output_paths).await?;
-
- // todo(jon): we also want to eventually include options for each asset's optimization and compression, which we currently aren't
- let mut assets_to_transfer = vec![];
-
- // Queue the bundled assets
- for (asset, bundled) in &self.app.assets.assets {
- let from = asset.clone();
- let to = asset_dir.join(bundled.bundled_path());
-
- // prefer to log using a shorter path relative to the workspace dir by trimming the workspace dir
- let from_ = from
- .strip_prefix(self.build.krate.workspace_dir())
- .unwrap_or(from.as_path());
- let to_ = from
- .strip_prefix(self.build.krate.workspace_dir())
- .unwrap_or(to.as_path());
-
- tracing::debug!("Copying asset {from_:?} to {to_:?}");
- assets_to_transfer.push((from, to, *bundled.options()));
- }
-
- // And then queue the legacy assets
- // ideally, one day, we can just check the rsx!{} calls for references to assets
- for from in self.build.krate.legacy_asset_dir_files() {
- let to = asset_dir.join(from.file_name().unwrap());
- tracing::debug!("Copying legacy asset {from:?} to {to:?}");
- assets_to_transfer.push((from, to, AssetOptions::Unknown));
- }
-
- let asset_count = assets_to_transfer.len();
- let started_processing = AtomicUsize::new(0);
- let copied = AtomicUsize::new(0);
-
- // Parallel Copy over the assets and keep track of progress with an atomic counter
- let progress = self.build.progress.clone();
- let ws_dir = self.build.krate.workspace_dir();
- // Optimizing assets is expensive and blocking, so we do it in a tokio spawn blocking task
- tokio::task::spawn_blocking(move || {
- assets_to_transfer
- .par_iter()
- .try_for_each(|(from, to, options)| {
- let processing = started_processing.fetch_add(1, Ordering::SeqCst);
- let from_ = from.strip_prefix(&ws_dir).unwrap_or(from);
- tracing::trace!(
- "Starting asset copy {processing}/{asset_count} from {from_:?}"
- );
-
- let res = process_file_to(options, from, to);
- if let Err(err) = res.as_ref() {
- tracing::error!("Failed to copy asset {from:?}: {err}");
- }
-
- let finished = copied.fetch_add(1, Ordering::SeqCst);
- BuildRequest::status_copied_asset(
- &progress,
- finished,
- asset_count,
- from.to_path_buf(),
- );
-
- res.map(|_| ())
- })
- })
- .await
- .map_err(|e| anyhow::anyhow!("A task failed while trying to copy assets: {e}"))??;
-
- // // Remove the wasm bindgen output directory if it exists
- // _ = std::fs::remove_dir_all(self.build.wasm_bindgen_out_dir());
-
- // Write the version file so we know what version of the optimizer we used
- std::fs::write(
- self.build.asset_optimizer_version_file(),
- crate::VERSION.as_str(),
- )?;
-
- Ok(())
- }
-
- /// The item that we'll try to run directly if we need to.
- ///
- /// todo(jon): we should name the app properly instead of making up the exe name. It's kinda okay for dev mode, but def not okay for prod
- pub fn main_exe(&self) -> PathBuf {
- self.build.exe_dir().join(self.build.platform_exe_name())
- }
-
- /// We always put the server in the `web` folder!
- /// Only the `web` target will generate a `public` folder though
- async fn write_server_executable(&self) -> Result<()> {
- if let Some(server) = &self.server {
- let to = self
- .server_exe()
- .expect("server should be set if we're building a server");
-
- std::fs::create_dir_all(self.server_exe().unwrap().parent().unwrap())?;
-
- tracing::debug!("Copying server executable to: {to:?} {server:#?}");
-
- // Remove the old server executable if it exists, since copying might corrupt it :(
- // todo(jon): do this in more places, I think
- _ = std::fs::remove_file(&to);
- std::fs::copy(&server.exe, to)?;
- }
-
- Ok(())
- }
-
- /// todo(jon): use handlebars templates instead of these prebaked templates
- async fn write_metadata(&self) -> Result<()> {
- // write the Info.plist file
- match self.build.build.platform() {
- Platform::MacOS => {
- let dest = self.build.root_dir().join("Contents").join("Info.plist");
- let plist = self.macos_plist_contents()?;
- std::fs::write(dest, plist)?;
- }
-
- Platform::Ios => {
- let dest = self.build.root_dir().join("Info.plist");
- let plist = self.ios_plist_contents()?;
- std::fs::write(dest, plist)?;
- }
-
- // AndroidManifest.xml
- // er.... maybe even all the kotlin/java/gradle stuff?
- Platform::Android => {}
-
- // Probably some custom format or a plist file (haha)
- // When we do the proper bundle, we'll need to do something with wix templates, I think?
- Platform::Windows => {}
-
- // eventually we'll create the .appimage file, I guess?
- Platform::Linux => {}
-
- // These are served as folders, not appimages, so we don't need to do anything special (I think?)
- // Eventually maybe write some secrets/.env files for the server?
- // We could also distribute them as a deb/rpm for linux and msi for windows
- Platform::Web => {}
- Platform::Server => {}
- Platform::Liveview => {}
- }
-
- Ok(())
- }
-
- /// Run the optimizers, obfuscators, minimizers, signers, etc
- pub(crate) async fn optimize(&self) -> Result<()> {
- match self.build.build.platform() {
- Platform::Web => {
- // Compress the asset dir
- // If pre-compressing is enabled, we can pre_compress the wasm-bindgen output
- let pre_compress = self
- .build
- .krate
- .should_pre_compress_web_assets(self.build.build.release);
-
- self.build.status_compressing_assets();
- let asset_dir = self.build.asset_dir();
- tokio::task::spawn_blocking(move || {
- crate::fastfs::pre_compress_folder(&asset_dir, pre_compress)
- })
- .await
- .unwrap()?;
- }
- Platform::MacOS => {}
- Platform::Windows => {}
- Platform::Linux => {}
- Platform::Ios => {}
- Platform::Android => {}
- Platform::Server => {}
- Platform::Liveview => {}
- }
-
- Ok(())
- }
-
- pub(crate) fn server_exe(&self) -> Option {
- if let Some(_server) = &self.server {
- let mut path = self
- .build
- .krate
- .build_dir(Platform::Server, self.build.build.release);
-
- if cfg!(windows) {
- path.push("server.exe");
- } else {
- path.push("server");
- }
-
- return Some(path);
- }
-
- None
- }
-
- /// Bundle the web app
- /// - Run wasm-bindgen
- /// - Bundle split
- /// - Run wasm-opt
- /// - Register the .wasm and .js files with the asset system
- async fn bundle_web(&mut self) -> Result<()> {
- use crate::{wasm_bindgen::WasmBindgen, wasm_opt};
- use std::fmt::Write;
-
- // Locate the output of the build files and the bindgen output
- // We'll fill these in a second if they don't already exist
- let bindgen_outdir = self.build.wasm_bindgen_out_dir();
- let prebindgen = self.app.exe.clone();
- let post_bindgen_wasm = self.build.wasm_bindgen_wasm_output_file();
- let should_bundle_split = self.build.build.experimental_wasm_split;
- let rustc_exe = self.app.exe.with_extension("wasm");
- let bindgen_version = self
- .build
- .krate
- .wasm_bindgen_version()
- .expect("this should have been checked by tool verification");
-
- // Prepare any work dirs
- std::fs::create_dir_all(&bindgen_outdir)?;
-
- // Prepare our configuration
- //
- // we turn off debug symbols in dev mode but leave them on in release mode (weird!) since
- // wasm-opt and wasm-split need them to do better optimizations.
- //
- // We leave demangling to false since it's faster and these tools seem to prefer the raw symbols.
- // todo(jon): investigate if the chrome extension needs them demangled or demangles them automatically.
- let will_wasm_opt = (self.build.build.release || self.build.build.experimental_wasm_split)
- && crate::wasm_opt::wasm_opt_available();
- let keep_debug = self.build.krate.config.web.wasm_opt.debug
- || self.build.build.debug_symbols
- || self.build.build.experimental_wasm_split
- || !self.build.build.release
- || will_wasm_opt;
- let demangle = false;
- let wasm_opt_options = WasmOptConfig {
- memory_packing: self.build.build.experimental_wasm_split,
- debug: self.build.build.debug_symbols,
- ..self.build.krate.config.web.wasm_opt.clone()
- };
-
- // Run wasm-bindgen. Some of the options are not "optimal" but will be fixed up by wasm-opt
- //
- // There's performance implications here. Running with --debug is slower than without
- // We're keeping around lld sections and names but wasm-opt will fix them
- // todo(jon): investigate a good balance of wiping debug symbols during dev (or doing a double build?)
- self.build.status_wasm_bindgen_start();
- tracing::debug!(dx_src = ?TraceSrc::Bundle, "Running wasm-bindgen");
- let start = std::time::Instant::now();
- WasmBindgen::new(&bindgen_version)
- .input_path(&rustc_exe)
- .target("web")
- .debug(keep_debug)
- .demangle(demangle)
- .keep_debug(keep_debug)
- .keep_lld_sections(true)
- .out_name(self.build.krate.executable_name())
- .out_dir(&bindgen_outdir)
- .remove_name_section(!will_wasm_opt)
- .remove_producers_section(!will_wasm_opt)
- .run()
- .await
- .context("Failed to generate wasm-bindgen bindings")?;
- tracing::debug!(dx_src = ?TraceSrc::Bundle, "wasm-bindgen complete in {:?}", start.elapsed());
-
- // Run bundle splitting if the user has requested it
- // It's pretty expensive but because of rayon should be running separate threads, hopefully
- // not blocking this thread. Dunno if that's true
- if should_bundle_split {
- self.build.status_splitting_bundle();
-
- if !will_wasm_opt {
- return Err(anyhow::anyhow!(
- "Bundle splitting requires wasm-opt to be installed or the CLI to be built with `--features optimizations`. Please install wasm-opt and try again."
- )
- .into());
- }
-
- // Load the contents of these binaries since we need both of them
- // We're going to use the default makeLoad glue from wasm-split
- let original = std::fs::read(&prebindgen)?;
- let bindgened = std::fs::read(&post_bindgen_wasm)?;
- let mut glue = wasm_split_cli::MAKE_LOAD_JS.to_string();
-
- // Run the emitter
- let splitter = wasm_split_cli::Splitter::new(&original, &bindgened);
- let modules = splitter
- .context("Failed to parse wasm for splitter")?
- .emit()
- .context("Failed to emit wasm split modules")?;
-
- // Write the chunks that contain shared imports
- // These will be in the format of chunk_0_modulename.wasm - this is hardcoded in wasm-split
- tracing::debug!("Writing split chunks to disk");
- for (idx, chunk) in modules.chunks.iter().enumerate() {
- let path = bindgen_outdir.join(format!("chunk_{}_{}.wasm", idx, chunk.module_name));
- wasm_opt::write_wasm(&chunk.bytes, &path, &wasm_opt_options).await?;
- writeln!(
- glue, "export const __wasm_split_load_chunk_{idx} = makeLoad(\"/assets/{url}\", [], fusedImports);",
- url = self
- .app
- .assets
- .register_asset(&path, AssetOptions::Unknown)?.bundled_path(),
- )?;
- }
-
- // Write the modules that contain the entrypoints
- tracing::debug!("Writing split modules to disk");
- for (idx, module) in modules.modules.iter().enumerate() {
- let comp_name = module
- .component_name
- .as_ref()
- .context("generated bindgen module has no name?")?;
-
- let path = bindgen_outdir.join(format!("module_{}_{}.wasm", idx, comp_name));
- wasm_opt::write_wasm(&module.bytes, &path, &wasm_opt_options).await?;
-
- let hash_id = module.hash_id.as_ref().unwrap();
-
- writeln!(
- glue,
- "export const __wasm_split_load_{module}_{hash_id}_{comp_name} = makeLoad(\"/assets/{url}\", [{deps}], fusedImports);",
- module = module.module_name,
-
-
- // Again, register this wasm with the asset system
- url = self
- .app
- .assets
- .register_asset(&path, AssetOptions::Unknown)?.bundled_path(),
-
- // This time, make sure to write the dependencies of this chunk
- // The names here are again, hardcoded in wasm-split - fix this eventually.
- deps = module
- .relies_on_chunks
- .iter()
- .map(|idx| format!("__wasm_split_load_chunk_{idx}"))
- .collect::>()
- .join(", ")
- )?;
- }
-
- // Write the js binding
- // It's not registered as an asset since it will get included in the main.js file
- let js_output_path = bindgen_outdir.join("__wasm_split.js");
- std::fs::write(&js_output_path, &glue)?;
-
- // Make sure to write some entropy to the main.js file so it gets a new hash
- // If we don't do this, the main.js file will be cached and never pick up the chunk names
- let uuid = uuid::Uuid::new_v5(&uuid::Uuid::NAMESPACE_URL, glue.as_bytes());
- std::fs::OpenOptions::new()
- .append(true)
- .open(self.build.wasm_bindgen_js_output_file())
- .context("Failed to open main.js file")?
- .write_all(format!("/*{uuid}*/").as_bytes())?;
-
- // Write the main wasm_bindgen file and register it with the asset system
- // This will overwrite the file in place
- // We will wasm-opt it in just a second...
- std::fs::write(&post_bindgen_wasm, modules.main.bytes)?;
- }
-
- // Make sure to optimize the main wasm file if requested or if bundle splitting
- if should_bundle_split || self.build.build.release {
- self.build.status_optimizing_wasm();
- wasm_opt::optimize(&post_bindgen_wasm, &post_bindgen_wasm, &wasm_opt_options).await?;
- }
-
- // Make sure to register the main wasm file with the asset system
- self.app
- .assets
- .register_asset(&post_bindgen_wasm, AssetOptions::Unknown)?;
-
- // Register the main.js with the asset system so it bundles in the snippets and optimizes
- self.app.assets.register_asset(
- &self.build.wasm_bindgen_js_output_file(),
- AssetOptions::Js(JsAssetOptions::new().with_minify(true).with_preload(true)),
- )?;
-
- // Write the index.html file with the pre-configured contents we got from pre-rendering
- std::fs::write(
- self.build.root_dir().join("index.html"),
- self.prepare_html()?,
- )?;
-
- Ok(())
- }
-
- async fn pre_render_ssg_routes(&self) -> Result<()> {
- // Run SSG and cache static routes
- if !self.build.build.ssg {
- return Ok(());
- }
- self.build.status_prerendering_routes();
- pre_render_static_routes(
- &self
- .server_exe()
- .context("Failed to find server executable")?,
- )
- .await?;
- Ok(())
- }
-
- fn macos_plist_contents(&self) -> Result {
- handlebars::Handlebars::new()
- .render_template(
- include_str!("../../assets/macos/mac.plist.hbs"),
- &InfoPlistData {
- display_name: self.build.krate.bundled_app_name(),
- bundle_name: self.build.krate.bundled_app_name(),
- executable_name: self.build.platform_exe_name(),
- bundle_identifier: self.build.krate.bundle_identifier(),
- },
- )
- .map_err(|e| e.into())
- }
-
- fn ios_plist_contents(&self) -> Result {
- handlebars::Handlebars::new()
- .render_template(
- include_str!("../../assets/ios/ios.plist.hbs"),
- &InfoPlistData {
- display_name: self.build.krate.bundled_app_name(),
- bundle_name: self.build.krate.bundled_app_name(),
- executable_name: self.build.platform_exe_name(),
- bundle_identifier: self.build.krate.bundle_identifier(),
- },
- )
- .map_err(|e| e.into())
- }
-
- /// Run any final tools to produce apks or other artifacts we might need.
- async fn assemble(&self) -> Result<()> {
- if let Platform::Android = self.build.build.platform() {
- self.build.status_running_gradle();
-
- let output = Command::new(self.gradle_exe()?)
- .arg("assembleDebug")
- .current_dir(self.build.root_dir())
- .stderr(std::process::Stdio::piped())
- .stdout(std::process::Stdio::piped())
- .output()
- .await?;
-
- if !output.status.success() {
- return Err(anyhow::anyhow!("Failed to assemble apk: {output:?}").into());
- }
- }
-
- Ok(())
- }
-
- /// Run bundleRelease and return the path to the `.aab` file
- ///
- /// https://stackoverflow.com/questions/57072558/whats-the-difference-between-gradlewassemblerelease-gradlewinstallrelease-and
- pub(crate) async fn android_gradle_bundle(&self) -> Result {
- let output = Command::new(self.gradle_exe()?)
- .arg("bundleRelease")
- .current_dir(self.build.root_dir())
- .output()
- .await
- .context("Failed to run gradle bundleRelease")?;
-
- if !output.status.success() {
- return Err(anyhow::anyhow!("Failed to bundleRelease: {output:?}").into());
- }
-
- let app_release = self
- .build
- .root_dir()
- .join("app")
- .join("build")
- .join("outputs")
- .join("bundle")
- .join("release");
-
- // Rename it to Name-arch.aab
- let from = app_release.join("app-release.aab");
- let to = app_release.join(format!(
- "{}-{}.aab",
- self.build.krate.bundled_app_name(),
- self.build.build.target_args.arch()
- ));
-
- std::fs::rename(from, &to).context("Failed to rename aab")?;
-
- Ok(to)
- }
-
- fn gradle_exe(&self) -> Result {
- // make sure we can execute the gradlew script
- #[cfg(unix)]
- {
- use std::os::unix::prelude::PermissionsExt;
- std::fs::set_permissions(
- self.build.root_dir().join("gradlew"),
- std::fs::Permissions::from_mode(0o755),
- )?;
- }
-
- let gradle_exec_name = match cfg!(windows) {
- true => "gradlew.bat",
- false => "gradlew",
- };
-
- Ok(self.build.root_dir().join(gradle_exec_name))
- }
-
- pub(crate) fn apk_path(&self) -> PathBuf {
- self.build
- .root_dir()
- .join("app")
- .join("build")
- .join("outputs")
- .join("apk")
- .join("debug")
- .join("app-debug.apk")
- }
-
- /// Copy the Android executable to the target directory, and rename the hardcoded com_hardcoded_dioxuslabs entries
- /// to the user's app name.
- async fn copy_android_exe(&self, source: &Path, destination: &Path) -> Result<()> {
- // we might want to eventually use the objcopy logic to handle this
- //
- // https://github.com/rust-mobile/xbuild/blob/master/xbuild/template/lib.rs
- // https://github.com/rust-mobile/xbuild/blob/master/apk/src/lib.rs#L19
- std::fs::copy(source, destination)?;
- Ok(())
- }
-}
diff --git a/packages/cli/src/build/mod.rs b/packages/cli/src/build/mod.rs
index 56d9eb40b6..73856da681 100644
--- a/packages/cli/src/build/mod.rs
+++ b/packages/cli/src/build/mod.rs
@@ -4,17 +4,27 @@
//!
//! Uses a request -> response architecture that allows you to monitor the progress with an optional message
//! receiver.
+//!
+//!
+//! Targets
+//! - Request
+//! - State
+//! - Bundle
+//! - Handle
mod builder;
mod bundle;
+mod patch;
+mod platform;
mod prerender;
mod progress;
mod request;
-mod templates;
mod verify;
mod web;
pub(crate) use builder::*;
pub(crate) use bundle::*;
+pub(crate) use patch::*;
+pub(crate) use platform::*;
pub(crate) use progress::*;
pub(crate) use request::*;
diff --git a/packages/cli/src/build/patch.rs b/packages/cli/src/build/patch.rs
new file mode 100644
index 0000000000..ee0051aef8
--- /dev/null
+++ b/packages/cli/src/build/patch.rs
@@ -0,0 +1,31 @@
+use anyhow::{Context, Result};
+use itertools::Itertools;
+use memmap::{Mmap, MmapOptions};
+use object::{
+ read::File, Architecture, BinaryFormat, Endianness, Object, ObjectSection, ObjectSymbol,
+ Relocation, RelocationTarget, SectionIndex,
+};
+use std::{cmp::Ordering, ffi::OsStr, fs, ops::Deref, path::PathBuf};
+use std::{
+ collections::{BTreeMap, HashMap, HashSet},
+ path::Path,
+};
+use tokio::process::Command;
+
+use crate::Platform;
+
+pub enum ReloadKind {
+ /// An RSX-only patch
+ Rsx,
+
+ /// A patch that includes both RSX and binary assets
+ Binary,
+
+ /// A full rebuild
+ Full,
+}
+
+#[derive(Debug, Clone)]
+pub struct PatchData {
+ pub direct_rustc: Vec,
+}
diff --git a/packages/cli/src/build/platform.rs b/packages/cli/src/build/platform.rs
new file mode 100644
index 0000000000..206a63afad
--- /dev/null
+++ b/packages/cli/src/build/platform.rs
@@ -0,0 +1,243 @@
+use crate::Result;
+use anyhow::Context;
+use itertools::Itertools;
+use std::{path::PathBuf, sync::Arc};
+use target_lexicon::Triple;
+
+/// The tools for Android (ndk, sdk, etc)
+#[derive(Debug, Clone)]
+pub(crate) struct AndroidTools {
+ pub(crate) ndk: PathBuf,
+ pub(crate) adb: PathBuf,
+ pub(crate) java_home: Option,
+}
+
+#[memoize::memoize]
+pub fn android_tools() -> Option {
+ // We check for SDK first since users might install Android Studio and then install the SDK
+ // After that they might install the NDK, so the SDK drives the source of truth.
+ let sdk = var_or_debug("ANDROID_SDK_ROOT")
+ .or_else(|| var_or_debug("ANDROID_SDK"))
+ .or_else(|| var_or_debug("ANDROID_HOME"));
+
+ // Check the ndk. We look for users's overrides first and then look into the SDK.
+ // Sometimes users set only the NDK (especially if they're somewhat advanced) so we need to look for it manually
+ //
+ // Might look like this, typically under "sdk":
+ // "/Users/jonkelley/Library/Android/sdk/ndk/25.2.9519653/toolchains/llvm/prebuilt/darwin-x86_64/bin/aarch64-linux-android24-clang"
+ let ndk = var_or_debug("NDK_HOME")
+ .or_else(|| var_or_debug("ANDROID_NDK_HOME"))
+ .or_else(|| {
+ // Look for the most recent NDK in the event the user has installed multiple NDKs
+ // Eventually we might need to drive this from Dioxus.toml
+ let sdk = sdk.as_ref()?;
+ let ndk_dir = sdk.join("ndk").read_dir().ok()?;
+ ndk_dir
+ .flatten()
+ .map(|dir| (dir.file_name(), dir.path()))
+ .sorted()
+ .last()
+ .map(|(_, path)| path.to_path_buf())
+ })?;
+
+ // Look for ADB in the SDK. If it's not there we'll use `adb` from the PATH
+ let adb = sdk
+ .as_ref()
+ .and_then(|sdk| {
+ let tools = sdk.join("platform-tools");
+ if tools.join("adb").exists() {
+ return Some(tools.join("adb"));
+ }
+ if tools.join("adb.exe").exists() {
+ return Some(tools.join("adb.exe"));
+ }
+ None
+ })
+ .unwrap_or_else(|| PathBuf::from("adb"));
+
+ // https://stackoverflow.com/questions/71381050/java-home-is-set-to-an-invalid-directory-android-studio-flutter
+ // always respect the user's JAVA_HOME env var above all other options
+ //
+ // we only attempt autodetection if java_home is not set
+ //
+ // this is a better fallback than falling onto the users' system java home since many users might
+ // not even know which java that is - they just know they have android studio installed
+ let java_home = std::env::var_os("JAVA_HOME")
+ .map(PathBuf::from)
+ .or_else(|| {
+ // Attempt to autodetect java home from the android studio path or jdk path on macos
+ #[cfg(target_os = "macos")]
+ {
+ let jbr_home =
+ PathBuf::from("/Applications/Android Studio.app/Contents/jbr/Contents/Home/");
+ if jbr_home.exists() {
+ return Some(jbr_home);
+ }
+
+ let jre_home =
+ PathBuf::from("/Applications/Android Studio.app/Contents/jre/Contents/Home");
+ if jre_home.exists() {
+ return Some(jre_home);
+ }
+
+ let jdk_home =
+ PathBuf::from("/Library/Java/JavaVirtualMachines/openjdk.jdk/Contents/Home/");
+ if jdk_home.exists() {
+ return Some(jdk_home);
+ }
+ }
+
+ #[cfg(target_os = "windows")]
+ {
+ let jbr_home = PathBuf::from("C:\\Program Files\\Android\\Android Studio\\jbr");
+ if jbr_home.exists() {
+ return Some(jbr_home);
+ }
+ }
+
+ // todo(jon): how do we detect java home on linux?
+ #[cfg(target_os = "linux")]
+ {
+ let jbr_home = PathBuf::from("/usr/lib/jvm/java-11-openjdk-amd64");
+ if jbr_home.exists() {
+ return Some(jbr_home);
+ }
+ }
+
+ None
+ });
+
+ Some(AndroidTools {
+ ndk,
+ adb,
+ java_home,
+ })
+}
+
+impl AndroidTools {
+ pub(crate) fn android_tools_dir(&self) -> PathBuf {
+ let prebuilt = self.ndk.join("toolchains").join("llvm").join("prebuilt");
+
+ if cfg!(target_os = "macos") {
+ // for whatever reason, even on aarch64 macos, the linker is under darwin-x86_64
+ return prebuilt.join("darwin-x86_64").join("bin");
+ }
+
+ if cfg!(target_os = "linux") {
+ return prebuilt.join("linux-x86_64").join("bin");
+ }
+
+ if cfg!(target_os = "windows") {
+ return prebuilt.join("windows-x86_64").join("bin");
+ }
+
+ // Otherwise return the first entry in the prebuilt directory
+ prebuilt
+ .read_dir()
+ .expect("Failed to read android toolchains directory")
+ .next()
+ .expect("Failed to find android toolchains directory")
+ .expect("Failed to read android toolchain file")
+ .path()
+ }
+
+ pub(crate) fn android_cc(&self, triple: &Triple) -> PathBuf {
+ // "/Users/jonkelley/Library/Android/sdk/ndk/25.2.9519653/toolchains/llvm/prebuilt/darwin-x86_64/bin/aarch64-linux-android24-clang"
+ let suffix = if cfg!(target_os = "windows") {
+ ".cmd"
+ } else {
+ ""
+ };
+
+ self.android_tools_dir().join(format!(
+ "{}{}-clang{}",
+ triple,
+ self.min_sdk_version(),
+ suffix
+ ))
+ }
+
+ pub(crate) fn android_ld(&self, triple: &Triple) -> PathBuf {
+ // "/Users/jonkelley/Library/Android/sdk/ndk/25.2.9519653/toolchains/llvm/prebuilt/darwin-x86_64/bin/ld"
+ let suffix = if cfg!(target_os = "windows") {
+ ".cmd"
+ } else {
+ ""
+ };
+
+ self.android_tools_dir().join(format!(
+ "{}{}-clang++{}",
+ triple,
+ self.min_sdk_version(),
+ suffix
+ ))
+ }
+
+ // todo(jon): this should be configurable
+ pub(crate) fn min_sdk_version(&self) -> u32 {
+ 24
+ }
+
+ pub(crate) fn ar_path(&self) -> PathBuf {
+ self.android_tools_dir().join("llvm-ar")
+ }
+
+ pub(crate) fn target_cc(&self) -> PathBuf {
+ self.android_tools_dir().join("clang")
+ }
+
+ pub(crate) fn target_cxx(&self) -> PathBuf {
+ self.android_tools_dir().join("clang++")
+ }
+
+ pub(crate) fn java_home(&self) -> Option {
+ self.java_home.clone()
+ // copilot suggested this??
+ // self.ndk.join("platforms").join("android-24").join("arch-arm64").join("usr").join("lib")
+ // .join("jvm")
+ // .join("default")
+ // .join("lib")
+ // .join("server")
+ // .join("libjvm.so")
+ }
+
+ pub(crate) fn android_jnilib(triple: &Triple) -> &'static str {
+ use target_lexicon::Architecture;
+ match triple.architecture {
+ Architecture::Arm(_) => "armeabi-v7a",
+ Architecture::Aarch64(_) => "arm64-v8a",
+ Architecture::X86_32(_) => "x86",
+ Architecture::X86_64 => "x86_64",
+ _ => unimplemented!("Unsupported architecture"),
+ }
+ }
+
+ // todo: the new Triple type might be able to handle the different arm flavors
+ // ie armv7 vs armv7a
+ pub(crate) fn android_clang_triplet(triple: &Triple) -> String {
+ use target_lexicon::Architecture;
+ match triple.architecture {
+ Architecture::Arm(_) => "armv7a-linux-androideabi".to_string(),
+ _ => triple.to_string(),
+ }
+ }
+
+ // pub(crate) fn android_target_triplet(&self) -> &'static str {
+ // match self {
+ // Arch::Arm => "armv7-linux-androideabi",
+ // Arch::Arm64 => "aarch64-linux-android",
+ // Arch::X86 => "i686-linux-android",
+ // Arch::X64 => "x86_64-linux-android",
+ // }
+ // }
+}
+
+fn var_or_debug(name: &str) -> Option {
+ use std::env::var;
+ use tracing::debug;
+
+ var(name)
+ .inspect_err(|_| debug!("{name} not set"))
+ .ok()
+ .map(PathBuf::from)
+}
diff --git a/packages/cli/src/build/progress.rs b/packages/cli/src/build/progress.rs
index e0efa41023..ff6b481f43 100644
--- a/packages/cli/src/build/progress.rs
+++ b/packages/cli/src/build/progress.rs
@@ -1,5 +1,5 @@
//! Report progress about the build to the user. We use channels to report progress back to the CLI.
-use crate::{AppBundle, BuildRequest, BuildStage, Platform, TraceSrc};
+use crate::{BuildArtifacts, BuildRequest, BuildStage, Platform, TraceSrc};
use cargo_metadata::CompilerMessage;
use futures_channel::mpsc::{UnboundedReceiver, UnboundedSender};
use std::path::PathBuf;
@@ -7,12 +7,14 @@ use std::path::PathBuf;
pub(crate) type ProgressTx = UnboundedSender;
pub(crate) type ProgressRx = UnboundedReceiver;
-#[derive(Debug)]
+#[derive(Debug, Clone, Copy, PartialEq, Eq)]
+pub struct BuildId(u64);
+
#[allow(clippy::large_enum_variant)]
pub(crate) enum BuildUpdate {
Progress { stage: BuildStage },
CompilerMessage { message: CompilerMessage },
- BuildReady { bundle: AppBundle },
+ BuildReady { bundle: BuildArtifacts },
BuildFailed { err: crate::Error },
}
@@ -61,7 +63,6 @@ impl BuildRequest {
current: count,
total,
krate: name,
- is_server: self.is_server(),
},
});
}
@@ -69,7 +70,7 @@ impl BuildRequest {
pub(crate) fn status_starting_build(&self, crate_count: usize) {
_ = self.progress.unbounded_send(BuildUpdate::Progress {
stage: BuildStage::Starting {
- is_server: self.build.platform() == Platform::Server,
+ patch: self.is_patch(),
crate_count,
},
});
@@ -115,6 +116,6 @@ impl BuildRequest {
}
pub(crate) fn is_server(&self) -> bool {
- self.build.platform() == Platform::Server
+ self.platform == Platform::Server
}
}
diff --git a/packages/cli/src/build/request.rs b/packages/cli/src/build/request.rs
index c4e288ea1f..02c1187c36 100644
--- a/packages/cli/src/build/request.rs
+++ b/packages/cli/src/build/request.rs
@@ -1,156 +1,1505 @@
-use super::{progress::ProgressTx, BuildArtifacts};
-use crate::dioxus_crate::DioxusCrate;
-use crate::{link::LinkAction, BuildArgs};
-use crate::{AppBundle, Platform, Result, TraceSrc};
+use super::{prerender::pre_render_static_routes, progress::ProgressTx, AndroidTools, PatchData};
+use crate::{link::LinkAction, BuildArgs, WasmOptConfig};
+use crate::{DioxusConfig, Workspace};
+use crate::{Platform, Result, TraceSrc};
use anyhow::Context;
use dioxus_cli_config::{APP_TITLE_ENV, ASSET_ROOT_ENV};
-use dioxus_cli_opt::AssetManifest;
+use dioxus_cli_opt::{process_file_to, AssetManifest};
+use itertools::Itertools;
+use krates::{cm::TargetKind, KrateDetails, Krates, NodeId, Utf8PathBuf};
+use manganis::{AssetOptions, JsAssetOptions};
+use rayon::prelude::{IntoParallelRefIterator, ParallelIterator};
use serde::Deserialize;
use std::{
+ collections::HashSet,
+ future::Future,
+ io::Write,
path::{Path, PathBuf},
+ pin::Pin,
process::Stdio,
- time::Instant,
+ sync::{
+ atomic::{AtomicUsize, Ordering},
+ Arc,
+ },
+ time::{Instant, SystemTime, UNIX_EPOCH},
};
+use target_lexicon::{Environment, OperatingSystem, Triple};
use tokio::{io::AsyncBufReadExt, process::Command};
-
-#[derive(Clone, Debug)]
+use toml_edit::Item;
+use uuid::Uuid;
+
+/// This struct is used to plan the build process.
+///
+/// The point here is to be able to take in the user's config from the CLI without modifying the
+/// arguments in place. Creating a buildplan "resolves" their config into a build plan that can be
+/// introspected. For example, the users might not specify a "Triple" in the CLI but the triple will
+/// be guaranteed to be resolved here.
+///
+/// Creating a buildplan also lets us introspect build requests and modularize our build process.
+/// This will, however, lead to duplicate fields between the CLI and the build engine. This is fine
+/// since we have the freedom to evolve the schema internally without breaking the API.
+///
+/// Since we resolve the build request before initializing the CLI, it also serves as a place to store
+/// resolved "serve" arguments, which is why it takes ServeArgs instead of BuildArgs. Simply wrap the
+/// BuildArgs in a default ServeArgs and pass it in.
+#[derive(Clone)]
pub(crate) struct BuildRequest {
- /// The configuration for the crate we are building
- pub(crate) krate: DioxusCrate,
+ pub(crate) workspace: Arc,
+ pub(crate) crate_package: NodeId,
+ pub(crate) config: DioxusConfig,
+ pub(crate) crate_target: Arc,
- /// The arguments for the build
- pub(crate) build: BuildArgs,
+ // /
+ pub(crate) fullstack: bool,
- /// Status channel to send our progress updates to
- pub(crate) progress: ProgressTx,
+ pub(crate) profile: String,
+
+ pub(crate) release: bool,
+
+ ///
+ pub(crate) platform: Platform,
+
+ ///
+ pub(crate) target: Triple,
+
+ pub(crate) device: bool,
+
+ /// Build for nightly [default: false]
+ pub(crate) nightly: bool,
+
+ /// The package to build
+ pub(crate) package: Option,
+
+ /// Space separated list of features to activate
+ pub(crate) features: Vec,
+
+ /// Extra arguments to pass to cargo
+ pub(crate) cargo_args: Vec,
+
+ /// Don't include the default features in the build
+ pub(crate) no_default_features: bool,
/// The target directory for the build
pub(crate) custom_target_dir: Option,
+
+ /// How we'll go about building
+ pub(crate) mode: BuildMode,
+
+ /// Status channel to send our progress updates to
+ pub(crate) progress: ProgressTx,
+
+ pub(crate) cranelift: bool,
+
+ pub(crate) skip_assets: bool,
+
+ pub(crate) ssg: bool,
+
+ pub(crate) wasm_split: bool,
+
+ pub(crate) debug_symbols: bool,
+
+ pub(crate) inject_loading_scripts: bool,
+}
+
+/// dx can produce different "modes" of a build. A "regular" build is a "base" build. The Fat and Thin
+/// modes are used together to achieve binary patching and linking.
+#[derive(Clone, Debug, PartialEq)]
+pub enum BuildMode {
+ /// A normal build generated using `cargo rustc`
+ Base,
+
+ /// A "Fat" build generated with cargo rustc and dx as a custom linker without -Wl,-dead-strip
+ Fat,
+
+ /// A "thin" build generated with `rustc` directly and dx as a custom linker
+ Thin {
+ direct_rustc: Vec,
+ changed_files: Vec,
+ aslr_reference: u64,
+ },
+}
+
+/// The results of the build from cargo
+pub struct BuildArtifacts {
+ pub(crate) exe: PathBuf,
+ pub(crate) direct_rustc: Vec,
+ pub(crate) time_start: SystemTime,
+ pub(crate) time_end: SystemTime,
+ pub(crate) assets: AssetManifest,
}
+pub(crate) static PROFILE_WASM: &str = "wasm-dev";
+pub(crate) static PROFILE_ANDROID: &str = "android-dev";
+pub(crate) static PROFILE_SERVER: &str = "server-dev";
+
impl BuildRequest {
- pub fn new(krate: DioxusCrate, build: BuildArgs, progress: ProgressTx) -> Self {
- Self {
- build,
- krate,
- progress,
- custom_target_dir: None,
+ /// Create a new build request
+ ///
+ /// This will combine the many inputs here into a single source of truth. Fields will be duplicated
+ /// from the inputs since various things might need to be autodetected.
+ ///
+ /// When creating a new build request we need to take into account
+ /// - The user's command line arguments
+ /// - The crate's Cargo.toml
+ /// - The dioxus.toml
+ /// - The user's CliSettings
+ /// - The workspace
+ /// - The host (android tools, installed frameworks, etc)
+ /// - The intended platform
+ ///
+ /// We will attempt to autodetect a number of things if not provided.
+ pub async fn new(args: &BuildArgs) -> Result {
+ let workspace = Workspace::current().await?;
+
+ let package = Self::find_main_package(&workspace.krates, args.package.clone())?;
+
+ let dioxus_config = DioxusConfig::load(&workspace.krates, package)?.unwrap_or_default();
+
+ let target_kind = match args.example.is_some() {
+ true => TargetKind::Example,
+ false => TargetKind::Bin,
+ };
+
+ let main_package = &workspace.krates[package];
+
+ let target_name = args
+ .example
+ .clone()
+ .or(args.bin.clone())
+ .or_else(|| {
+ if let Some(default_run) = &main_package.default_run {
+ return Some(default_run.to_string());
+ }
+
+ let bin_count = main_package
+ .targets
+ .iter()
+ .filter(|x| x.kind.contains(&target_kind))
+ .count();
+
+ if bin_count != 1 {
+ return None;
+ }
+
+ main_package.targets.iter().find_map(|x| {
+ if x.kind.contains(&target_kind) {
+ Some(x.name.clone())
+ } else {
+ None
+ }
+ })
+ })
+ .unwrap_or(workspace.krates[package].name.clone());
+
+ let target = main_package
+ .targets
+ .iter()
+ .find(|target| {
+ target_name == target.name.as_str() && target.kind.contains(&target_kind)
+ })
+ .with_context(|| {
+ let target_of_kind = |kind|-> String {
+ let filtered_packages = main_package
+ .targets
+ .iter()
+ .filter_map(|target| {
+ target.kind.contains(kind).then_some(target.name.as_str())
+ }).collect::>();
+ filtered_packages.join(", ")};
+ if let Some(example) = &args.example {
+ let examples = target_of_kind(&TargetKind::Example);
+ format!("Failed to find example {example}. \nAvailable examples are:\n{}", examples)
+ } else if let Some(bin) = &args.bin {
+ let binaries = target_of_kind(&TargetKind::Bin);
+ format!("Failed to find binary {bin}. \nAvailable binaries are:\n{}", binaries)
+ } else {
+ format!("Failed to find target {target_name}. \nIt looks like you are trying to build dioxus in a library crate. \
+ You either need to run dx from inside a binary crate or build a specific example with the `--example` flag. \
+ Available examples are:\n{}", target_of_kind(&TargetKind::Example))
+ }
+ })?
+ .clone();
+
+ // // Make sure we have a server feature if we're building a fullstack app
+ // //
+ // // todo(jon): eventually we want to let users pass a `--server ` flag to specify a package to use as the server
+ // // however, it'll take some time to support that and we don't have a great RPC binding layer between the two yet
+ // if self.fullstack && self.server_features.is_empty() {
+ // return Err(anyhow::anyhow!("Fullstack builds require a server feature on the target crate. Add a `server` feature to the crate and try again.").into());
+ // }
+
+ todo!();
+
+ // let default_platform = krate.default_platform();
+ // let mut features = vec![];
+ // let mut no_default_features = false;
+
+ // // The user passed --platform XYZ but already has `default = ["ABC"]` in their Cargo.toml
+ // // We want to strip out the default platform and use the one they passed, setting no-default-features
+ // if args.platform.is_some() && default_platform.is_some() {
+ // no_default_features = true;
+ // features.extend(krate.platformless_features());
+ // }
+
+ // // Inherit the platform from the args, or auto-detect it
+ // let platform = args
+ // .platform
+ // .map(|p| Some(p))
+ // .unwrap_or_else(|| krate.autodetect_platform().map(|a| a.0))
+ // .context("No platform was specified and could not be auto-detected. Please specify a platform with `--platform ` or set a default platform using a cargo feature.")?;
+
+ // // Add any features required to turn on the client
+ // features.push(krate.feature_for_platform(platform));
+
+ // // Make sure we set the fullstack platform so we actually build the fullstack variant
+ // // Users need to enable "fullstack" in their default feature set.
+ // // todo(jon): fullstack *could* be a feature of the app, but right now we're assuming it's always enabled
+ // let fullstack = args.fullstack || krate.has_dioxus_feature("fullstack");
+
+ // // Set the profile of the build if it's not already set
+ // // This is mostly used for isolation of builds (preventing thrashing) but also useful to have multiple performance profiles
+ // // We might want to move some of these profiles into dioxus.toml and make them "virtual".
+ // let profile = match args.args.profile {
+ // Some(profile) => profile,
+ // None if args.args.release => "release".to_string(),
+ // None => match platform {
+ // Platform::Android => PROFILE_ANDROID.to_string(),
+ // Platform::Web => PROFILE_WASM.to_string(),
+ // Platform::Server => PROFILE_SERVER.to_string(),
+ // _ => "dev".to_string(),
+ // },
+ // };
+
+ // let device = args.device.unwrap_or(false);
+
+ // // We want a real triple to build with, so we'll autodetect it if it's not provided
+ // // The triple ends up being a source of truth for us later hence this work to figure it out
+ // let target = match args.target {
+ // Some(target) => target,
+ // None => match platform {
+ // // Generally just use the host's triple for native executables unless specified otherwisea
+ // Platform::MacOS
+ // | Platform::Windows
+ // | Platform::Linux
+ // | Platform::Server
+ // | Platform::Liveview => target_lexicon::HOST,
+ // Platform::Web => "wasm32-unknown-unknown".parse().unwrap(),
+
+ // // For iOS we should prefer the actual architecture for the simulator, but in lieu of actually
+ // // figuring that out, we'll assume aarch64 on m-series and x86_64 otherwise
+ // Platform::Ios => {
+ // // use the host's architecture and sim if --device is passed
+ // use target_lexicon::{Architecture, HOST};
+ // match HOST.architecture {
+ // Architecture::Aarch64(_) if device => "aarch64-apple-ios".parse().unwrap(),
+ // Architecture::Aarch64(_) => "aarch64-apple-ios-sim".parse().unwrap(),
+ // _ if device => "x86_64-apple-ios".parse().unwrap(),
+ // _ => "x86_64-apple-ios-sim".parse().unwrap(),
+ // }
+ // }
+
+ // // Same idea with android but we figure out the connected device using adb
+ // // for now we use
+ // Platform::Android => {
+ // "aarch64-linux-android".parse().unwrap()
+ // // "unknown-linux-android".parse().unwrap()
+ // }
+ // },
+ // };
+
+ // // Enable hot reload.
+ // if self.hot_reload.is_none() {
+ // self.hot_reload = Some(krate.workspace.settings.always_hot_reload.unwrap_or(true));
+ // }
+
+ // // Open browser.
+ // if self.open.is_none() {
+ // self.open = Some(
+ // krate
+ // .workspace
+ // .settings
+ // .always_open_browser
+ // .unwrap_or_default(),
+ // );
+ // }
+
+ // // Set WSL file poll interval.
+ // if self.wsl_file_poll_interval.is_none() {
+ // self.wsl_file_poll_interval =
+ // Some(krate.workspace.settings.wsl_file_poll_interval.unwrap_or(2));
+ // }
+
+ // // Set always-on-top for desktop.
+ // if self.always_on_top.is_none() {
+ // self.always_on_top = Some(krate.workspace.settings.always_on_top.unwrap_or(true))
+ // }
+
+ // Determine arch if android
+
+ // if platform == Platform::Android && args.target_args.target.is_none() {
+ // tracing::debug!("No android arch provided, attempting to auto detect.");
+
+ // let arch = DioxusCrate::autodetect_android_arch().await;
+
+ // // Some extra logs
+ // let arch = match arch {
+ // Some(a) => {
+ // tracing::debug!(
+ // "Autodetected `{}` Android arch.",
+ // a.android_target_triplet()
+ // );
+ // a.to_owned()
+ // }
+ // None => {
+ // let a = Arch::default();
+ // tracing::debug!(
+ // "Could not detect Android arch, defaulting to `{}`",
+ // a.android_target_triplet()
+ // );
+ // a
+ // }
+ // };
+
+ // self.arch = Some(arch);
+ // }
+
+ todo!()
+ // Ok(Self {
+ // hotreload: todo!(),
+ // open_browser: todo!(),
+ // wsl_file_poll_interval: todo!(),
+ // always_on_top: todo!(),
+ // progress,
+ // mode,
+ // platform,
+ // features,
+ // no_default_features,
+ // krate,
+ // custom_target_dir: None,
+ // profile,
+ // fullstack,
+ // target,
+ // device,
+ // nightly: args.nightly,
+ // package: args.package,
+ // release: args.release,
+ // skip_assets: args.skip_assets,
+ // ssg: args.ssg,
+ // cranelift: args.cranelift,
+ // cargo_args: args.args.cargo_args,
+ // wasm_split: args.wasm_split,
+ // debug_symbols: args.debug_symbols,
+ // inject_loading_scripts: args.inject_loading_scripts,
+ // force_sequential: args.force_sequential,
+ // })
+ }
+
+ pub(crate) async fn build(&self) -> Result {
+ // // Create the bundle in an incomplete state and fill it in
+ // let mut bundle = Self {
+ // // server_assets: Default::default(),
+ // // server,
+ // build,
+ // // exe: todo!(),
+ // // app,
+ // // direct_rustc: todo!(),
+ // // time_start: todo!(),
+ // // time_end: todo!(),
+ // };
+
+ let bundle = self;
+
+ // Run the cargo build to produce our artifacts
+ let exe = PathBuf::new();
+ let mut assets = AssetManifest::default();
+
+ // Now handle
+ match bundle.mode {
+ BuildMode::Base | BuildMode::Fat => {
+ tracing::debug!("Assembling app bundle");
+
+ bundle.status_start_bundle();
+ bundle
+ .write_executable(&exe, &mut assets)
+ .await
+ .context("Failed to write main executable")?;
+ bundle
+ .write_assets(&assets)
+ .await
+ .context("Failed to write assets")?;
+ bundle.write_metadata().await?;
+ bundle.optimize().await?;
+ // bundle.pre_render_ssg_routes().await?;
+ bundle
+ .assemble()
+ .await
+ .context("Failed to assemble app bundle")?;
+
+ tracing::debug!("Bundle created at {}", bundle.root_dir().display());
+ }
+
+ BuildMode::Thin { aslr_reference, .. } => {
+ tracing::debug!("Patching existing bundle");
+ bundle.write_patch(aslr_reference).await?;
+ }
+ }
+
+ todo!()
+ }
+
+ /// Traverse the target directory and collect all assets from the incremental cache
+ ///
+ /// This uses "known paths" that have stayed relatively stable during cargo's lifetime.
+ /// One day this system might break and we might need to go back to using the linker approach.
+ pub(crate) async fn collect_assets(&self, exe: &Path) -> Result {
+ tracing::debug!("Collecting assets ...");
+
+ if self.skip_assets {
+ return Ok(AssetManifest::default());
+ }
+
+ // walk every file in the incremental cache dir, reading and inserting items into the manifest.
+ let mut manifest = AssetManifest::default();
+
+ // And then add from the exe directly, just in case it's LTO compiled and has no incremental cache
+ _ = manifest.add_from_object_path(exe);
+
+ Ok(manifest)
+ }
+
+ /// Take the output of rustc and make it into the main exe of the bundle
+ ///
+ /// For wasm, we'll want to run `wasm-bindgen` to make it a wasm binary along with some other optimizations
+ /// Other platforms we might do some stripping or other optimizations
+ /// Move the executable to the workdir
+ async fn write_executable(&self, exe: &Path, assets: &mut AssetManifest) -> Result<()> {
+ match self.platform {
+ // Run wasm-bindgen on the wasm binary and set its output to be in the bundle folder
+ // Also run wasm-opt on the wasm binary, and sets the index.html since that's also the "executable".
+ //
+ // The wasm stuff will be in a folder called "wasm" in the workdir.
+ //
+ // Final output format:
+ // ```
+ // dx/
+ // app/
+ // web/
+ // bundle/
+ // build/
+ // public/
+ // index.html
+ // wasm/
+ // app.wasm
+ // glue.js
+ // snippets/
+ // ...
+ // assets/
+ // logo.png
+ // ```
+ Platform::Web => {
+ self.bundle_web(exe, assets).await?;
+ }
+
+ // this will require some extra oomf to get the multi architecture builds...
+ // for now, we just copy the exe into the current arch (which, sorry, is hardcoded for my m1)
+ // we'll want to do multi-arch builds in the future, so there won't be *one* exe dir to worry about
+ // eventually `exe_dir` and `main_exe` will need to take in an arch and return the right exe path
+ //
+ // todo(jon): maybe just symlink this rather than copy it?
+ // we might want to eventually use the objcopy logic to handle this
+ //
+ // https://github.com/rust-mobile/xbuild/blob/master/xbuild/template/lib.rs
+ // https://github.com/rust-mobile/xbuild/blob/master/apk/src/lib.rs#L19
+ Platform::Android |
+
+ // These are all super simple, just copy the exe into the folder
+ // eventually, perhaps, maybe strip + encrypt the exe?
+ Platform::MacOS
+ | Platform::Windows
+ | Platform::Linux
+ | Platform::Ios
+ | Platform::Liveview
+ | Platform::Server => {
+ _ = std::fs::remove_dir_all(self.exe_dir());
+ std::fs::create_dir_all(self.exe_dir())?;
+ std::fs::copy(&exe, self.main_exe())?;
+ }
+ }
+
+ Ok(())
+ }
+
+ /// Copy the assets out of the manifest and into the target location
+ ///
+ /// Should be the same on all platforms - just copy over the assets from the manifest into the output directory
+ async fn write_assets(&self, assets: &AssetManifest) -> Result<()> {
+ // Server doesn't need assets - web will provide them
+ if self.platform == Platform::Server {
+ return Ok(());
+ }
+
+ let asset_dir = self.asset_dir();
+
+ // First, clear the asset dir of any files that don't exist in the new manifest
+ _ = tokio::fs::create_dir_all(&asset_dir).await;
+
+ // Create a set of all the paths that new files will be bundled to
+ let mut keep_bundled_output_paths: HashSet<_> = assets
+ .assets
+ .values()
+ .map(|a| asset_dir.join(a.bundled_path()))
+ .collect();
+
+ // The CLI creates a .version file in the asset dir to keep track of what version of the optimizer
+ // the asset was processed. If that version doesn't match the CLI version, we need to re-optimize
+ // all assets.
+ let version_file = self.asset_optimizer_version_file();
+ let clear_cache = std::fs::read_to_string(&version_file)
+ .ok()
+ .filter(|s| s == crate::VERSION.as_str())
+ .is_none();
+ if clear_cache {
+ keep_bundled_output_paths.clear();
+ }
+
+ // one possible implementation of walking a directory only visiting files
+ fn remove_old_assets<'a>(
+ path: &'a Path,
+ keep_bundled_output_paths: &'a HashSet,
+ ) -> Pin> + Send + 'a>> {
+ Box::pin(async move {
+ // If this asset is in the manifest, we don't need to remove it
+ let canon_path = dunce::canonicalize(path)?;
+ if keep_bundled_output_paths.contains(canon_path.as_path()) {
+ return Ok(());
+ }
+
+ // Otherwise, if it is a directory, we need to walk it and remove child files
+ if path.is_dir() {
+ for entry in std::fs::read_dir(path)?.flatten() {
+ let path = entry.path();
+ remove_old_assets(&path, keep_bundled_output_paths).await?;
+ }
+ if path.read_dir()?.next().is_none() {
+ // If the directory is empty, remove it
+ tokio::fs::remove_dir(path).await?;
+ }
+ } else {
+ // If it is a file, remove it
+ tokio::fs::remove_file(path).await?;
+ }
+
+ Ok(())
+ })
+ }
+
+ tracing::debug!("Removing old assets");
+ tracing::trace!(
+ "Keeping bundled output paths: {:#?}",
+ keep_bundled_output_paths
+ );
+ remove_old_assets(&asset_dir, &keep_bundled_output_paths).await?;
+
+ // todo(jon): we also want to eventually include options for each asset's optimization and compression, which we currently aren't
+ let mut assets_to_transfer = vec![];
+
+ // Queue the bundled assets
+ for (asset, bundled) in &assets.assets {
+ let from = asset.clone();
+ let to = asset_dir.join(bundled.bundled_path());
+
+ // prefer to log using a shorter path relative to the workspace dir by trimming the workspace dir
+ let from_ = from
+ .strip_prefix(self.workspace_dir())
+ .unwrap_or(from.as_path());
+ let to_ = from
+ .strip_prefix(self.workspace_dir())
+ .unwrap_or(to.as_path());
+
+ tracing::debug!("Copying asset {from_:?} to {to_:?}");
+ assets_to_transfer.push((from, to, *bundled.options()));
+ }
+
+ // And then queue the legacy assets
+ // ideally, one day, we can just check the rsx!{} calls for references to assets
+ for from in self.legacy_asset_dir_files() {
+ let to = asset_dir.join(from.file_name().unwrap());
+ tracing::debug!("Copying legacy asset {from:?} to {to:?}");
+ assets_to_transfer.push((from, to, AssetOptions::Unknown));
+ }
+
+ let asset_count = assets_to_transfer.len();
+ let started_processing = AtomicUsize::new(0);
+ let copied = AtomicUsize::new(0);
+
+ // Parallel Copy over the assets and keep track of progress with an atomic counter
+ let progress = self.progress.clone();
+ let ws_dir = self.workspace_dir();
+ // Optimizing assets is expensive and blocking, so we do it in a tokio spawn blocking task
+ tokio::task::spawn_blocking(move || {
+ assets_to_transfer
+ .par_iter()
+ .try_for_each(|(from, to, options)| {
+ let processing = started_processing.fetch_add(1, Ordering::SeqCst);
+ let from_ = from.strip_prefix(&ws_dir).unwrap_or(from);
+ tracing::trace!(
+ "Starting asset copy {processing}/{asset_count} from {from_:?}"
+ );
+
+ let res = process_file_to(options, from, to);
+ if let Err(err) = res.as_ref() {
+ tracing::error!("Failed to copy asset {from:?}: {err}");
+ }
+
+ let finished = copied.fetch_add(1, Ordering::SeqCst);
+ BuildRequest::status_copied_asset(
+ &progress,
+ finished,
+ asset_count,
+ from.to_path_buf(),
+ );
+
+ res.map(|_| ())
+ })
+ })
+ .await
+ .map_err(|e| anyhow::anyhow!("A task failed while trying to copy assets: {e}"))??;
+
+ // // Remove the wasm bindgen output directory if it exists
+ // _ = std::fs::remove_dir_all(self.wasm_bindgen_out_dir());
+
+ // Write the version file so we know what version of the optimizer we used
+ std::fs::write(self.asset_optimizer_version_file(), crate::VERSION.as_str())?;
+
+ Ok(())
+ }
+
+ /// libpatch-{time}.(so/dll/dylib) (next to the main exe)
+ pub fn patch_exe(&self) -> PathBuf {
+ todo!()
+ // let path = self.main_exe().with_file_name(format!(
+ // "libpatch-{}",
+ // self.time_start
+ // .duration_since(UNIX_EPOCH)
+ // .unwrap()
+ // .as_millis(),
+ // ));
+
+ // let extension = match self.target.operating_system {
+ // OperatingSystem::Darwin(_) => "dylib",
+ // OperatingSystem::MacOSX(_) => "dylib",
+ // OperatingSystem::IOS(_) => "dylib",
+ // OperatingSystem::Unknown if self.platform == Platform::Web => "wasm",
+ // OperatingSystem::Windows => "dll",
+ // OperatingSystem::Linux => "so",
+ // OperatingSystem::Wasi => "wasm",
+ // _ => "",
+ // };
+
+ // path.with_extension(extension)
+ }
+
+ /// Run our custom linker setup to generate a patch file in the right location
+ async fn write_patch(&self, aslr_reference: u64) -> Result<()> {
+ let raw_args = std::fs::read_to_string(&self.link_args_file())
+ .context("Failed to read link args from file")?;
+
+ let args = raw_args.lines().collect::>();
+
+ let orig_exe = self.main_exe();
+ tracing::debug!("writing patch - orig_exe: {:?}", orig_exe);
+
+ let object_files = args
+ .iter()
+ .filter(|arg| arg.ends_with(".rcgu.o"))
+ .sorted()
+ .map(|arg| PathBuf::from(arg))
+ .collect::>();
+
+ let resolved_patch_bytes = subsecond_cli_support::resolve_undefined(
+ &orig_exe,
+ &object_files,
+ &self.target,
+ aslr_reference,
+ )
+ .expect("failed to resolve patch symbols");
+
+ let patch_file = self.main_exe().with_file_name("patch-syms.o");
+ std::fs::write(&patch_file, resolved_patch_bytes)?;
+
+ let linker = match self.platform {
+ Platform::Web => self.workspace.wasm_ld(),
+ Platform::Android => {
+ let tools =
+ crate::build::android_tools().context("Could not determine android tools")?;
+ tools.android_cc(&self.target)
+ }
+
+ // Note that I think rust uses rust-lld
+ // https://blog.rust-lang.org/2024/05/17/enabling-rust-lld-on-linux.html
+ Platform::MacOS
+ | Platform::Ios
+ | Platform::Linux
+ | Platform::Server
+ | Platform::Liveview => PathBuf::from("cc"),
+
+ // I think this is right?? does windows use cc?
+ Platform::Windows => PathBuf::from("cc"),
+ };
+
+ let thin_args = self.thin_link_args(&args, aslr_reference)?;
+
+ // let mut env_vars = vec![];
+ // self.build_android_env(&mut env_vars, false)?;
+
+ // todo: we should throw out symbols that we don't need and/or assemble them manually
+ // also we should make sure to propagate the right arguments (target, sysroot, etc)
+ //
+ // also, https://developer.apple.com/forums/thread/773907
+ // -undefined,dynamic_lookup is deprecated for ios but supposedly cpython is using it
+ // we might need to link a new patch file that implements the lookups
+ let res = Command::new(linker)
+ .args(object_files.iter())
+ .arg(patch_file)
+ .args(thin_args)
+ .arg("-v")
+ .arg("-o") // is it "-o" everywhere?
+ .arg(&self.patch_exe())
+ .stdout(Stdio::piped())
+ .stderr(Stdio::piped())
+ .output()
+ .await?;
+
+ let errs = String::from_utf8_lossy(&res.stderr);
+ if !errs.is_empty() {
+ if !self.patch_exe().exists() {
+ tracing::error!("Failed to generate patch: {}", errs.trim());
+ } else {
+ tracing::debug!("Warnings during thin linking: {}", errs.trim());
+ }
+ }
+
+ if self.platform == Platform::Web {}
+
+ // // Clean up the temps manually
+ // // todo: we might want to keep them around for debugging purposes
+ // for file in object_files {
+ // _ = std::fs::remove_file(file);
+ // }
+
+ // Also clean up the original fat file since that's causing issues with rtld_global
+ // todo: this might not be platform portable
+ let link_orig = args
+ .iter()
+ .position(|arg| *arg == "-o")
+ .expect("failed to find -o");
+ let link_file: PathBuf = args[link_orig + 1].clone().into();
+ _ = std::fs::remove_file(&link_file);
+
+ Ok(())
+ }
+
+ fn thin_link_args(&self, original_args: &[&str], aslr_reference: u64) -> Result> {
+ use target_lexicon::OperatingSystem;
+
+ let triple = self.target.clone();
+ let mut args = vec![];
+
+ tracing::debug!("original args:\n{}", original_args.join("\n"));
+
+ match triple.operating_system {
+ // wasm32-unknown-unknown
+ // use wasm-ld (gnu-lld)
+ OperatingSystem::Unknown if self.platform == Platform::Web => {
+ const WASM_PAGE_SIZE: u64 = 65536;
+ let table_base = 2000 * (aslr_reference + 1);
+ let global_base =
+ ((aslr_reference * WASM_PAGE_SIZE * 3) + (WASM_PAGE_SIZE * 32)) as i32;
+ tracing::info!(
+ "using aslr of table: {} and global: {}",
+ table_base,
+ global_base
+ );
+
+ args.extend([
+ // .arg("-z")
+ // .arg("stack-size=1048576")
+ "--import-memory".to_string(),
+ "--import-table".to_string(),
+ "--growable-table".to_string(),
+ "--export".to_string(),
+ "main".to_string(),
+ "--export-all".to_string(),
+ "--stack-first".to_string(),
+ "--allow-undefined".to_string(),
+ "--no-demangle".to_string(),
+ "--no-entry".to_string(),
+ "--emit-relocs".to_string(),
+ // todo: we need to modify the post-processing code
+ format!("--table-base={}", table_base).to_string(),
+ format!("--global-base={}", global_base).to_string(),
+ ]);
+ }
+
+ // this uses "cc" and these args need to be ld compatible
+ // aarch64-apple-ios
+ // aarch64-apple-darwin
+ OperatingSystem::IOS(_) | OperatingSystem::MacOSX(_) | OperatingSystem::Darwin(_) => {
+ args.extend([
+ "-Wl,-dylib".to_string(),
+ // "-Wl,-export_dynamic".to_string(),
+ // "-Wl,-unexported_symbol,_main".to_string(),
+ // "-Wl,-undefined,dynamic_lookup".to_string(),
+ ]);
+
+ match triple.architecture {
+ target_lexicon::Architecture::Aarch64(_) => {
+ args.push("-arch".to_string());
+ args.push("arm64".to_string());
+ }
+ target_lexicon::Architecture::X86_64 => {
+ args.push("-arch".to_string());
+ args.push("x86_64".to_string());
+ }
+ _ => {}
+ }
+ }
+
+ // android/linux
+ // need to be compatible with lld
+ OperatingSystem::Linux if triple.environment == Environment::Android => {
+ args.extend(
+ [
+ "-shared".to_string(),
+ "-Wl,--eh-frame-hdr".to_string(),
+ "-Wl,-z,noexecstack".to_string(),
+ "-landroid".to_string(),
+ "-llog".to_string(),
+ "-lOpenSLES".to_string(),
+ "-landroid".to_string(),
+ "-ldl".to_string(),
+ "-ldl".to_string(),
+ "-llog".to_string(),
+ "-lunwind".to_string(),
+ "-ldl".to_string(),
+ "-lm".to_string(),
+ "-lc".to_string(),
+ "-Wl,-z,relro,-z,now".to_string(),
+ "-nodefaultlibs".to_string(),
+ "-Wl,-Bdynamic".to_string(),
+ ]
+ .iter()
+ .map(|s| s.to_string()),
+ );
+
+ match triple.architecture {
+ target_lexicon::Architecture::Aarch64(_) => {
+ // args.push("-Wl,--target=aarch64-linux-android".to_string());
+ }
+ target_lexicon::Architecture::X86_64 => {
+ // args.push("-Wl,--target=x86_64-linux-android".to_string());
+ }
+ _ => {}
+ }
+ }
+
+ OperatingSystem::Linux => {
+ args.extend([
+ "-Wl,--eh-frame-hdr".to_string(),
+ "-Wl,-z,noexecstack".to_string(),
+ "-Wl,-z,relro,-z,now".to_string(),
+ "-nodefaultlibs".to_string(),
+ "-Wl,-Bdynamic".to_string(),
+ ]);
+ }
+
+ OperatingSystem::Windows => {}
+
+ _ => return Err(anyhow::anyhow!("Unsupported platform for thin linking").into()),
+ }
+
+ let extract_value = |arg: &str| -> Option {
+ original_args
+ .iter()
+ .position(|a| *a == arg)
+ .map(|i| original_args[i + 1].to_string())
+ };
+
+ if let Some(vale) = extract_value("-target") {
+ args.push("-target".to_string());
+ args.push(vale);
+ }
+
+ if let Some(vale) = extract_value("-isysroot") {
+ args.push("-isysroot".to_string());
+ args.push(vale);
+ }
+
+ tracing::info!("final args:{:#?}", args);
+
+ Ok(args)
+ }
+
+ /// The item that we'll try to run directly if we need to.
+ ///
+ /// todo(jon): we should name the app properly instead of making up the exe name. It's kinda okay for dev mode, but def not okay for prod
+ pub fn main_exe(&self) -> PathBuf {
+ self.exe_dir().join(self.platform_exe_name())
+ }
+
+ // /// We always put the server in the `web` folder!
+ // /// Only the `web` target will generate a `public` folder though
+ // async fn write_server_executable(&self) -> Result<()> {
+ // if let Some(server) = &self.server {
+ // let to = self
+ // .server_exe()
+ // .expect("server should be set if we're building a server");
+
+ // std::fs::create_dir_all(self.server_exe().unwrap().parent().unwrap())?;
+
+ // tracing::debug!("Copying server executable to: {to:?} {server:#?}");
+
+ // // Remove the old server executable if it exists, since copying might corrupt it :(
+ // // todo(jon): do this in more places, I think
+ // _ = std::fs::remove_file(&to);
+ // std::fs::copy(&server.exe, to)?;
+ // }
+
+ // Ok(())
+ // }
+
+ /// todo(jon): use handlebars templates instead of these prebaked templates
+ async fn write_metadata(&self) -> Result<()> {
+ // write the Info.plist file
+ match self.platform {
+ Platform::MacOS => {
+ let dest = self.root_dir().join("Contents").join("Info.plist");
+ let plist = self.macos_plist_contents()?;
+ std::fs::write(dest, plist)?;
+ }
+
+ Platform::Ios => {
+ let dest = self.root_dir().join("Info.plist");
+ let plist = self.ios_plist_contents()?;
+ std::fs::write(dest, plist)?;
+ }
+
+ // AndroidManifest.xml
+ // er.... maybe even all the kotlin/java/gradle stuff?
+ Platform::Android => {}
+
+ // Probably some custom format or a plist file (haha)
+ // When we do the proper bundle, we'll need to do something with wix templates, I think?
+ Platform::Windows => {}
+
+ // eventually we'll create the .appimage file, I guess?
+ Platform::Linux => {}
+
+ // These are served as folders, not appimages, so we don't need to do anything special (I think?)
+ // Eventually maybe write some secrets/.env files for the server?
+ // We could also distribute them as a deb/rpm for linux and msi for windows
+ Platform::Web => {}
+ Platform::Server => {}
+ Platform::Liveview => {}
+ }
+
+ Ok(())
+ }
+
+ /// Run the optimizers, obfuscators, minimizers, signers, etc
+ pub(crate) async fn optimize(&self) -> Result<()> {
+ match self.platform {
+ Platform::Web => {
+ // Compress the asset dir
+ // If pre-compressing is enabled, we can pre_compress the wasm-bindgen output
+ let pre_compress = self.should_pre_compress_web_assets(self.release);
+
+ self.status_compressing_assets();
+ let asset_dir = self.asset_dir();
+ tokio::task::spawn_blocking(move || {
+ crate::fastfs::pre_compress_folder(&asset_dir, pre_compress)
+ })
+ .await
+ .unwrap()?;
+ }
+ Platform::MacOS => {}
+ Platform::Windows => {}
+ Platform::Linux => {}
+ Platform::Ios => {}
+ Platform::Android => {}
+ Platform::Server => {}
+ Platform::Liveview => {}
+ }
+
+ Ok(())
+ }
+
+ // pub(crate) fn server_exe(&self) -> Option {
+ // if let Some(_server) = &self.server {
+ // let mut path = self.build_dir(Platform::Server, self.release);
+
+ // if cfg!(windows) {
+ // path.push("server.exe");
+ // } else {
+ // path.push("server");
+ // }
+
+ // return Some(path);
+ // }
+
+ // None
+ // }
+
+ /// Bundle the web app
+ /// - Run wasm-bindgen
+ /// - Bundle split
+ /// - Run wasm-opt
+ /// - Register the .wasm and .js files with the asset system
+ async fn bundle_web(&self, exe: &Path, assets: &mut AssetManifest) -> Result<()> {
+ use crate::{wasm_bindgen::WasmBindgen, wasm_opt};
+ use std::fmt::Write;
+
+ // Locate the output of the build files and the bindgen output
+ // We'll fill these in a second if they don't already exist
+ let bindgen_outdir = self.wasm_bindgen_out_dir();
+ let prebindgen = exe.clone();
+ let post_bindgen_wasm = self.wasm_bindgen_wasm_output_file();
+ let should_bundle_split: bool = self.wasm_split;
+ let rustc_exe = exe.with_extension("wasm");
+ let bindgen_version = self
+ .wasm_bindgen_version()
+ .expect("this should have been checked by tool verification");
+
+ // Prepare any work dirs
+ std::fs::create_dir_all(&bindgen_outdir)?;
+
+ // Prepare our configuration
+ //
+ // we turn off debug symbols in dev mode but leave them on in release mode (weird!) since
+ // wasm-opt and wasm-split need them to do better optimizations.
+ //
+ // We leave demangling to false since it's faster and these tools seem to prefer the raw symbols.
+ // todo(jon): investigate if the chrome extension needs them demangled or demangles them automatically.
+ let will_wasm_opt =
+ (self.release || self.wasm_split) && crate::wasm_opt::wasm_opt_available();
+ let keep_debug = self.config.web.wasm_opt.debug
+ || self.debug_symbols
+ || self.wasm_split
+ || !self.release
+ || will_wasm_opt;
+ let demangle = false;
+ let wasm_opt_options = WasmOptConfig {
+ memory_packing: self.wasm_split,
+ debug: self.debug_symbols,
+ ..self.config.web.wasm_opt.clone()
+ };
+
+ // Run wasm-bindgen. Some of the options are not "optimal" but will be fixed up by wasm-opt
+ //
+ // There's performance implications here. Running with --debug is slower than without
+ // We're keeping around lld sections and names but wasm-opt will fix them
+ // todo(jon): investigate a good balance of wiping debug symbols during dev (or doing a double build?)
+ self.status_wasm_bindgen_start();
+ tracing::debug!(dx_src = ?TraceSrc::Bundle, "Running wasm-bindgen");
+ let start = std::time::Instant::now();
+ WasmBindgen::new(&bindgen_version)
+ .input_path(&rustc_exe)
+ .target("web")
+ .debug(keep_debug)
+ .demangle(demangle)
+ .keep_debug(keep_debug)
+ .keep_lld_sections(true)
+ .out_name(self.executable_name())
+ .out_dir(&bindgen_outdir)
+ .remove_name_section(!will_wasm_opt)
+ .remove_producers_section(!will_wasm_opt)
+ .run()
+ .await
+ .context("Failed to generate wasm-bindgen bindings")?;
+ tracing::debug!(dx_src = ?TraceSrc::Bundle, "wasm-bindgen complete in {:?}", start.elapsed());
+
+ // Run bundle splitting if the user has requested it
+ // It's pretty expensive but because of rayon should be running separate threads, hopefully
+ // not blocking this thread. Dunno if that's true
+ if should_bundle_split {
+ self.status_splitting_bundle();
+
+ if !will_wasm_opt {
+ return Err(anyhow::anyhow!(
+ "Bundle splitting requires wasm-opt to be installed or the CLI to be built with `--features optimizations`. Please install wasm-opt and try again."
+ )
+ .into());
+ }
+
+ // Load the contents of these binaries since we need both of them
+ // We're going to use the default makeLoad glue from wasm-split
+ let original = std::fs::read(&prebindgen)?;
+ let bindgened = std::fs::read(&post_bindgen_wasm)?;
+ let mut glue = wasm_split_cli::MAKE_LOAD_JS.to_string();
+
+ // Run the emitter
+ let splitter = wasm_split_cli::Splitter::new(&original, &bindgened);
+ let modules = splitter
+ .context("Failed to parse wasm for splitter")?
+ .emit()
+ .context("Failed to emit wasm split modules")?;
+
+ // Write the chunks that contain shared imports
+ // These will be in the format of chunk_0_modulename.wasm - this is hardcoded in wasm-split
+ tracing::debug!("Writing split chunks to disk");
+ for (idx, chunk) in modules.chunks.iter().enumerate() {
+ let path = bindgen_outdir.join(format!("chunk_{}_{}.wasm", idx, chunk.module_name));
+ wasm_opt::write_wasm(&chunk.bytes, &path, &wasm_opt_options).await?;
+ writeln!(
+ glue, "export const __wasm_split_load_chunk_{idx} = makeLoad(\"/assets/{url}\", [], fusedImports);",
+ url = assets
+ .register_asset(&path, AssetOptions::Unknown)?.bundled_path(),
+ )?;
+ }
+
+ // Write the modules that contain the entrypoints
+ tracing::debug!("Writing split modules to disk");
+ for (idx, module) in modules.modules.iter().enumerate() {
+ let comp_name = module
+ .component_name
+ .as_ref()
+ .context("generated bindgen module has no name?")?;
+
+ let path = bindgen_outdir.join(format!("module_{}_{}.wasm", idx, comp_name));
+ wasm_opt::write_wasm(&module.bytes, &path, &wasm_opt_options).await?;
+
+ let hash_id = module.hash_id.as_ref().unwrap();
+
+ writeln!(
+ glue,
+ "export const __wasm_split_load_{module}_{hash_id}_{comp_name} = makeLoad(\"/assets/{url}\", [{deps}], fusedImports);",
+ module = module.module_name,
+
+
+ // Again, register this wasm with the asset system
+ url = assets
+ .register_asset(&path, AssetOptions::Unknown)?.bundled_path(),
+
+ // This time, make sure to write the dependencies of this chunk
+ // The names here are again, hardcoded in wasm-split - fix this eventually.
+ deps = module
+ .relies_on_chunks
+ .iter()
+ .map(|idx| format!("__wasm_split_load_chunk_{idx}"))
+ .collect::>()
+ .join(", ")
+ )?;
+ }
+
+ // Write the js binding
+ // It's not registered as an asset since it will get included in the main.js file
+ let js_output_path = bindgen_outdir.join("__wasm_split.js");
+ std::fs::write(&js_output_path, &glue)?;
+
+ // Make sure to write some entropy to the main.js file so it gets a new hash
+ // If we don't do this, the main.js file will be cached and never pick up the chunk names
+ let uuid = uuid::Uuid::new_v5(&uuid::Uuid::NAMESPACE_URL, glue.as_bytes());
+ std::fs::OpenOptions::new()
+ .append(true)
+ .open(self.wasm_bindgen_js_output_file())
+ .context("Failed to open main.js file")?
+ .write_all(format!("/*{uuid}*/").as_bytes())?;
+
+ // Write the main wasm_bindgen file and register it with the asset system
+ // This will overwrite the file in place
+ // We will wasm-opt it in just a second...
+ std::fs::write(&post_bindgen_wasm, modules.main.bytes)?;
+ }
+
+ // Make sure to optimize the main wasm file if requested or if bundle splitting
+ if should_bundle_split || self.release {
+ self.status_optimizing_wasm();
+ wasm_opt::optimize(&post_bindgen_wasm, &post_bindgen_wasm, &wasm_opt_options).await?;
+ }
+
+ // Make sure to register the main wasm file with the asset system
+ assets.register_asset(&post_bindgen_wasm, AssetOptions::Unknown)?;
+
+ // Register the main.js with the asset system so it bundles in the snippets and optimizes
+ assets.register_asset(
+ &self.wasm_bindgen_js_output_file(),
+ AssetOptions::Js(JsAssetOptions::new().with_minify(true).with_preload(true)),
+ )?;
+
+ // Write the index.html file with the pre-configured contents we got from pre-rendering
+ std::fs::write(
+ self.root_dir().join("index.html"),
+ self.prepare_html(&assets)?,
+ )?;
+
+ Ok(())
+ }
+
+ fn macos_plist_contents(&self) -> Result {
+ handlebars::Handlebars::new()
+ .render_template(
+ include_str!("../../assets/macos/mac.plist.hbs"),
+ &InfoPlistData {
+ display_name: self.bundled_app_name(),
+ bundle_name: self.bundled_app_name(),
+ executable_name: self.platform_exe_name(),
+ bundle_identifier: self.bundle_identifier(),
+ },
+ )
+ .map_err(|e| e.into())
+ }
+
+ fn ios_plist_contents(&self) -> Result {
+ handlebars::Handlebars::new()
+ .render_template(
+ include_str!("../../assets/ios/ios.plist.hbs"),
+ &InfoPlistData {
+ display_name: self.bundled_app_name(),
+ bundle_name: self.bundled_app_name(),
+ executable_name: self.platform_exe_name(),
+ bundle_identifier: self.bundle_identifier(),
+ },
+ )
+ .map_err(|e| e.into())
+ }
+
+ /// Run any final tools to produce apks or other artifacts we might need.
+ ///
+ /// This might include codesigning, zipping, creating an appimage, etc
+ async fn assemble(&self) -> Result<()> {
+ if let Platform::Android = self.platform {
+ self.status_running_gradle();
+
+ let output = Command::new(self.gradle_exe()?)
+ .arg("assembleDebug")
+ .current_dir(self.root_dir())
+ .stderr(std::process::Stdio::piped())
+ .stdout(std::process::Stdio::piped())
+ .output()
+ .await?;
+
+ if !output.status.success() {
+ return Err(anyhow::anyhow!("Failed to assemble apk: {output:?}").into());
+ }
+ }
+
+ Ok(())
+ }
+
+ /// Run bundleRelease and return the path to the `.aab` file
+ ///
+ /// https://stackoverflow.com/questions/57072558/whats-the-difference-between-gradlewassemblerelease-gradlewinstallrelease-and
+ pub(crate) async fn android_gradle_bundle(&self) -> Result {
+ let output = Command::new(self.gradle_exe()?)
+ .arg("bundleRelease")
+ .current_dir(self.root_dir())
+ .output()
+ .await
+ .context("Failed to run gradle bundleRelease")?;
+
+ if !output.status.success() {
+ return Err(anyhow::anyhow!("Failed to bundleRelease: {output:?}").into());
+ }
+
+ let app_release = self
+ .root_dir()
+ .join("app")
+ .join("build")
+ .join("outputs")
+ .join("bundle")
+ .join("release");
+
+ // Rename it to Name-arch.aab
+ let from = app_release.join("app-release.aab");
+ let to = app_release.join(format!("{}-{}.aab", self.bundled_app_name(), self.target));
+
+ std::fs::rename(from, &to).context("Failed to rename aab")?;
+
+ Ok(to)
+ }
+
+ fn gradle_exe(&self) -> Result {
+ // make sure we can execute the gradlew script
+ #[cfg(unix)]
+ {
+ use std::os::unix::prelude::PermissionsExt;
+ std::fs::set_permissions(
+ self.root_dir().join("gradlew"),
+ std::fs::Permissions::from_mode(0o755),
+ )?;
+ }
+
+ let gradle_exec_name = match cfg!(windows) {
+ true => "gradlew.bat",
+ false => "gradlew",
+ };
+
+ Ok(self.root_dir().join(gradle_exec_name))
+ }
+
+ pub(crate) fn apk_path(&self) -> PathBuf {
+ self.root_dir()
+ .join("app")
+ .join("build")
+ .join("outputs")
+ .join("apk")
+ .join("debug")
+ .join("app-debug.apk")
+ }
+
+ /// We only really currently care about:
+ ///
+ /// - app dir (.app, .exe, .apk, etc)
+ /// - assetas dir
+ /// - exe dir (.exe, .app, .apk, etc)
+ /// - extra scaffolding
+ ///
+ /// It's not guaranteed that they're different from any other folder
+ fn prepare_build_dir(&self) -> Result<()> {
+ // self.prepare_build_dir()?;
+
+ use once_cell::sync::OnceCell;
+ use std::fs::{create_dir_all, remove_dir_all};
+
+ static INITIALIZED: OnceCell> = OnceCell::new();
+
+ let success = INITIALIZED.get_or_init(|| {
+ _ = remove_dir_all(self.exe_dir());
+
+ create_dir_all(self.root_dir())?;
+ create_dir_all(self.exe_dir())?;
+ create_dir_all(self.asset_dir())?;
+
+ tracing::debug!("Initialized Root dir: {:?}", self.root_dir());
+ tracing::debug!("Initialized Exe dir: {:?}", self.exe_dir());
+ tracing::debug!("Initialized Asset dir: {:?}", self.asset_dir());
+
+ // we could download the templates from somewhere (github?) but after having banged my head against
+ // cargo-mobile2 for ages, I give up with that. We're literally just going to hardcode the templates
+ // by writing them here.
+ if let Platform::Android = self.platform {
+ self.build_android_app_dir()?;
+ }
+
+ Ok(())
+ });
+
+ if let Err(e) = success.as_ref() {
+ return Err(format!("Failed to initialize build directory: {e}").into());
+ }
+
+ Ok(())
+ }
+
+ pub fn asset_dir(&self) -> PathBuf {
+ match self.platform {
+ Platform::MacOS => self
+ .root_dir()
+ .join("Contents")
+ .join("Resources")
+ .join("assets"),
+
+ Platform::Android => self
+ .root_dir()
+ .join("app")
+ .join("src")
+ .join("main")
+ .join("assets"),
+
+ // everyone else is soooo normal, just app/assets :)
+ Platform::Web
+ | Platform::Ios
+ | Platform::Windows
+ | Platform::Linux
+ | Platform::Server
+ | Platform::Liveview => self.root_dir().join("assets"),
}
}
- /// Run the build command with a pretty loader, returning the executable output location
- ///
- /// This will also run the fullstack build. Note that fullstack is handled separately within this
- /// code flow rather than outside of it.
- pub(crate) async fn build_all(self) -> Result {
- tracing::debug!(
- "Running build command... {}",
- if self.build.force_sequential {
- "(sequentially)"
- } else {
- ""
- }
- );
-
- let (app, server) = match self.build.force_sequential {
- true => self.build_sequential().await?,
- false => self.build_concurrent().await?,
- };
+ pub fn incremental_cache_dir(&self) -> PathBuf {
+ self.platform_dir().join("incremental-cache")
+ }
- AppBundle::new(self, app, server).await
+ pub fn link_args_file(&self) -> PathBuf {
+ self.incremental_cache_dir().join("link_args.txt")
}
- /// Run the build command with a pretty loader, returning the executable output location
- async fn build_concurrent(&self) -> Result<(BuildArtifacts, Option)> {
- let (app, server) =
- futures_util::future::try_join(self.build_app(), self.build_server()).await?;
+ /// The directory in which we'll put the main exe
+ ///
+ /// Mac, Android, Web are a little weird
+ /// - mac wants to be in Contents/MacOS
+ /// - android wants to be in jniLibs/arm64-v8a (or others, depending on the platform / architecture)
+ /// - web wants to be in wasm (which... we don't really need to, we could just drop the wasm into public and it would work)
+ ///
+ /// I think all others are just in the root folder
+ ///
+ /// todo(jon): investigate if we need to put .wasm in `wasm`. It kinda leaks implementation details, which ideally we don't want to do.
+ pub fn exe_dir(&self) -> PathBuf {
+ match self.platform {
+ Platform::MacOS => self.root_dir().join("Contents").join("MacOS"),
+ Platform::Web => self.root_dir().join("wasm"),
+
+ // Android has a whole build structure to it
+ Platform::Android => self
+ .root_dir()
+ .join("app")
+ .join("src")
+ .join("main")
+ .join("jniLibs")
+ .join(AndroidTools::android_jnilib(&self.target)),
- Ok((app, server))
+ // these are all the same, I think?
+ Platform::Windows
+ | Platform::Linux
+ | Platform::Ios
+ | Platform::Server
+ | Platform::Liveview => self.root_dir(),
+ }
}
- async fn build_sequential(&self) -> Result<(BuildArtifacts, Option)> {
- let app = self.build_app().await?;
- let server = self.build_server().await?;
- Ok((app, server))
+ /// Get the path to the wasm bindgen temporary output folder
+ pub fn wasm_bindgen_out_dir(&self) -> PathBuf {
+ self.root_dir().join("wasm")
}
- pub(crate) async fn build_app(&self) -> Result {
- tracing::debug!("Building app...");
+ /// Get the path to the wasm bindgen javascript output file
+ pub fn wasm_bindgen_js_output_file(&self) -> PathBuf {
+ self.wasm_bindgen_out_dir()
+ .join(self.executable_name())
+ .with_extension("js")
+ }
- let start = Instant::now();
- self.prepare_build_dir()?;
- let exe = self.build_cargo().await?;
- let assets = self.collect_assets(&exe).await?;
+ /// Get the path to the wasm bindgen wasm output file
+ pub fn wasm_bindgen_wasm_output_file(&self) -> PathBuf {
+ self.wasm_bindgen_out_dir()
+ .join(format!("{}_bg", self.executable_name()))
+ .with_extension("wasm")
+ }
- Ok(BuildArtifacts {
- exe,
- assets,
- time_taken: start.elapsed(),
- })
+ /// Get the path to the asset optimizer version file
+ pub fn asset_optimizer_version_file(&self) -> PathBuf {
+ self.platform_dir().join(".cli-version")
}
- pub(crate) async fn build_server(&self) -> Result