mirror of
https://github.com/mii443/wasmer.git
synced 2025-12-08 05:38:19 +00:00
233 lines
7.7 KiB
Rust
233 lines
7.7 KiB
Rust
//! Native Engine.
|
|
|
|
use crate::NativeArtifact;
|
|
use std::collections::HashMap;
|
|
use std::path::Path;
|
|
use std::sync::Arc;
|
|
use std::sync::Mutex;
|
|
use wasm_common::{Features, FunctionType};
|
|
#[cfg(feature = "compiler")]
|
|
use wasmer_compiler::Compiler;
|
|
use wasmer_compiler::{CompileError, Target};
|
|
use wasmer_engine::{Artifact, DeserializeError, Engine, EngineId, Tunables};
|
|
use wasmer_runtime::{SignatureRegistry, VMSharedSignatureIndex, VMTrampoline};
|
|
|
|
/// A WebAssembly `Native` Engine.
|
|
#[derive(Clone)]
|
|
pub struct NativeEngine {
|
|
inner: Arc<Mutex<NativeEngineInner>>,
|
|
/// The target for the compiler
|
|
target: Arc<Target>,
|
|
engine_id: EngineId,
|
|
}
|
|
|
|
impl NativeEngine {
|
|
/// Create a new `NativeEngine` with the given config
|
|
#[cfg(feature = "compiler")]
|
|
pub fn new(compiler: Box<dyn Compiler + Send>, target: Target, features: Features) -> Self {
|
|
Self {
|
|
inner: Arc::new(Mutex::new(NativeEngineInner {
|
|
compiler: Some(compiler),
|
|
trampolines: HashMap::new(),
|
|
signatures: SignatureRegistry::new(),
|
|
prefixer: None,
|
|
features,
|
|
})),
|
|
target: Arc::new(target),
|
|
engine_id: EngineId::default(),
|
|
}
|
|
}
|
|
|
|
/// Create a headless `NativeEngine`
|
|
///
|
|
/// A headless engine is an engine without any compiler attached.
|
|
/// This is useful for assuring a minimal runtime for running
|
|
/// WebAssembly modules.
|
|
///
|
|
/// For example, for running in IoT devices where compilers are very
|
|
/// expensive, or also to optimize startup speed.
|
|
///
|
|
/// # Important
|
|
///
|
|
/// Headless engines can't compile or validate any modules,
|
|
/// they just take already processed Modules (via `Module::serialize`).
|
|
pub fn headless() -> Self {
|
|
Self {
|
|
inner: Arc::new(Mutex::new(NativeEngineInner {
|
|
#[cfg(feature = "compiler")]
|
|
compiler: None,
|
|
trampolines: HashMap::new(),
|
|
signatures: SignatureRegistry::new(),
|
|
prefixer: None,
|
|
features: Features::default(),
|
|
})),
|
|
target: Arc::new(Target::default()),
|
|
engine_id: EngineId::default(),
|
|
}
|
|
}
|
|
|
|
/// Sets a prefixer for the wasm module, so we can avoid any collisions
|
|
/// in the exported function names on the generated shared object.
|
|
///
|
|
/// This, allows us to rather than have functions named `wasmer_function_1`
|
|
/// to be named `wasmer_function_PREFIX_1`.
|
|
///
|
|
/// # Important
|
|
///
|
|
/// This prefixer function should be deterministic, so the compilation
|
|
/// remains deterministic.
|
|
pub fn set_deterministic_prefixer<F>(&mut self, prefixer: F)
|
|
where
|
|
F: Fn(&[u8]) -> String + Send + 'static,
|
|
{
|
|
let mut inner = self.inner_mut();
|
|
inner.prefixer = Some(Box::new(prefixer));
|
|
}
|
|
|
|
pub(crate) fn inner(&self) -> std::sync::MutexGuard<'_, NativeEngineInner> {
|
|
self.inner.lock().unwrap()
|
|
}
|
|
|
|
pub(crate) fn inner_mut(&self) -> std::sync::MutexGuard<'_, NativeEngineInner> {
|
|
self.inner.lock().unwrap()
|
|
}
|
|
}
|
|
|
|
impl Engine for NativeEngine {
|
|
/// The target
|
|
fn target(&self) -> &Target {
|
|
&self.target
|
|
}
|
|
|
|
/// Register a signature
|
|
fn register_signature(&self, func_type: &FunctionType) -> VMSharedSignatureIndex {
|
|
let compiler = self.inner();
|
|
compiler.signatures().register(func_type)
|
|
}
|
|
|
|
/// Lookup a signature
|
|
fn lookup_signature(&self, sig: VMSharedSignatureIndex) -> Option<FunctionType> {
|
|
let compiler = self.inner();
|
|
compiler.signatures().lookup(sig)
|
|
}
|
|
|
|
/// Retrieves a trampoline given a signature
|
|
fn function_call_trampoline(&self, sig: VMSharedSignatureIndex) -> Option<VMTrampoline> {
|
|
self.inner().trampoline(sig)
|
|
}
|
|
|
|
/// Validates a WebAssembly module
|
|
fn validate(&self, binary: &[u8]) -> Result<(), CompileError> {
|
|
self.inner().validate(binary)
|
|
}
|
|
|
|
/// Compile a WebAssembly binary
|
|
fn compile(
|
|
&self,
|
|
binary: &[u8],
|
|
tunables: &dyn Tunables,
|
|
) -> Result<Arc<dyn Artifact>, CompileError> {
|
|
Ok(Arc::new(NativeArtifact::new(&self, binary, tunables)?))
|
|
}
|
|
|
|
/// Deserializes a WebAssembly module (binary content of a Shared Object file)
|
|
unsafe fn deserialize(&self, bytes: &[u8]) -> Result<Arc<dyn Artifact>, DeserializeError> {
|
|
Ok(Arc::new(NativeArtifact::deserialize(&self, &bytes)?))
|
|
}
|
|
|
|
/// Deserializes a WebAssembly module from a path
|
|
/// It should point to a Shared Object file generated by this engine.
|
|
unsafe fn deserialize_from_file(
|
|
&self,
|
|
file_ref: &Path,
|
|
) -> Result<Arc<dyn Artifact>, DeserializeError> {
|
|
Ok(Arc::new(NativeArtifact::deserialize_from_file(
|
|
&self, &file_ref,
|
|
)?))
|
|
}
|
|
|
|
fn id(&self) -> &EngineId {
|
|
&self.engine_id
|
|
}
|
|
|
|
fn cloned(&self) -> Arc<dyn Engine + Send + Sync> {
|
|
Arc::new(self.clone())
|
|
}
|
|
}
|
|
|
|
/// The inner contents of `NativeEngine`
|
|
pub struct NativeEngineInner {
|
|
/// The compiler
|
|
#[cfg(feature = "compiler")]
|
|
compiler: Option<Box<dyn Compiler + Send>>,
|
|
/// The WebAssembly features to use
|
|
features: Features,
|
|
/// Pointers to trampoline functions used to enter particular signatures
|
|
trampolines: HashMap<VMSharedSignatureIndex, VMTrampoline>,
|
|
/// The signature registry is used mainly to operate with trampolines
|
|
/// performantly.
|
|
signatures: SignatureRegistry,
|
|
/// The prefixer returns the a String to prefix each of
|
|
/// the functions in the shared object generated by the `NativeEngine`,
|
|
/// so we can assure no collisions.
|
|
prefixer: Option<Box<dyn Fn(&[u8]) -> String + Send>>,
|
|
}
|
|
|
|
impl NativeEngineInner {
|
|
/// Gets the compiler associated to this engine.
|
|
#[cfg(feature = "compiler")]
|
|
pub fn compiler(&self) -> Result<&dyn Compiler, CompileError> {
|
|
if self.compiler.is_none() {
|
|
return Err(CompileError::Codegen("The NativeEngine is operating in headless mode, so it can only execute already compiled Modules.".to_string()));
|
|
}
|
|
Ok(&**self
|
|
.compiler
|
|
.as_ref()
|
|
.expect("Can't get compiler reference"))
|
|
}
|
|
|
|
pub(crate) fn get_prefix(&self, bytes: &[u8]) -> String {
|
|
if let Some(prefixer) = &self.prefixer {
|
|
prefixer(&bytes)
|
|
} else {
|
|
"".to_string()
|
|
}
|
|
}
|
|
|
|
pub(crate) fn features(&self) -> &Features {
|
|
&self.features
|
|
}
|
|
|
|
/// Validate the module
|
|
#[cfg(feature = "compiler")]
|
|
pub fn validate<'data>(&self, data: &'data [u8]) -> Result<(), CompileError> {
|
|
self.compiler()?.validate_module(self.features(), data)
|
|
}
|
|
|
|
/// Validate the module
|
|
#[cfg(not(feature = "compiler"))]
|
|
pub fn validate<'data>(&self, _data: &'data [u8]) -> Result<(), CompileError> {
|
|
Err(CompileError::Validate(
|
|
"The NativeEngine is not compiled with compiler support, which is required for validating".to_string(),
|
|
))
|
|
}
|
|
|
|
/// Shared signature registry.
|
|
pub fn signatures(&self) -> &SignatureRegistry {
|
|
&self.signatures
|
|
}
|
|
|
|
/// Gets the trampoline pre-registered for a particular signature
|
|
pub fn trampoline(&self, sig: VMSharedSignatureIndex) -> Option<VMTrampoline> {
|
|
self.trampolines.get(&sig).cloned()
|
|
}
|
|
|
|
pub(crate) fn add_trampoline(&mut self, func_type: &FunctionType, trampoline: VMTrampoline) {
|
|
let index = self.signatures.register(&func_type);
|
|
// We always use (for now) the latest trampoline compiled
|
|
// TODO: we need to deallocate trampolines as the compiled modules
|
|
// where they belong become unallocated.
|
|
self.trampolines.insert(index, trampoline);
|
|
}
|
|
}
|