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
//! WARNING: the API exposed here is unstable and very experimental. Certain things are not ready
//! yet and may be broken in patch releases. If you're using this and have any specific needs,
//! please [let us know here](https://github.com/wasmerio/wasmer/issues/583) or by filing an issue.
//!
//! Wasmer always has a virtual root directory located at `/` at which all pre-opened directories can
//! be found. It's possible to traverse between preopened directories this way as well (for example
//! `preopen-dir1/../preopen-dir2`).
//!
//! A preopened directory is a directory or directory + name combination passed into the
//! `generate_import_object` function. These are directories that the caller has given
//! the WASI module permission to access.
//!
//! You can implement `VirtualFile` for your own types to get custom behavior and extend WASI, see the
//! [WASI plugin example](https://github.com/wasmerio/wasmer/blob/master/examples/plugin.rs).
#![allow(clippy::cognitive_complexity, clippy::too_many_arguments)]
mod builder;
mod env;
mod func_env;
mod types;
use std::{
cell::RefCell,
collections::HashMap,
path::Path,
sync::{Arc, Mutex, RwLock},
task::Waker,
time::Duration,
};
use derivative::Derivative;
#[cfg(feature = "enable-serde")]
use serde::{Deserialize, Serialize};
use virtual_fs::{FileOpener, FileSystem, FsError, OpenOptions, VirtualFile};
use wasmer::Store;
use wasmer_wasix_types::wasi::{Errno, Fd as WasiFd, Rights, Snapshot0Clockid};
pub use self::{
builder::*,
env::{WasiEnv, WasiEnvInit, WasiInstanceHandles},
func_env::WasiFunctionEnv,
types::*,
};
pub use crate::fs::{InodeGuard, InodeWeakGuard};
use crate::{
fs::{fs_error_into_wasi_err, WasiFs, WasiFsRoot, WasiInodes, WasiStateFileGuard},
syscalls::types::*,
utils::WasiParkingLot,
WasiCallingId,
};
/// all the rights enabled
pub const ALL_RIGHTS: Rights = Rights::all();
struct WasiStateOpener {
root_fs: WasiFsRoot,
}
impl FileOpener for WasiStateOpener {
fn open(
&self,
path: &Path,
conf: &virtual_fs::OpenOptionsConfig,
) -> virtual_fs::Result<Box<dyn VirtualFile + Send + Sync + 'static>> {
let mut new_options = self.root_fs.new_open_options();
new_options.options(conf.clone());
new_options.open(path)
}
}
// TODO: review allow...
#[allow(dead_code)]
pub(crate) struct WasiThreadContext {
pub ctx: WasiFunctionEnv,
pub store: RefCell<Store>,
}
/// The code itself makes safe use of the struct so multiple threads don't access
/// it (without this the JS code prevents the reference to the module from being stored
/// which is needed for the multithreading mode)
unsafe impl Send for WasiThreadContext {}
unsafe impl Sync for WasiThreadContext {}
/// Structures used for the threading and sub-processes
///
/// These internal implementation details are hidden away from the
/// consumer who should instead implement the vbus trait on the runtime
#[derive(Derivative, Default)]
// TODO: review allow...
#[allow(dead_code)]
#[derivative(Debug)]
#[cfg_attr(feature = "enable-serde", derive(Serialize, Deserialize))]
pub(crate) struct WasiStateThreading {
#[derivative(Debug = "ignore")]
pub thread_ctx: HashMap<WasiCallingId, Arc<WasiThreadContext>>,
}
/// Represents a futex which will make threads wait for completion in a more
/// CPU efficient manner
#[derive(Debug)]
pub struct WasiFutex {
pub(crate) wakers: Vec<Waker>,
}
/// Structure that holds the state of BUS calls to this process and from
/// this process. BUS calls are the equivalent of RPC's with support
/// for all the major serializers
#[derive(Debug, Default)]
pub struct WasiBusState {
poll_waker: WasiParkingLot,
}
impl WasiBusState {
/// Gets a reference to the waker that can be used for
/// asynchronous calls
// TODO: review allow...
#[allow(dead_code)]
pub fn get_poll_waker(&self) -> Waker {
self.poll_waker.get_waker()
}
/// Wakes one of the reactors thats currently waiting
// TODO: review allow...
#[allow(dead_code)]
pub fn poll_wake(&self) {
self.poll_waker.wake()
}
/// Will wait until either the reactor is triggered
/// or the timeout occurs
// TODO: review allow...
#[allow(dead_code)]
pub fn poll_wait(&self, timeout: Duration) -> bool {
self.poll_waker.wait(timeout)
}
}
/// Top level data type containing all* the state with which WASI can
/// interact.
///
/// * The contents of files are not stored and may be modified by
/// other, concurrently running programs. Data such as the contents
/// of directories are lazily loaded.
#[derive(Debug)]
#[cfg_attr(feature = "enable-serde", derive(Serialize, Deserialize))]
pub(crate) struct WasiState {
pub secret: [u8; 32],
pub fs: WasiFs,
pub inodes: WasiInodes,
pub threading: RwLock<WasiStateThreading>,
pub futexs: Mutex<HashMap<u64, WasiFutex>>,
pub clock_offset: Mutex<HashMap<Snapshot0Clockid, i64>>,
pub args: Vec<String>,
pub envs: Vec<Vec<u8>>,
// TODO: should not be here, since this requires active work to resolve.
// State should only hold active runtime state that can be reproducibly re-created.
pub preopen: Vec<String>,
}
impl WasiState {
// fn new(fs: WasiFs, inodes: Arc<RwLock<WasiInodes>>) -> Self {
// WasiState {
// fs,
// secret: rand::thread_rng().gen::<[u8; 32]>(),
// inodes,
// args: Vec::new(),
// preopen: Vec::new(),
// threading: Default::default(),
// futexs: Default::default(),
// clock_offset: Default::default(),
// envs: Vec::new(),
// }
// }
}
// Implementations of direct to FS calls so that we can easily change their implementation
impl WasiState {
pub(crate) fn fs_read_dir<P: AsRef<Path>>(
&self,
path: P,
) -> Result<virtual_fs::ReadDir, Errno> {
self.fs
.root_fs
.read_dir(path.as_ref())
.map_err(fs_error_into_wasi_err)
}
pub(crate) fn fs_create_dir<P: AsRef<Path>>(&self, path: P) -> Result<(), Errno> {
self.fs
.root_fs
.create_dir(path.as_ref())
.map_err(fs_error_into_wasi_err)
}
pub(crate) fn fs_remove_dir<P: AsRef<Path>>(&self, path: P) -> Result<(), Errno> {
self.fs
.root_fs
.remove_dir(path.as_ref())
.map_err(fs_error_into_wasi_err)
}
pub(crate) fn fs_rename<P: AsRef<Path>, Q: AsRef<Path>>(
&self,
from: P,
to: Q,
) -> Result<(), Errno> {
self.fs
.root_fs
.rename(from.as_ref(), to.as_ref())
.map_err(fs_error_into_wasi_err)
}
pub(crate) fn fs_remove_file<P: AsRef<Path>>(&self, path: P) -> Result<(), Errno> {
self.fs
.root_fs
.remove_file(path.as_ref())
.map_err(fs_error_into_wasi_err)
}
pub(crate) fn fs_new_open_options(&self) -> OpenOptions {
self.fs.root_fs.new_open_options()
}
/// Turn the WasiState into bytes
#[cfg(feature = "enable-serde")]
pub fn freeze(&self) -> Option<Vec<u8>> {
bincode::serialize(self).ok()
}
/// Get a WasiState from bytes
#[cfg(feature = "enable-serde")]
pub fn unfreeze(bytes: &[u8]) -> Option<Self> {
bincode::deserialize(bytes).ok()
}
/// Get the `VirtualFile` object at stdout
pub fn stdout(&self) -> Result<Option<Box<dyn VirtualFile + Send + Sync + 'static>>, FsError> {
self.std_dev_get(__WASI_STDOUT_FILENO)
}
/// Get the `VirtualFile` object at stderr
pub fn stderr(&self) -> Result<Option<Box<dyn VirtualFile + Send + Sync + 'static>>, FsError> {
self.std_dev_get(__WASI_STDERR_FILENO)
}
/// Get the `VirtualFile` object at stdin
pub fn stdin(&self) -> Result<Option<Box<dyn VirtualFile + Send + Sync + 'static>>, FsError> {
self.std_dev_get(__WASI_STDIN_FILENO)
}
/// Internal helper function to get a standard device handle.
/// Expects one of `__WASI_STDIN_FILENO`, `__WASI_STDOUT_FILENO`, `__WASI_STDERR_FILENO`.
fn std_dev_get(
&self,
fd: WasiFd,
) -> Result<Option<Box<dyn VirtualFile + Send + Sync + 'static>>, FsError> {
let ret = WasiStateFileGuard::new(self, fd)?.map(|a| {
let ret = Box::new(a);
let ret: Box<dyn VirtualFile + Send + Sync + 'static> = ret;
ret
});
Ok(ret)
}
/// Forking the WasiState is used when either fork or vfork is called
pub fn fork(&self) -> Self {
WasiState {
fs: self.fs.fork(),
secret: self.secret,
inodes: self.inodes.clone(),
threading: Default::default(),
futexs: Default::default(),
clock_offset: Mutex::new(self.clock_offset.lock().unwrap().clone()),
args: self.args.clone(),
envs: self.envs.clone(),
preopen: self.preopen.clone(),
}
}
}