Skip to content

Commit

Permalink
Merge pull request #4301 from wasmerio/cli-wasi-fs-setup-cleanup
Browse files Browse the repository at this point in the history
refactor(cli): run: Unify wasi env setup
  • Loading branch information
syrusakbary committed Nov 10, 2023
2 parents 28ed6ac + 11f7403 commit e392361
Show file tree
Hide file tree
Showing 9 changed files with 485 additions and 126 deletions.
File renamed without changes.
48 changes: 28 additions & 20 deletions lib/cli/src/commands/run.rs → lib/cli/src/commands/run/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -30,7 +30,7 @@ use wasmer_compiler::ArtifactBuild;
use wasmer_registry::{wasmer_env::WasmerEnv, Package};
use wasmer_wasix::{
bin_factory::BinaryPackage,
runners::{MappedDirectory, Runner},
runners::{MappedCommand, MappedDirectory, Runner},
runtime::{
module_cache::{CacheError, ModuleHash},
package_loader::PackageLoader,
Expand Down Expand Up @@ -215,17 +215,7 @@ impl Run {
uses: Vec<BinaryPackage>,
runtime: Arc<dyn Runtime + Send + Sync>,
) -> Result<(), Error> {
let mut runner = wasmer_wasix::runners::wasi::WasiRunner::new()
.with_args(self.args.clone())
.with_envs(self.wasi.env_vars.clone())
.with_mapped_directories(self.wasi.mapped_dirs.clone())
.with_injected_packages(uses);
if self.wasi.forward_host_env {
runner.set_forward_host_env();
}

*runner.capabilities() = self.wasi.capabilities();

let mut runner = self.build_wasi_runner(&runtime)?;
runner.run_command(command_name, pkg, runtime)
}

Expand Down Expand Up @@ -298,23 +288,41 @@ impl Run {
Ok(())
}

fn build_wasi_runner(
&self,
runtime: &Arc<dyn Runtime + Send + Sync>,
) -> Result<WasiRunner, anyhow::Error> {
let packages = self.load_injected_packages(runtime)?;

let runner = WasiRunner::new()
.with_args(&self.args)
.with_injected_packages(packages)
.with_envs(self.wasi.env_vars.clone())
.with_mapped_host_commands(self.wasi.build_mapped_commands()?)
.with_mapped_directories(self.wasi.build_mapped_directories()?)
.with_forward_host_env(self.wasi.forward_host_env)
.with_capabilities(self.wasi.capabilities());

Ok(runner)
}

#[tracing::instrument(skip_all)]
fn execute_wasi_module(
&self,
wasm_path: &Path,
module: &Module,
runtime: Arc<dyn Runtime + Send + Sync>,
store: Store,
mut store: Store,
) -> Result<(), Error> {
let program_name = wasm_path.display().to_string();

let builder = self
.wasi
.prepare(module, program_name, self.args.clone(), runtime)?;

builder.run_with_store_async(module.clone(), store)?;

Ok(())
let runner = self.build_wasi_runner(&runtime)?;
runner.run_wasm(
runtime,
&program_name,
module,
self.wasi.enable_async_threads,
)
}

#[tracing::instrument(skip_all)]
Expand Down
226 changes: 209 additions & 17 deletions lib/cli/src/commands/run/wasi.rs
Original file line number Diff line number Diff line change
Expand Up @@ -20,7 +20,7 @@ use wasmer_wasix::{
http::HttpClient,
os::{tty_sys::SysTty, TtyBridge},
rewind_ext,
runners::MappedDirectory,
runners::{MappedCommand, MappedDirectory},
runtime::{
module_cache::{FileSystemCache, ModuleCache},
package_loader::{BuiltinPackageLoader, PackageLoader},
Expand Down Expand Up @@ -77,11 +77,11 @@ pub struct Wasi {
/// List of webc packages that are explicitly included for execution
/// Note: these packages will be used instead of those in the registry
#[clap(long = "include-webc", name = "WEBC")]
include_webcs: Vec<PathBuf>,
pub(super) include_webcs: Vec<PathBuf>,

/// List of injected atoms
#[clap(long = "map-command", name = "MAPCMD")]
map_commands: Vec<String>,
pub(super) map_commands: Vec<String>,

/// Enable experimental IO devices
#[cfg(feature = "experimental-io-devices")]
Expand Down Expand Up @@ -125,6 +125,8 @@ pub struct RunProperties {

#[allow(dead_code)]
impl Wasi {
const MAPPED_CURRENT_DIR_DEFAULT_PATH: &'static str = "/mnt/host";

pub fn map_dir(&mut self, alias: &str, target_on_disk: PathBuf) {
self.mapped_dirs.push(MappedDirectory {
guest: alias.to_string(),
Expand Down Expand Up @@ -190,12 +192,93 @@ impl Wasi {
.uses(uses)
.map_commands(map_commands);

let mut builder = if wasmer_wasix::is_wasix_module(module) {
let mut builder = {
// If we preopen anything from the host then shallow copy it over
let root_fs = RootFileSystemBuilder::new()
.with_tty(Box::new(DeviceFile::new(__WASI_STDIN_FILENO)))
.build();
if !self.mapped_dirs.is_empty() {

let mut mapped_dirs = Vec::new();

// Process the --dirs flag and merge it with --mapdir.
let mut have_current_dir = false;
for dir in &self.pre_opened_directories {
let mapping = if dir == Path::new(".") {
if have_current_dir {
bail!("Cannot pre-open the current directory twice: --dir=. must only be specified once");
}
have_current_dir = true;

let current_dir =
std::env::current_dir().context("could not determine current directory")?;

MappedDirectory {
host: current_dir,
guest: Self::MAPPED_CURRENT_DIR_DEFAULT_PATH.to_string(),
}
} else {
let resolved = dir.canonicalize().with_context(|| {
format!(
"could not canonicalize path for argument '--dir {}'",
dir.display()
)
})?;

if &resolved != dir {
bail!(
"Invalid argument '--dir {}': path must either be absolute, or '.'",
dir.display(),
);
}

let guest = resolved
.to_str()
.with_context(|| {
format!(
"invalid argument '--dir {}': path must be valid utf-8",
dir.display(),
)
})?
.to_string();

MappedDirectory {
host: resolved,
guest,
}
};

mapped_dirs.push(mapping);
}

for MappedDirectory { host, guest } in &self.mapped_dirs {
let resolved_host = host.canonicalize().with_context(|| {
format!(
"could not canonicalize path for argument '--mapdir {}:{}'",
host.display(),
guest,
)
})?;

let mapping = if guest == "." {
if have_current_dir {
bail!("Cannot pre-open the current directory twice: '--mapdir=?:.' / '--dir=.' must only be specified once");
}
have_current_dir = true;

MappedDirectory {
host: resolved_host,
guest: Self::MAPPED_CURRENT_DIR_DEFAULT_PATH.to_string(),
}
} else {
MappedDirectory {
host: resolved_host,
guest: guest.clone(),
}
};
mapped_dirs.push(mapping);
}

if !mapped_dirs.is_empty() {
let fs_backing: Arc<dyn FileSystem + Send + Sync> =
Arc::new(PassthruFileSystem::new(default_fs_backing()));
for MappedDirectory { host, guest } in self.mapped_dirs.clone() {
Expand All @@ -209,20 +292,16 @@ impl Wasi {
}

// Open the root of the new filesystem
builder
let b = builder
.sandbox_fs(root_fs)
.preopen_dir(Path::new("/"))
.unwrap()
.map_dir(".", "/")?
} else {
builder
.fs(default_fs_backing())
.preopen_dirs(self.pre_opened_directories.clone())?
.map_dirs(
self.mapped_dirs
.iter()
.map(|d| (d.guest.clone(), d.host.clone())),
)?
.unwrap();

if have_current_dir {
b.map_dir(".", Self::MAPPED_CURRENT_DIR_DEFAULT_PATH)?
} else {
b.map_dir(".", "/")?
}
};

*builder.capabilities_mut() = self.capabilities();
Expand All @@ -238,6 +317,119 @@ impl Wasi {
Ok(builder)
}

pub fn build_mapped_directories(&self) -> Result<Vec<MappedDirectory>, anyhow::Error> {
let mut mapped_dirs = Vec::new();

// Process the --dirs flag and merge it with --mapdir.
let mut have_current_dir = false;
for dir in &self.pre_opened_directories {
let mapping = if dir == Path::new(".") {
if have_current_dir {
bail!("Cannot pre-open the current directory twice: --dir=. must only be specified once");
}
have_current_dir = true;

let current_dir =
std::env::current_dir().context("could not determine current directory")?;

MappedDirectory {
host: current_dir,
guest: Self::MAPPED_CURRENT_DIR_DEFAULT_PATH.to_string(),
}
} else {
let resolved = dir.canonicalize().with_context(|| {
format!(
"could not canonicalize path for argument '--dir {}'",
dir.display()
)
})?;

if &resolved != dir {
bail!(
"Invalid argument '--dir {}': path must either be absolute, or '.'",
dir.display(),
);
}

let guest = resolved
.to_str()
.with_context(|| {
format!(
"invalid argument '--dir {}': path must be valid utf-8",
dir.display(),
)
})?
.to_string();

MappedDirectory {
host: resolved,
guest,
}
};

mapped_dirs.push(mapping);
}

for MappedDirectory { host, guest } in &self.mapped_dirs {
let resolved_host = host.canonicalize().with_context(|| {
format!(
"could not canonicalize path for argument '--mapdir {}:{}'",
host.display(),
guest,
)
})?;

let mapping = if guest == "." {
if have_current_dir {
bail!("Cannot pre-open the current directory twice: '--mapdir=?:.' / '--dir=.' must only be specified once");
}
have_current_dir = true;

MappedDirectory {
host: resolved_host,
guest: Self::MAPPED_CURRENT_DIR_DEFAULT_PATH.to_string(),
}
} else {
MappedDirectory {
host: resolved_host,
guest: guest.clone(),
}
};
mapped_dirs.push(mapping);
}

Ok(mapped_dirs)
}

pub fn build_mapped_commands(&self) -> Result<Vec<MappedCommand>, anyhow::Error> {
self.map_commands
.iter()
.map(|item| {
let (a, b) = item.split_once('=').with_context(|| {
format!(
"Invalid --map-command flag: expected <ALIAS>=<HOST_PATH>, got '{item}'"
)
})?;

let a = a.trim();
let b = b.trim();

if a.is_empty() {
bail!("Invalid --map-command flag - alias cannot be empty: '{item}'");
}
// TODO(theduke): check if host command exists, and canonicalize PathBuf.
if b.is_empty() {
bail!("Invalid --map-command flag - host path cannot be empty: '{item}'");
}

Ok(MappedCommand {
alias: a.to_string(),
target: b.to_string(),
})
})
.collect::<Result<Vec<_>, anyhow::Error>>()
}

pub fn capabilities(&self) -> Capabilities {
let mut caps = Capabilities::default();

Expand Down
8 changes: 7 additions & 1 deletion lib/wasix/src/os/console/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -225,7 +225,13 @@ impl Console {
.with_stdin(Box::new(self.stdin.clone()))
.with_stdout(Box::new(self.stdout.clone()))
.with_stderr(Box::new(self.stderr.clone()))
.prepare_webc_env(prog, &wasi_opts, &pkg, self.runtime.clone(), Some(root_fs))
.prepare_webc_env(
prog,
&wasi_opts,
Some(&pkg),
self.runtime.clone(),
Some(root_fs),
)
// TODO: better error conversion
.map_err(|err| SpawnError::Other(err.into()))?;

Expand Down
2 changes: 1 addition & 1 deletion lib/wasix/src/runners/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -7,7 +7,7 @@ mod wasi_common;
#[cfg(feature = "webc_runner_rt_wcgi")]
pub mod wcgi;

pub use self::runner::Runner;
pub use self::{runner::Runner, wasi_common::MappedCommand};

/// A directory that should be mapped from the host filesystem into a WASI
/// instance (the "guest").
Expand Down
Loading

0 comments on commit e392361

Please sign in to comment.