1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288
#![doc(html_favicon_url = "https://raw.githubusercontent.com/zng-ui/zng/main/examples/image/res/zng-logo-icon.png")]
#![doc(html_logo_url = "https://raw.githubusercontent.com/zng-ui/zng/main/examples/image/res/zng-logo.png")]
//!
//! Dynamically links to [`zng-view`] pre-built library.
//!
//! [`zng-view`]: https://docs.rs/zng-view
//!
//! # Crate
//!
#![doc = include_str!(concat!("../", std::env!("CARGO_PKG_README")))]
#![warn(unused_extern_crates)]
#![warn(missing_docs)]
use core::fmt;
use libloading::*;
use parking_lot::Mutex;
use std::{env, io, mem, path::PathBuf};
use zng_view_api::StaticPatch;
zng_env::on_process_start!(|_| {
if std::env::var("ZNG_VIEW_NO_INIT_START").is_err() {
view_process_main()
}
});
/// Calls the prebuilt [`view_process_main`].
///
/// Note that this only needs to be called if the view-process is not built on the same executable, if
/// it is you only need to call [`zng_env::init!`] at the beginning of the executable main.
///
/// You can also disable start on init by setting the `ZNG_VIEW_NO_INIT_START` environment variable. In this
/// case you must manually call this function.
///
/// [`view_process_main`]: https://docs.rs/zng-view/fn.view_process_main.html
pub fn view_process_main() {
ViewLib::install().unwrap().view_process_main()
}
/// Call the prebuilt [`run_same_process`].
///
/// This function exits the process after `run_app` returns.
///
/// [`run_same_process`]: https://docs.rs/zng-view/fn.run_same_process.html
///
/// # Panics
///
/// Panics if it fails to [install] the prebuilt binary.
///
/// # Aborts
///
/// Kills the process with code `101` if there is a panic generated by the pre-built code or by threads started by the pre-build code.
///
/// [install]: ViewLib::install
pub fn run_same_process(run_app: impl FnOnce() + Send + 'static) -> ! {
ViewLib::install().unwrap().run_same_process(run_app)
}
/// Dynamically linked pre-built view.
pub struct ViewLib {
view_process_main_fn: unsafe extern "C" fn(),
run_same_process_fn: unsafe extern "C" fn(&StaticPatch, extern "C" fn()),
_lib: Library,
}
impl ViewLib {
/// Extract the embedded library to the temp directory and link to it.
pub fn install() -> Result<Self, Error> {
let dir = env::temp_dir().join("zng_view");
std::fs::create_dir_all(&dir)?;
Self::install_to(dir)
}
/// Try to delete the installed library from the temp directory.
///
/// See [`uninstall_from`] for details.
///
/// [`uninstall_from`]: Self::uninstall_from
pub fn uninstall() -> Result<bool, io::Error> {
let dir = env::temp_dir().join("zng_view");
Self::uninstall_from(dir)
}
/// Extract the embedded library to `dir` and link to it.
pub fn install_to(dir: impl Into<PathBuf>) -> Result<Self, Error> {
Self::install_to_impl(dir.into())
}
fn install_to_impl(dir: PathBuf) -> Result<Self, Error> {
#[cfg(not(zng_lib_embedded))]
{
let _ = dir;
panic!("library not embedded");
}
#[cfg(zng_lib_embedded)]
{
let file = Self::install_path(dir);
if !file.exists() {
std::fs::write(&file, LIB)?;
}
Self::link(file)
}
}
/// Try to delete the installed library from the given `dir`.
///
/// Returns `Ok(true)` if uninstalled, `Ok(false)` if was not installed and `Err(_)`
/// if is installed and failed to delete.
///
/// Note that the file is probably in use if it was installed in the current process instance, in Windows
/// files cannot be deleted until they are released.
pub fn uninstall_from(dir: impl Into<PathBuf>) -> Result<bool, io::Error> {
Self::uninstall_from_impl(dir.into())
}
fn uninstall_from_impl(dir: PathBuf) -> Result<bool, io::Error> {
#[cfg(not(zng_lib_embedded))]
{
let _ = dir;
Ok(false)
}
#[cfg(zng_lib_embedded)]
{
let file = Self::install_path(dir);
if file.exists() {
std::fs::remove_file(file)?;
Ok(true)
} else {
Ok(false)
}
}
}
#[cfg(zng_lib_embedded)]
fn install_path(dir: PathBuf) -> PathBuf {
#[cfg(target_os = "windows")]
let file_name = format!("{LIB_NAME}.dll");
#[cfg(target_os = "linux")]
let file_name = format!("{LIB_NAME}.so");
#[cfg(target_os = "macos")]
let file_name = format!("{LIB_NAME}.dylib");
dir.join(file_name)
}
/// Link to the pre-built library file.
///
/// If the file does not have an extension searches for a file without extension then a
/// `.dll` file in Windows, a `.so` file in Linux and a `.dylib` file in other operating systems.
///
/// Note that the is only searched as described above, if it is not found an error returns immediately,
/// the operating system library search feature is not used.
pub fn link(view_dylib: impl Into<PathBuf>) -> Result<Self, Error> {
Self::link_impl(view_dylib.into())
}
fn link_impl(mut lib: PathBuf) -> Result<Self, Error> {
if !lib.exists() && lib.extension().is_none() {
#[cfg(target_os = "windows")]
lib.set_extension("dll");
#[cfg(target_os = "linux")]
lib.set_extension("so");
#[cfg(target_os = "macos")]
lib.set_extension("dylib");
}
if lib.exists() {
// this disables Windows DLL search feature.
lib = dunce::canonicalize(lib)?;
}
if !lib.exists() {
return Err(io::Error::new(io::ErrorKind::NotFound, format!("view library not found in `{}`", lib.display())).into());
}
unsafe {
let lib = Library::new(lib)?;
Ok(ViewLib {
view_process_main_fn: *match lib.get(b"extern_view_process_main") {
Ok(f) => f,
// try old name (<=0.6.2)
Err(e) => match lib.get(b"extern_init") {
Ok(f) => f,
Err(_) => return Err(e.into()),
},
},
run_same_process_fn: *lib.get(b"extern_run_same_process")?,
_lib: lib,
})
}
}
/// Call the pre-built [`view_process_main`].
///
/// # Aborts
///
/// Kills the process with code `101` if there is a panic generated by the pre-built code or by threads started by the pre-build code,
/// this needs to happen because unwind across FFI in undefined behavior.
///
/// [`view_process_main`]: https://docs.rs/zng-view/fn.view_process_main.html
pub fn view_process_main(self) {
unsafe { (self.view_process_main_fn)() }
}
/// Call the pre-build [`run_same_process`].
///
/// This function exits the process after `run_app` returns.
///
/// # Aborts
///
/// Kills the process with code `101` if there is a panic generated by the pre-built code or by threads started by the pre-build code,
/// this needs to happen because unwind across FFI in undefined behavior.
///
/// [`run_same_process`]: https://docs.rs/zng-view/fn.run_same_process.html
pub fn run_same_process(self, run_app: impl FnOnce() + Send + 'static) -> ! {
self.run_same_process_impl(Box::new(run_app))
}
fn run_same_process_impl(self, run_app: Box<dyn FnOnce() + Send>) -> ! {
let patch = StaticPatch::capture();
enum Run {
Waiting,
Set(Box<dyn FnOnce() + Send>),
Taken,
}
static RUN: Mutex<Run> = Mutex::new(Run::Waiting);
match mem::replace(&mut *RUN.lock(), Run::Set(Box::new(run_app))) {
Run::Waiting => {}
_ => panic!("expected only one call to `run_same_process`"),
};
extern "C" fn run() {
match mem::replace(&mut *RUN.lock(), Run::Taken) {
Run::Set(run_app) => run_app(),
_ => unreachable!(),
}
}
// SAFETY: we need to trust a compatible library is loaded at this point
unsafe {
(self.run_same_process_fn)(&patch, run);
}
// exit the process to ensure all threads are stopped
zng_env::exit(0)
}
}
#[cfg(zng_lib_embedded)]
const LIB: &[u8] = include_bytes!(env!("ZNG_VIEW_LIB"));
#[cfg(zng_lib_embedded)]
const LIB_NAME: &str = concat!("zv.", env!("CARGO_PKG_VERSION"), ".", env!("ZNG_VIEW_LIB_HASH"));
/// Error searching or linking to pre-build library.
#[derive(Debug)]
pub enum Error {
/// Error searching library.
Io(io::Error),
/// Error loading or linking library.
Lib(libloading::Error),
}
impl From<io::Error> for Error {
fn from(e: io::Error) -> Self {
Error::Io(e)
}
}
impl From<libloading::Error> for Error {
fn from(e: libloading::Error) -> Self {
Error::Lib(e)
}
}
impl fmt::Display for Error {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
Error::Io(e) => write!(f, "{e}"),
Error::Lib(e) => write!(f, "{e}"),
}
}
}
impl std::error::Error for Error {
fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
match self {
Error::Io(e) => Some(e),
Error::Lib(e) => Some(e),
}
}
}