1mod unsafe_send_sync;
137
138use crate::unsafe_send_sync::UnsafeSendSync;
139use clap::Parser;
140use std::os::raw::{c_int, c_void};
141use std::slice;
142use std::{env, path::PathBuf};
143use wasmtime::{Engine, Instance, Linker, Module, Result, Store, error::Context as _};
144use wasmtime_cli_flags::CommonOptions;
145use wasmtime_wasi::cli::{InputFile, OutputFile};
146use wasmtime_wasi::{DirPerms, FilePerms, I32Exit, WasiCtx, p1::WasiP1Ctx};
147
148pub type ExitCode = c_int;
149pub const OK: ExitCode = 0;
150pub const ERR: ExitCode = -1;
151
152#[cfg(feature = "shuffling-allocator")]
156#[global_allocator]
157static ALLOC: shuffling_allocator::ShufflingAllocator<std::alloc::System> =
158 shuffling_allocator::wrap!(&std::alloc::System);
159
160#[repr(C)]
162pub struct WasmBenchConfig {
163 pub working_dir_ptr: *const u8,
165 pub working_dir_len: usize,
166
167 pub stdout_path_ptr: *const u8,
169 pub stdout_path_len: usize,
170
171 pub stderr_path_ptr: *const u8,
173 pub stderr_path_len: usize,
174
175 pub stdin_path_ptr: *const u8,
178 pub stdin_path_len: usize,
179
180 pub compilation_timer: *mut u8,
183 pub compilation_start: extern "C" fn(*mut u8),
184 pub compilation_end: extern "C" fn(*mut u8),
185
186 pub instantiation_timer: *mut u8,
189 pub instantiation_start: extern "C" fn(*mut u8),
190 pub instantiation_end: extern "C" fn(*mut u8),
191
192 pub execution_timer: *mut u8,
195 pub execution_start: extern "C" fn(*mut u8),
196 pub execution_end: extern "C" fn(*mut u8),
197
198 pub execution_flags_ptr: *const u8,
201 pub execution_flags_len: usize,
202}
203
204impl WasmBenchConfig {
205 fn working_dir(&self) -> Result<PathBuf> {
206 let working_dir =
207 unsafe { std::slice::from_raw_parts(self.working_dir_ptr, self.working_dir_len) };
208 let working_dir = std::str::from_utf8(working_dir)
209 .context("given working directory is not valid UTF-8")?;
210 Ok(working_dir.into())
211 }
212
213 fn stdout_path(&self) -> Result<PathBuf> {
214 let stdout_path =
215 unsafe { std::slice::from_raw_parts(self.stdout_path_ptr, self.stdout_path_len) };
216 let stdout_path =
217 std::str::from_utf8(stdout_path).context("given stdout path is not valid UTF-8")?;
218 Ok(stdout_path.into())
219 }
220
221 fn stderr_path(&self) -> Result<PathBuf> {
222 let stderr_path =
223 unsafe { std::slice::from_raw_parts(self.stderr_path_ptr, self.stderr_path_len) };
224 let stderr_path =
225 std::str::from_utf8(stderr_path).context("given stderr path is not valid UTF-8")?;
226 Ok(stderr_path.into())
227 }
228
229 fn stdin_path(&self) -> Result<Option<PathBuf>> {
230 if self.stdin_path_ptr.is_null() {
231 return Ok(None);
232 }
233
234 let stdin_path =
235 unsafe { std::slice::from_raw_parts(self.stdin_path_ptr, self.stdin_path_len) };
236 let stdin_path =
237 std::str::from_utf8(stdin_path).context("given stdin path is not valid UTF-8")?;
238 Ok(Some(stdin_path.into()))
239 }
240
241 fn execution_flags(&self) -> Result<CommonOptions> {
242 let flags = if self.execution_flags_ptr.is_null() {
243 ""
244 } else {
245 let execution_flags = unsafe {
246 std::slice::from_raw_parts(self.execution_flags_ptr, self.execution_flags_len)
247 };
248 std::str::from_utf8(execution_flags)
249 .context("given execution flags string is not valid UTF-8")?
250 };
251 let options = CommonOptions::try_parse_from(
252 ["wasmtime"]
253 .into_iter()
254 .chain(flags.split(' ').filter(|s| !s.is_empty())),
255 )
256 .context("failed to parse options")?;
257 Ok(options)
258 }
259}
260
261#[unsafe(no_mangle)]
269pub extern "C" fn wasm_bench_create(
270 config: WasmBenchConfig,
271 out_bench_ptr: *mut *mut c_void,
272) -> ExitCode {
273 let result = (|| -> Result<_> {
274 let working_dir = config.working_dir()?;
275 let stdout_path = config.stdout_path()?;
276 let stderr_path = config.stderr_path()?;
277 let stdin_path = config.stdin_path()?;
278 let options = config.execution_flags()?;
279
280 let state = Box::new(BenchState::new(
281 options,
282 config.compilation_timer,
283 config.compilation_start,
284 config.compilation_end,
285 config.instantiation_timer,
286 config.instantiation_start,
287 config.instantiation_end,
288 config.execution_timer,
289 config.execution_start,
290 config.execution_end,
291 move || {
292 let mut cx = WasiCtx::builder();
293
294 let stdout = std::fs::File::create(&stdout_path)
295 .with_context(|| format!("failed to create {}", stdout_path.display()))?;
296 cx.stdout(OutputFile::new(stdout));
297
298 let stderr = std::fs::File::create(&stderr_path)
299 .with_context(|| format!("failed to create {}", stderr_path.display()))?;
300 cx.stderr(OutputFile::new(stderr));
301
302 if let Some(stdin_path) = &stdin_path {
303 let stdin = std::fs::File::open(stdin_path)
304 .with_context(|| format!("failed to open {}", stdin_path.display()))?;
305 cx.stdin(InputFile::new(stdin));
306 }
307
308 cx.preopened_dir(working_dir.clone(), ".", DirPerms::READ, FilePerms::READ)?;
311
312 if let Ok(val) = env::var("WASM_BENCH_USE_SMALL_WORKLOAD") {
315 cx.env("WASM_BENCH_USE_SMALL_WORKLOAD", &val);
316 }
317
318 Ok(cx.build_p1())
319 },
320 )?);
321 Ok(Box::into_raw(state) as _)
322 })();
323
324 if let Ok(bench_ptr) = result {
325 unsafe {
326 assert!(!out_bench_ptr.is_null());
327 *out_bench_ptr = bench_ptr;
328 }
329 }
330
331 to_exit_code(result.map(|_| ()))
332}
333
334#[unsafe(no_mangle)]
336pub extern "C" fn wasm_bench_free(state: *mut c_void) {
337 assert!(!state.is_null());
338 unsafe {
339 drop(Box::from_raw(state as *mut BenchState));
340 }
341}
342
343#[unsafe(no_mangle)]
345pub extern "C" fn wasm_bench_compile(
346 state: *mut c_void,
347 wasm_bytes: *const u8,
348 wasm_bytes_length: usize,
349) -> ExitCode {
350 let state = unsafe { (state as *mut BenchState).as_mut().unwrap() };
351 let wasm_bytes = unsafe { slice::from_raw_parts(wasm_bytes, wasm_bytes_length) };
352 let result = state.compile(wasm_bytes).context("failed to compile");
353 to_exit_code(result)
354}
355
356#[unsafe(no_mangle)]
358pub extern "C" fn wasm_bench_instantiate(state: *mut c_void) -> ExitCode {
359 let state = unsafe { (state as *mut BenchState).as_mut().unwrap() };
360 let result = state.instantiate().context("failed to instantiate");
361 to_exit_code(result)
362}
363
364#[unsafe(no_mangle)]
366pub extern "C" fn wasm_bench_execute(state: *mut c_void) -> ExitCode {
367 let state = unsafe { (state as *mut BenchState).as_mut().unwrap() };
368 let result = state.execute().context("failed to execute");
369 to_exit_code(result)
370}
371
372fn to_exit_code<T>(result: impl Into<Result<T>>) -> ExitCode {
376 match result.into() {
377 Ok(_) => OK,
378 Err(error) => {
379 eprintln!("{error:?}");
380 ERR
381 }
382 }
383}
384
385struct BenchState {
388 linker: Linker<HostState>,
389 compilation_timer: *mut u8,
390 compilation_start: extern "C" fn(*mut u8),
391 compilation_end: extern "C" fn(*mut u8),
392 instantiation_timer: *mut u8,
393 instantiation_start: extern "C" fn(*mut u8),
394 instantiation_end: extern "C" fn(*mut u8),
395 make_wasi_cx: Box<dyn FnMut() -> Result<WasiP1Ctx>>,
396 module: Option<Module>,
397 store_and_instance: Option<(Store<HostState>, Instance)>,
398 epoch_interruption: bool,
399 fuel: Option<u64>,
400}
401
402struct HostState {
403 wasi: WasiP1Ctx,
404 #[cfg(feature = "wasi-nn")]
405 wasi_nn: wasmtime_wasi_nn::witx::WasiNnCtx,
406}
407
408impl BenchState {
409 fn new(
410 mut options: CommonOptions,
411 compilation_timer: *mut u8,
412 compilation_start: extern "C" fn(*mut u8),
413 compilation_end: extern "C" fn(*mut u8),
414 instantiation_timer: *mut u8,
415 instantiation_start: extern "C" fn(*mut u8),
416 instantiation_end: extern "C" fn(*mut u8),
417 execution_timer: *mut u8,
418 execution_start: extern "C" fn(*mut u8),
419 execution_end: extern "C" fn(*mut u8),
420 make_wasi_cx: impl FnMut() -> Result<WasiP1Ctx> + 'static,
421 ) -> Result<Self> {
422 let mut config = options.config(None)?;
423 config.cache(None);
425 let engine = Engine::new(&config)?;
426 let mut linker = Linker::<HostState>::new(&engine);
427
428 let execution_timer = unsafe {
430 UnsafeSendSync::new(execution_timer)
433 };
434 linker.func_wrap("bench", "start", move || {
435 execution_start(*execution_timer.get());
436 Ok(())
437 })?;
438 linker.func_wrap("bench", "end", move || {
439 execution_end(*execution_timer.get());
440 Ok(())
441 })?;
442
443 let epoch_interruption = options.wasm.epoch_interruption.unwrap_or(false);
444 let fuel = options.wasm.fuel;
445
446 if options.wasi.common != Some(false) {
447 wasmtime_wasi::p1::add_to_linker_sync(&mut linker, |cx| &mut cx.wasi)?;
448 }
449
450 #[cfg(feature = "wasi-nn")]
451 if options.wasi.nn == Some(true) {
452 wasmtime_wasi_nn::witx::add_to_linker(&mut linker, |cx| &mut cx.wasi_nn)?;
453 }
454
455 Ok(Self {
456 linker,
457 compilation_timer,
458 compilation_start,
459 compilation_end,
460 instantiation_timer,
461 instantiation_start,
462 instantiation_end,
463 make_wasi_cx: Box::new(make_wasi_cx) as _,
464 module: None,
465 store_and_instance: None,
466 epoch_interruption,
467 fuel,
468 })
469 }
470
471 fn compile(&mut self, bytes: &[u8]) -> Result<()> {
472 self.module = None;
473
474 (self.compilation_start)(self.compilation_timer);
475 let module = Module::from_binary(self.linker.engine(), bytes)?;
476 (self.compilation_end)(self.compilation_timer);
477
478 self.module = Some(module);
479 Ok(())
480 }
481
482 fn instantiate(&mut self) -> Result<()> {
483 self.store_and_instance = None;
484
485 let module = self
486 .module
487 .as_ref()
488 .expect("compile the module before instantiating it");
489
490 let host = HostState {
491 wasi: (self.make_wasi_cx)().context("failed to create a WASI context")?,
492 #[cfg(feature = "wasi-nn")]
493 wasi_nn: {
494 let (backends, registry) = wasmtime_wasi_nn::preload(&[])?;
495 wasmtime_wasi_nn::witx::WasiNnCtx::new(backends, registry)
496 },
497 };
498
499 (self.instantiation_start)(self.instantiation_timer);
503 let mut store = Store::new(self.linker.engine(), host);
504 if self.epoch_interruption {
505 store.set_epoch_deadline(1);
506 }
507 if let Some(fuel) = self.fuel {
508 store.set_fuel(fuel).unwrap();
509 }
510
511 let instance = self.linker.instantiate(&mut store, &module)?;
512 (self.instantiation_end)(self.instantiation_timer);
513
514 self.store_and_instance = Some((store, instance));
515 Ok(())
516 }
517
518 fn execute(&mut self) -> Result<()> {
519 let (mut store, instance) = self
520 .store_and_instance
521 .take()
522 .expect("instantiate the module before executing it");
523
524 let start_func = instance.get_typed_func::<(), ()>(&mut store, "_start")?;
525 match start_func.call(&mut store, ()) {
526 Ok(_) => Ok(()),
527 Err(trap) => {
528 if let Some(exit) = trap.downcast_ref::<I32Exit>() {
531 if exit.0 == 0 {
532 return Ok(());
533 }
534 }
535
536 Err(trap)
537 }
538 }
539 }
540}