extern crate structopt; extern crate wasmer; use std::fs::File; use std::io; use std::io::Read; use std::path::PathBuf; use std::process::exit; use std::sync::Arc; use structopt::StructOpt; use wasmer::*; use wasmer_emscripten; use wasmer_runtime as runtime; #[derive(Debug, StructOpt)] #[structopt(name = "wasmer", about = "WASM execution runtime.")] /// The options for the wasmer Command Line Interface enum CLIOptions { /// Run a WebAssembly file. Formats accepted: wasm, wast #[structopt(name = "run")] Run(Run), /// Update wasmer to the latest version #[structopt(name = "self-update")] SelfUpdate, } #[derive(Debug, StructOpt)] struct Run { #[structopt(short = "d", long = "debug")] debug: bool, /// Input file #[structopt(parse(from_os_str))] path: PathBuf, /// Application arguments #[structopt(name = "--", raw(multiple = "true"))] args: Vec, } /// Read the contents of a file fn read_file_contents(path: &PathBuf) -> Result, io::Error> { let mut buffer: Vec = Vec::new(); let mut file = File::open(path)?; file.read_to_end(&mut buffer)?; // We force to close the file drop(file); Ok(buffer) } /// Execute a WASM/WAT file fn execute_wasm(options: &Run) -> Result<(), String> { let wasm_path = &options.path; let mut wasm_binary: Vec = read_file_contents(wasm_path).map_err(|err| { format!( "Can't read the file {}: {}", wasm_path.as_os_str().to_string_lossy(), err ) })?; if !webassembly::utils::is_wasm_binary(&wasm_binary) { wasm_binary = wabt::wat2wasm(wasm_binary) .map_err(|e| format!("Can't convert from wast to wasm: {:?}", e))?; } let isa = webassembly::get_isa(); debug!("webassembly - creating module"); let module = webassembly::compile(&wasm_binary[..]).map_err(|e| format!("{:?}", e))?; let abi = if wasmer_emscripten::is_emscripten_module(&module) { webassembly::InstanceABI::Emscripten } else { webassembly::InstanceABI::None }; let emscripten_globals = wasmer_emscripten::EmscriptenGlobals::new(); let mut import_object = if abi == webassembly::InstanceABI::Emscripten { wasmer_emscripten::generate_emscripten_env(&emscripten_globals) } else { wasmer_runtime::import::Imports::new() }; let instance_options = webassembly::InstanceOptions { mock_missing_imports: true, mock_missing_globals: true, mock_missing_tables: true, abi: abi, show_progressbar: true, }; debug!("webassembly - creating instance"); let mut instance = module .instantiate(import_object) .map_err(|e| format!("{:?}", e))?; Ok(webassembly::start_instance( &module, &mut instance, options.path.to_str().unwrap(), options.args.iter().map(|arg| arg.as_str()).collect(), ) .map_err(|e| format!("{:?}", e))?) } fn run(options: Run) { match execute_wasm(&options) { Ok(()) => {} Err(message) => { // let name = options.path.as_os_str().to_string_lossy(); println!("{:?}", message); exit(1); } } } fn main() { let options = CLIOptions::from_args(); match options { CLIOptions::Run(options) => run(options), CLIOptions::SelfUpdate => update::self_update(), } }