Skip to content

Commit d342630

Browse files
authored
feat: android bundling, red/blue exe names, session cache (#3608)
* feat: android bundling * fix: add hashing to exe names for red/blue exes * feat: implement session cache for window restoration
1 parent 024285c commit d342630

File tree

11 files changed

+337
-188
lines changed

11 files changed

+337
-188
lines changed

packages/cli-config/src/lib.rs

+13
Original file line numberDiff line numberDiff line change
@@ -67,6 +67,7 @@ pub const APP_TITLE_ENV: &str = "DIOXUS_APP_TITLE";
6767
#[deprecated(since = "0.6.0", note = "The CLI currently does not set this.")]
6868
#[doc(hidden)]
6969
pub const OUT_DIR: &str = "DIOXUS_OUT_DIR";
70+
pub const SESSION_CACHE_DIR: &str = "DIOXUS_SESSION_CACHE_DIR";
7071

7172
/// Reads an environment variable at runtime in debug mode or at compile time in
7273
/// release mode. When bundling in release mode, we will not be running under the
@@ -277,3 +278,15 @@ pub fn out_dir() -> Option<PathBuf> {
277278
std::env::var(OUT_DIR).ok().map(PathBuf::from)
278279
}
279280
}
281+
282+
/// Get the directory where this app can write to for this session that's guaranteed to be stable
283+
/// between reloads of the same app. This is useful for emitting state like window position and size
284+
/// so the app can restore it when it's next opened.
285+
///
286+
/// Note that this cache dir is really only useful for platforms that can access it. Web/Android
287+
/// don't have access to this directory, so it's not useful for them.
288+
///
289+
/// This is designed with desktop executables in mind.
290+
pub fn session_cache_dir() -> Option<PathBuf> {
291+
std::env::var(SESSION_CACHE_DIR).ok().map(PathBuf::from)
292+
}

packages/cli/src/build/bundle.rs

+57-17
Original file line numberDiff line numberDiff line change
@@ -730,23 +730,7 @@ impl AppBundle {
730730
if let Platform::Android = self.build.build.platform() {
731731
self.build.status_running_gradle();
732732

733-
// make sure we can execute the gradlew script
734-
#[cfg(unix)]
735-
{
736-
use std::os::unix::prelude::PermissionsExt;
737-
std::fs::set_permissions(
738-
self.build.root_dir().join("gradlew"),
739-
std::fs::Permissions::from_mode(0o755),
740-
)?;
741-
}
742-
743-
let gradle_exec_name = match cfg!(windows) {
744-
true => "gradlew.bat",
745-
false => "gradlew",
746-
};
747-
let gradle_exec = self.build.root_dir().join(gradle_exec_name);
748-
749-
let output = Command::new(gradle_exec)
733+
let output = Command::new(self.gradle_exe()?)
750734
.arg("assembleDebug")
751735
.current_dir(self.build.root_dir())
752736
.stderr(std::process::Stdio::piped())
@@ -762,6 +746,62 @@ impl AppBundle {
762746
Ok(())
763747
}
764748

749+
/// Run bundleRelease and return the path to the `.aab` file
750+
///
751+
/// https://stackoverflow.com/questions/57072558/whats-the-difference-between-gradlewassemblerelease-gradlewinstallrelease-and
752+
pub(crate) async fn android_gradle_bundle(&self) -> Result<PathBuf> {
753+
let output = Command::new(self.gradle_exe()?)
754+
.arg("bundleRelease")
755+
.current_dir(self.build.root_dir())
756+
.output()
757+
.await
758+
.context("Failed to run gradle bundleRelease")?;
759+
760+
if !output.status.success() {
761+
return Err(anyhow::anyhow!("Failed to bundleRelease: {output:?}").into());
762+
}
763+
764+
let app_release = self
765+
.build
766+
.root_dir()
767+
.join("app")
768+
.join("build")
769+
.join("outputs")
770+
.join("bundle")
771+
.join("release");
772+
773+
// Rename it to Name-arch.aab
774+
let from = app_release.join("app-release.aab");
775+
let to = app_release.join(format!(
776+
"{}-{}.aab",
777+
self.build.krate.bundled_app_name(),
778+
self.build.build.target_args.arch()
779+
));
780+
781+
std::fs::rename(from, &to).context("Failed to rename aab")?;
782+
783+
Ok(to)
784+
}
785+
786+
fn gradle_exe(&self) -> Result<PathBuf> {
787+
// make sure we can execute the gradlew script
788+
#[cfg(unix)]
789+
{
790+
use std::os::unix::prelude::PermissionsExt;
791+
std::fs::set_permissions(
792+
self.build.root_dir().join("gradlew"),
793+
std::fs::Permissions::from_mode(0o755),
794+
)?;
795+
}
796+
797+
let gradle_exec_name = match cfg!(windows) {
798+
true => "gradlew.bat",
799+
false => "gradlew",
800+
};
801+
802+
Ok(self.build.root_dir().join(gradle_exec_name))
803+
}
804+
765805
pub(crate) fn apk_path(&self) -> PathBuf {
766806
self.build
767807
.root_dir()

packages/cli/src/cli/bundle.rs

+5-4
Original file line numberDiff line numberDiff line change
@@ -76,11 +76,12 @@ impl Bundle {
7676
Platform::Server => bundles.push(bundle.build.root_dir()),
7777
Platform::Liveview => bundles.push(bundle.build.root_dir()),
7878

79-
// todo(jon): we can technically create apks (already do...) just need to expose it
8079
Platform::Android => {
81-
return Err(Error::UnsupportedFeature(
82-
"Android bundles are not yet supported".into(),
83-
));
80+
let aab = bundle
81+
.android_gradle_bundle()
82+
.await
83+
.context("Failed to run gradle bundleRelease")?;
84+
bundles.push(aab);
8485
}
8586
};
8687

packages/cli/src/cli/run.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -46,7 +46,7 @@ impl RunArgs {
4646
tracing::info!("[{platform}]: {msg}")
4747
}
4848
ServeUpdate::ProcessExited { platform, status } => {
49-
runner.kill(platform).await;
49+
runner.cleanup().await;
5050
tracing::info!("[{platform}]: process exited with status: {status:?}");
5151
break;
5252
}

packages/cli/src/cli/target.rs

+12
Original file line numberDiff line numberDiff line change
@@ -217,3 +217,15 @@ impl TryFrom<String> for Arch {
217217
}
218218
}
219219
}
220+
221+
impl std::fmt::Display for Arch {
222+
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
223+
match self {
224+
Arch::Arm => "armv7l",
225+
Arch::Arm64 => "aarch64",
226+
Arch::X86 => "i386",
227+
Arch::X64 => "x86_64",
228+
}
229+
.fmt(f)
230+
}
231+
}

packages/cli/src/dioxus_crate.rs

+10
Original file line numberDiff line numberDiff line change
@@ -149,6 +149,16 @@ impl DioxusCrate {
149149
files
150150
}
151151

152+
/// Get the directory where this app can write to for this session that's guaranteed to be stable
153+
/// for the same app. This is useful for emitting state like window position and size.
154+
///
155+
/// The directory is specific for this app and might be
156+
pub(crate) fn session_cache_dir(&self) -> PathBuf {
157+
self.internal_out_dir()
158+
.join(self.executable_name())
159+
.join("session-cache")
160+
}
161+
152162
/// Get the outdir specified by the Dioxus.toml, relative to the crate directory.
153163
/// We don't support workspaces yet since that would cause a collision of bundles per project.
154164
pub(crate) fn crate_out_dir(&self) -> Option<PathBuf> {

packages/cli/src/error.rs

+1
Original file line numberDiff line numberDiff line change
@@ -33,6 +33,7 @@ pub(crate) enum Error {
3333
#[error("Failed to bundle project: {0}")]
3434
BundleFailed(#[from] tauri_bundler::Error),
3535

36+
#[allow(unused)]
3637
#[error("Unsupported feature: {0}")]
3738
UnsupportedFeature(String),
3839

packages/cli/src/serve/handle.rs

+153-2
Original file line numberDiff line numberDiff line change
@@ -38,6 +38,11 @@ pub(crate) struct AppHandle {
3838
pub(crate) server_stdout: Option<Lines<BufReader<ChildStdout>>>,
3939
pub(crate) server_stderr: Option<Lines<BufReader<ChildStderr>>>,
4040

41+
/// The executables but with some extra entropy in their name so we can run two instances of the
42+
/// same app without causing collisions on the filesystem.
43+
pub(crate) entropy_app_exe: Option<PathBuf>,
44+
pub(crate) entropy_server_exe: Option<PathBuf>,
45+
4146
/// The virtual directory that assets will be served from
4247
/// Used mostly for apk/ipa builds since they live in simulator
4348
pub(crate) runtime_asst_dir: Option<PathBuf>,
@@ -54,6 +59,8 @@ impl AppHandle {
5459
server_child: None,
5560
server_stdout: None,
5661
server_stderr: None,
62+
entropy_app_exe: None,
63+
entropy_server_exe: None,
5764
})
5865
}
5966

@@ -79,6 +86,15 @@ impl AppHandle {
7986
// unset the cargo dirs in the event we're running `dx` locally
8087
// since the child process will inherit the env vars, we don't want to confuse the downstream process
8188
("CARGO_MANIFEST_DIR", "".to_string()),
89+
(
90+
dioxus_cli_config::SESSION_CACHE_DIR,
91+
self.app
92+
.build
93+
.krate
94+
.session_cache_dir()
95+
.display()
96+
.to_string(),
97+
),
8298
];
8399

84100
if let Some(base_path) = &self.app.build.krate.config.web.app.base_path {
@@ -87,7 +103,7 @@ impl AppHandle {
87103

88104
// Launch the server if we were given an address to start it on, and the build includes a server. After we
89105
// start the server, consume its stdout/stderr.
90-
if let (Some(addr), Some(server)) = (start_fullstack_on_address, self.app.server_exe()) {
106+
if let (Some(addr), Some(server)) = (start_fullstack_on_address, self.server_exe()) {
91107
tracing::debug!("Proxying fullstack server from port {:?}", addr);
92108
envs.push((dioxus_cli_config::SERVER_IP_ENV, addr.ip().to_string()));
93109
envs.push((dioxus_cli_config::SERVER_PORT_ENV, addr.port().to_string()));
@@ -147,6 +163,70 @@ impl AppHandle {
147163
Ok(())
148164
}
149165

166+
/// Gracefully kill the process and all of its children
167+
///
168+
/// Uses the `SIGTERM` signal on unix and `taskkill` on windows.
169+
/// This complex logic is necessary for things like window state preservation to work properly.
170+
///
171+
/// Also wipes away the entropy executables if they exist.
172+
pub(crate) async fn cleanup(&mut self) {
173+
tracing::debug!("Cleaning up process");
174+
175+
// Soft-kill the process by sending a sigkill, allowing the process to clean up
176+
self.soft_kill().await;
177+
178+
// Wipe out the entropy executables if they exist
179+
if let Some(entropy_app_exe) = self.entropy_app_exe.take() {
180+
_ = std::fs::remove_file(entropy_app_exe);
181+
}
182+
183+
if let Some(entropy_server_exe) = self.entropy_server_exe.take() {
184+
_ = std::fs::remove_file(entropy_server_exe);
185+
}
186+
}
187+
188+
/// Kill the app and server exes
189+
pub(crate) async fn soft_kill(&mut self) {
190+
use futures_util::FutureExt;
191+
192+
// Kill any running executables on Windows
193+
let server_process = self.server_child.take();
194+
let client_process = self.app_child.take();
195+
let processes = [server_process, client_process]
196+
.into_iter()
197+
.flatten()
198+
.collect::<Vec<_>>();
199+
200+
for mut process in processes {
201+
let Some(pid) = process.id() else {
202+
_ = process.kill().await;
203+
continue;
204+
};
205+
206+
// on unix, we can send a signal to the process to shut down
207+
#[cfg(unix)]
208+
{
209+
_ = Command::new("kill")
210+
.args(["-s", "TERM", &pid.to_string()])
211+
.spawn();
212+
}
213+
214+
// on windows, use the `taskkill` command
215+
#[cfg(windows)]
216+
{
217+
_ = Command::new("taskkill")
218+
.args(["/F", "/PID", &pid.to_string()])
219+
.spawn();
220+
}
221+
222+
// join the wait with a 100ms timeout
223+
futures_util::select! {
224+
_ = process.wait().fuse() => {}
225+
_ = tokio::time::sleep(std::time::Duration::from_millis(1000)).fuse() => {}
226+
};
227+
}
228+
}
229+
150230
/// Hotreload an asset in the running app.
151231
///
152232
/// This will modify the build dir in place! Be careful! We generally assume you want all bundles
@@ -236,12 +316,15 @@ impl AppHandle {
236316
///
237317
/// Server/liveview/desktop are all basically the same, though
238318
fn open_with_main_exe(&mut self, envs: Vec<(&str, String)>) -> Result<Child> {
239-
let child = Command::new(self.app.main_exe())
319+
// Create a new entropy app exe if we need to
320+
let main_exe = self.app_exe();
321+
let child = Command::new(main_exe)
240322
.envs(envs)
241323
.stderr(Stdio::piped())
242324
.stdout(Stdio::piped())
243325
.kill_on_drop(true)
244326
.spawn()?;
327+
245328
Ok(child)
246329
}
247330

@@ -650,4 +733,72 @@ We checked the folder: {}
650733
};
651734
});
652735
}
736+
737+
fn make_entropy_path(exe: &PathBuf) -> PathBuf {
738+
let id = uuid::Uuid::new_v4();
739+
let name = id.to_string();
740+
let some_entropy = name.split('-').next().unwrap();
741+
742+
// Make a copy of the server exe with a new name
743+
let entropy_server_exe = exe.with_file_name(format!(
744+
"{}-{}",
745+
exe.file_name().unwrap().to_str().unwrap(),
746+
some_entropy
747+
));
748+
749+
std::fs::copy(exe, &entropy_server_exe).unwrap();
750+
751+
entropy_server_exe
752+
}
753+
754+
fn server_exe(&mut self) -> Option<PathBuf> {
755+
let mut server = self.app.server_exe()?;
756+
757+
// Create a new entropy server exe if we need to
758+
if cfg!(target_os = "windows") || cfg!(target_os = "linux") {
759+
// If we already have an entropy server exe, return it - this is useful for re-opening the same app
760+
if let Some(existing_server) = self.entropy_server_exe.clone() {
761+
return Some(existing_server);
762+
}
763+
764+
// Otherwise, create a new entropy server exe and save it for re-opning
765+
let entropy_server_exe = Self::make_entropy_path(&server);
766+
self.entropy_server_exe = Some(entropy_server_exe.clone());
767+
server = entropy_server_exe;
768+
}
769+
770+
Some(server)
771+
}
772+
773+
fn app_exe(&mut self) -> PathBuf {
774+
let mut main_exe = self.app.main_exe();
775+
776+
// The requirement here is based on the platform, not necessarily our current architecture.
777+
let requires_entropy = match self.app.build.build.platform() {
778+
// When running "bundled", we don't need entropy
779+
Platform::Web => false,
780+
Platform::MacOS => false,
781+
Platform::Ios => false,
782+
Platform::Android => false,
783+
784+
// But on platforms that aren't running as "bundled", we do.
785+
Platform::Windows => true,
786+
Platform::Linux => true,
787+
Platform::Server => true,
788+
Platform::Liveview => true,
789+
};
790+
791+
if requires_entropy || std::env::var("DIOXUS_ENTROPY").is_ok() {
792+
// If we already have an entropy app exe, return it - this is useful for re-opening the same app
793+
if let Some(existing_app_exe) = self.entropy_app_exe.clone() {
794+
return existing_app_exe;
795+
}
796+
797+
let entropy_app_exe = Self::make_entropy_path(&main_exe);
798+
self.entropy_app_exe = Some(entropy_app_exe.clone());
799+
main_exe = entropy_app_exe;
800+
}
801+
802+
main_exe
803+
}
653804
}

0 commit comments

Comments
 (0)