Skip to content

Commit d6d2a27

Browse files
committed
pass configs through to android mobile launch
1 parent 7718f0a commit d6d2a27

File tree

6 files changed

+71
-36
lines changed

6 files changed

+71
-36
lines changed

packages/cli/src/config/serve.rs

+5-14
Original file line numberDiff line numberDiff line change
@@ -8,27 +8,18 @@ use std::net::{IpAddr, Ipv4Addr, SocketAddr, SocketAddrV4};
88
pub(crate) struct AddressArguments {
99
/// The port the server will run on
1010
#[clap(long)]
11-
#[clap(default_value_t = default_port())]
12-
pub(crate) port: u16,
11+
pub(crate) port: Option<u16>,
1312

1413
/// The address the server will run on
15-
#[clap(long, default_value_t = default_address())]
16-
pub(crate) addr: std::net::IpAddr,
14+
#[clap(long)]
15+
pub(crate) addr: Option<std::net::IpAddr>,
1716
}
1817

1918
impl Default for AddressArguments {
2019
fn default() -> Self {
2120
Self {
22-
port: default_port(),
23-
addr: default_address(),
21+
port: None,
22+
addr: None,
2423
}
2524
}
2625
}
27-
28-
fn default_port() -> u16 {
29-
8080
30-
}
31-
32-
fn default_address() -> IpAddr {
33-
IpAddr::V4(std::net::Ipv4Addr::new(0, 0, 0, 0))
34-
}

packages/cli/src/logging.rs

+2-4
Original file line numberDiff line numberDiff line change
@@ -18,7 +18,7 @@ use crate::{serve::ServeUpdate, Cli, Commands, Platform as TargetPlatform, Verbo
1818
use cargo_metadata::{diagnostic::DiagnosticLevel, CompilerMessage};
1919
use clap::Parser;
2020
use futures_channel::mpsc::{unbounded, UnboundedReceiver, UnboundedSender};
21-
use once_cell::sync::{Lazy, OnceCell};
21+
use once_cell::sync::OnceCell;
2222
use std::{
2323
collections::HashMap,
2424
env,
@@ -27,7 +27,7 @@ use std::{
2727
path::PathBuf,
2828
sync::{
2929
atomic::{AtomicBool, Ordering},
30-
Arc, Mutex,
30+
Mutex,
3131
},
3232
time::Instant,
3333
};
@@ -46,8 +46,6 @@ const LOG_ENV: &str = "DIOXUS_LOG";
4646
const LOG_FILE_NAME: &str = "dx.log";
4747
const DX_SRC_FLAG: &str = "dx_src";
4848

49-
pub static TUI_INTERACTIVE_DISABLED: Lazy<Arc<AtomicBool>> =
50-
Lazy::new(|| Arc::new(AtomicBool::new(false)));
5149
static TUI_ACTIVE: AtomicBool = AtomicBool::new(false);
5250
static TUI_TX: OnceCell<UnboundedSender<TraceMsg>> = OnceCell::new();
5351
pub static VERBOSITY: OnceCell<Verbosity> = OnceCell::new();

packages/cli/src/serve/server.rs

+23-6
Original file line numberDiff line numberDiff line change
@@ -71,19 +71,28 @@ impl WebServer {
7171
let (hot_reload_sockets_tx, hot_reload_sockets_rx) = futures_channel::mpsc::unbounded();
7272
let (build_status_sockets_tx, build_status_sockets_rx) = futures_channel::mpsc::unbounded();
7373

74-
let devserver_bind_ip = args.address.addr;
75-
let devserver_port = args.address.port;
76-
let devserver_bind_address = SocketAddr::new(devserver_bind_ip, devserver_port);
74+
const SELF_IP: IpAddr = IpAddr::V4(Ipv4Addr::new(0, 0, 0, 0));
75+
76+
// Use 0.0.0.0 as the default address if none is specified - this will let us expose the
77+
// devserver to the network (for other devices like phones/embedded)
78+
let devserver_bind_ip = args.address.addr.unwrap_or_else(|| SELF_IP);
79+
80+
// If the user specified a port, use that, otherwise use any available port, preferring 8080
81+
let devserver_port = args
82+
.address
83+
.port
84+
.unwrap_or_else(|| get_available_port(devserver_bind_ip, Some(8080)).unwrap_or(8080));
7785

7886
// All servers will end up behind us (the devserver) but on a different port
7987
// This is so we can serve a loading screen as well as devtools without anything particularly fancy
8088
let proxied_port = args
8189
.should_proxy_build()
82-
.then(|| get_available_port(devserver_bind_ip))
90+
.then(|| get_available_port(devserver_bind_ip, None))
8391
.flatten();
8492

8593
// Create the listener that we'll pass into the devserver, but save its IP here so
8694
// we can display it to the user in the tui
95+
let devserver_bind_address = SocketAddr::new(devserver_bind_ip, devserver_port);
8796
let listener = std::net::TcpListener::bind(devserver_bind_address).with_context(|| {
8897
anyhow::anyhow!(
8998
"Failed to bind server to: {devserver_bind_address}, is there another devserver running?\nTo run multiple devservers, use the --port flag to specify a different port"
@@ -92,7 +101,7 @@ impl WebServer {
92101

93102
// If the IP is 0.0.0.0, we need to get the actual IP of the machine
94103
// This will let ios/android/network clients connect to the devserver
95-
let devserver_exposed_ip = if devserver_bind_ip == IpAddr::V4(Ipv4Addr::new(0, 0, 0, 0)) {
104+
let devserver_exposed_ip = if devserver_bind_ip == SELF_IP {
96105
local_ip_address::local_ip().unwrap_or(devserver_bind_ip)
97106
} else {
98107
devserver_bind_ip
@@ -626,7 +635,15 @@ async fn get_rustls(web_config: &WebHttpsConfig) -> Result<(String, String)> {
626635
///
627636
/// Todo: we might want to do this on every new build in case the OS tries to bind things to this port
628637
/// and we don't already have something bound to it. There's no great way of "reserving" a port.
629-
fn get_available_port(address: IpAddr) -> Option<u16> {
638+
fn get_available_port(address: IpAddr, prefer: Option<u16>) -> Option<u16> {
639+
// First, try to bind to the preferred port
640+
if let Some(port) = prefer {
641+
if let Ok(_listener) = TcpListener::bind((address, port)) {
642+
return Some(port);
643+
}
644+
}
645+
646+
// Otherwise, try to bind to any port and return the first one we can
630647
TcpListener::bind((address, 0))
631648
.map(|listener| listener.local_addr().unwrap().port())
632649
.ok()

packages/desktop/src/protocol.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -288,7 +288,7 @@ pub(crate) fn to_java_load_asset(filepath: &str) -> Option<Vec<u8>> {
288288
}
289289
}
290290

291-
use std::{io::Read, ptr::NonNull};
291+
use std::ptr::NonNull;
292292

293293
let ctx = ndk_context::android_context();
294294
let vm = unsafe { jni::JavaVM::from_raw(ctx.vm().cast()) }.unwrap();

packages/dioxus/src/launch.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -87,7 +87,7 @@ impl LaunchBuilder {
8787
#[cfg_attr(docsrs, doc(cfg(feature = "mobile")))]
8888
pub fn mobile() -> LaunchBuilder {
8989
LaunchBuilder {
90-
launch_fn: |root, contexts, cfg| dioxus_mobile::launch::launch(root, contexts, cfg),
90+
launch_fn: |root, contexts, cfg| dioxus_mobile::launch_cfg(root, contexts, cfg),
9191
contexts: Vec::new(),
9292
configs: Vec::new(),
9393
}

packages/mobile/src/lib.rs

+39-10
Original file line numberDiff line numberDiff line change
@@ -4,18 +4,18 @@
44

55
pub use dioxus_desktop::*;
66
use dioxus_lib::prelude::*;
7+
use std::any::Any;
78
use std::sync::Mutex;
89

910
pub mod launch_bindings {
10-
use std::any::Any;
1111

1212
use super::*;
1313
pub fn launch(
1414
root: fn() -> Element,
15-
_contexts: Vec<Box<dyn Fn() -> Box<dyn Any> + Send + Sync>>,
16-
_platform_config: Vec<Box<dyn Any>>,
15+
contexts: Vec<Box<dyn Fn() -> Box<dyn Any> + Send + Sync>>,
16+
platform_config: Vec<Box<dyn Any>>,
1717
) {
18-
super::launch(root);
18+
super::launch_cfg(root, contexts, platform_config);
1919
}
2020

2121
pub fn launch_virtual_dom(_virtual_dom: VirtualDom, _desktop_config: Config) -> ! {
@@ -24,27 +24,56 @@ pub mod launch_bindings {
2424
}
2525

2626
/// Launch via the binding API
27-
pub fn launch(incoming: fn() -> Element) {
27+
pub fn launch(root: fn() -> Element) {
28+
launch_cfg(root, vec![], vec![]);
29+
}
30+
31+
pub fn launch_cfg(
32+
root: fn() -> Element,
33+
contexts: Vec<Box<dyn Fn() -> Box<dyn Any> + Send + Sync>>,
34+
platform_config: Vec<Box<dyn Any>>,
35+
) {
2836
#[cfg(target_os = "android")]
2937
{
30-
*APP_FN_PTR.lock().unwrap() = Some(incoming);
38+
*APP_OBJECTS.lock().unwrap() = Some(BoundLaunchObjects {
39+
root,
40+
contexts,
41+
platform_config,
42+
});
3143
}
3244

3345
#[cfg(not(target_os = "android"))]
3446
{
35-
dioxus_desktop::launch::launch(incoming, vec![], Default::default());
47+
dioxus_desktop::launch::launch(root, contexts, platform_config);
3648
}
3749
}
3850

39-
static APP_FN_PTR: Mutex<Option<fn() -> Element>> = Mutex::new(None);
51+
static APP_OBJECTS: Mutex<Option<BoundLaunchObjects>> = Mutex::new(None);
52+
53+
struct BoundLaunchObjects {
54+
root: fn() -> Element,
55+
contexts: Vec<Box<dyn Fn() -> Box<dyn Any> + Send + Sync>>,
56+
platform_config: Vec<Box<dyn Any>>,
57+
}
58+
59+
unsafe impl Send for BoundLaunchObjects {}
60+
unsafe impl Sync for BoundLaunchObjects {}
4061

62+
#[doc(hidden)]
4163
pub fn root() {
42-
let app = APP_FN_PTR
64+
let app = APP_OBJECTS
4365
.lock()
4466
.expect("APP_FN_PTR lock failed")
67+
.take()
4568
.expect("Android to have set the app trampoline");
4669

47-
dioxus_desktop::launch::launch(app, vec![], Default::default());
70+
let BoundLaunchObjects {
71+
root,
72+
contexts,
73+
platform_config,
74+
} = app;
75+
76+
dioxus_desktop::launch::launch(root, contexts, platform_config);
4877
}
4978

5079
/// Expose the `Java_dev_dioxus_main_WryActivity_create` function to the JNI layer.

0 commit comments

Comments
 (0)