wasmtime_bench_api/
lib.rs

1//! A C API for benchmarking Wasmtime's WebAssembly compilation, instantiation,
2//! and execution.
3//!
4//! The API expects calls that match the following state machine:
5//!
6//! ```text
7//!               |
8//!               |
9//!               V
10//! .---> wasm_bench_create
11//! |        |        |
12//! |        |        |
13//! |        |        V
14//! |        |   wasm_bench_compile
15//! |        |     |            |
16//! |        |     |            |     .----.
17//! |        |     |            |     |    |
18//! |        |     |            V     V    |
19//! |        |     |     wasm_bench_instantiate <------.
20//! |        |     |            |        |             |
21//! |        |     |            |        |             |
22//! |        |     |            |        |             |
23//! |        |     |     .------'        '-----> wasm_bench_execute
24//! |        |     |     |                             |
25//! |        |     |     |                             |
26//! |        V     V     V                             |
27//! '------ wasm_bench_free <--------------------------'
28//!               |
29//!               |
30//!               V
31//! ```
32//!
33//! All API calls must happen on the same thread.
34//!
35//! Functions which return pointers use null as an error value. Function which
36//! return `int` use `0` as OK and non-zero as an error value.
37//!
38//! # Example
39//!
40//! ```
41//! use std::ptr;
42//! use wasmtime_bench_api::*;
43//!
44//! let working_dir = std::env::current_dir().unwrap().display().to_string();
45//! let stdout_path = "./stdout.log";
46//! let stderr_path = "./stderr.log";
47//!
48//! // Functions to start/end timers for compilation.
49//! //
50//! // The `compilation_timer` pointer configured in the `WasmBenchConfig` is
51//! // passed through.
52//! extern "C" fn compilation_start(timer: *mut u8) {
53//!     // Start your compilation timer here.
54//! }
55//! extern "C" fn compilation_end(timer: *mut u8) {
56//!     // End your compilation timer here.
57//! }
58//!
59//! // Similar for instantiation.
60//! extern "C" fn instantiation_start(timer: *mut u8) {
61//!     // Start your instantiation timer here.
62//! }
63//! extern "C" fn instantiation_end(timer: *mut u8) {
64//!     // End your instantiation timer here.
65//! }
66//!
67//! // Similar for execution.
68//! extern "C" fn execution_start(timer: *mut u8) {
69//!     // Start your execution timer here.
70//! }
71//! extern "C" fn execution_end(timer: *mut u8) {
72//!     // End your execution timer here.
73//! }
74//!
75//! let config = WasmBenchConfig {
76//!     working_dir_ptr: working_dir.as_ptr(),
77//!     working_dir_len: working_dir.len(),
78//!     stdout_path_ptr: stdout_path.as_ptr(),
79//!     stdout_path_len: stdout_path.len(),
80//!     stderr_path_ptr: stderr_path.as_ptr(),
81//!     stderr_path_len: stderr_path.len(),
82//!     stdin_path_ptr: ptr::null(),
83//!     stdin_path_len: 0,
84//!     compilation_timer: ptr::null_mut(),
85//!     compilation_start,
86//!     compilation_end,
87//!     instantiation_timer: ptr::null_mut(),
88//!     instantiation_start,
89//!     instantiation_end,
90//!     execution_timer: ptr::null_mut(),
91//!     execution_start,
92//!     execution_end,
93//!     execution_flags_ptr: ptr::null(),
94//!     execution_flags_len: 0,
95//! };
96//!
97//! let mut bench_api = ptr::null_mut();
98//! unsafe {
99//!     let code = wasm_bench_create(config, &mut bench_api);
100//!     assert_eq!(code, OK);
101//!     assert!(!bench_api.is_null());
102//! };
103//!
104//! let wasm = wat::parse_bytes(br#"
105//!     (module
106//!         (func $bench_start (import "bench" "start"))
107//!         (func $bench_end (import "bench" "end"))
108//!         (func $start (export "_start")
109//!             call $bench_start
110//!             i32.const 1
111//!             i32.const 2
112//!             i32.add
113//!             drop
114//!             call $bench_end
115//!         )
116//!     )
117//! "#).unwrap();
118//!
119//! // This will call the `compilation_{start,end}` timing functions on success.
120//! let code = unsafe { wasm_bench_compile(bench_api, wasm.as_ptr(), wasm.len()) };
121//! assert_eq!(code, OK);
122//!
123//! // This will call the `instantiation_{start,end}` timing functions on success.
124//! let code = unsafe { wasm_bench_instantiate(bench_api) };
125//! assert_eq!(code, OK);
126//!
127//! // This will call the `execution_{start,end}` timing functions on success.
128//! let code = unsafe { wasm_bench_execute(bench_api) };
129//! assert_eq!(code, OK);
130//!
131//! unsafe {
132//!     wasm_bench_free(bench_api);
133//! }
134//! ```
135
136mod unsafe_send_sync;
137
138use crate::unsafe_send_sync::UnsafeSendSync;
139use anyhow::{Context, Result};
140use clap::Parser;
141use std::os::raw::{c_int, c_void};
142use std::slice;
143use std::{env, path::PathBuf};
144use wasmtime::{Engine, Instance, Linker, Module, Store};
145use wasmtime_cli_flags::CommonOptions;
146use wasmtime_wasi::cli::{InputFile, OutputFile};
147use wasmtime_wasi::{DirPerms, FilePerms, I32Exit, WasiCtx, preview1::WasiP1Ctx};
148
149pub type ExitCode = c_int;
150pub const OK: ExitCode = 0;
151pub const ERR: ExitCode = -1;
152
153// Randomize the location of heap objects to avoid accidental locality being an
154// uncontrolled variable that obscures performance evaluation in our
155// experiments.
156#[cfg(feature = "shuffling-allocator")]
157#[global_allocator]
158static ALLOC: shuffling_allocator::ShufflingAllocator<std::alloc::System> =
159    shuffling_allocator::wrap!(&std::alloc::System);
160
161/// Configuration options for the benchmark.
162#[repr(C)]
163pub struct WasmBenchConfig {
164    /// The working directory where benchmarks should be executed.
165    pub working_dir_ptr: *const u8,
166    pub working_dir_len: usize,
167
168    /// The file path that should be created and used as `stdout`.
169    pub stdout_path_ptr: *const u8,
170    pub stdout_path_len: usize,
171
172    /// The file path that should be created and used as `stderr`.
173    pub stderr_path_ptr: *const u8,
174    pub stderr_path_len: usize,
175
176    /// The (optional) file path that should be opened and used as `stdin`. If
177    /// not provided, then the WASI context will not have a `stdin` initialized.
178    pub stdin_path_ptr: *const u8,
179    pub stdin_path_len: usize,
180
181    /// The functions to start and stop performance timers/counters during Wasm
182    /// compilation.
183    pub compilation_timer: *mut u8,
184    pub compilation_start: extern "C" fn(*mut u8),
185    pub compilation_end: extern "C" fn(*mut u8),
186
187    /// The functions to start and stop performance timers/counters during Wasm
188    /// instantiation.
189    pub instantiation_timer: *mut u8,
190    pub instantiation_start: extern "C" fn(*mut u8),
191    pub instantiation_end: extern "C" fn(*mut u8),
192
193    /// The functions to start and stop performance timers/counters during Wasm
194    /// execution.
195    pub execution_timer: *mut u8,
196    pub execution_start: extern "C" fn(*mut u8),
197    pub execution_end: extern "C" fn(*mut u8),
198
199    /// The (optional) flags to use when running Wasmtime. These correspond to
200    /// the flags used when running Wasmtime from the command line.
201    pub execution_flags_ptr: *const u8,
202    pub execution_flags_len: usize,
203}
204
205impl WasmBenchConfig {
206    fn working_dir(&self) -> Result<PathBuf> {
207        let working_dir =
208            unsafe { std::slice::from_raw_parts(self.working_dir_ptr, self.working_dir_len) };
209        let working_dir = std::str::from_utf8(working_dir)
210            .context("given working directory is not valid UTF-8")?;
211        Ok(working_dir.into())
212    }
213
214    fn stdout_path(&self) -> Result<PathBuf> {
215        let stdout_path =
216            unsafe { std::slice::from_raw_parts(self.stdout_path_ptr, self.stdout_path_len) };
217        let stdout_path =
218            std::str::from_utf8(stdout_path).context("given stdout path is not valid UTF-8")?;
219        Ok(stdout_path.into())
220    }
221
222    fn stderr_path(&self) -> Result<PathBuf> {
223        let stderr_path =
224            unsafe { std::slice::from_raw_parts(self.stderr_path_ptr, self.stderr_path_len) };
225        let stderr_path =
226            std::str::from_utf8(stderr_path).context("given stderr path is not valid UTF-8")?;
227        Ok(stderr_path.into())
228    }
229
230    fn stdin_path(&self) -> Result<Option<PathBuf>> {
231        if self.stdin_path_ptr.is_null() {
232            return Ok(None);
233        }
234
235        let stdin_path =
236            unsafe { std::slice::from_raw_parts(self.stdin_path_ptr, self.stdin_path_len) };
237        let stdin_path =
238            std::str::from_utf8(stdin_path).context("given stdin path is not valid UTF-8")?;
239        Ok(Some(stdin_path.into()))
240    }
241
242    fn execution_flags(&self) -> Result<CommonOptions> {
243        let flags = if self.execution_flags_ptr.is_null() {
244            ""
245        } else {
246            let execution_flags = unsafe {
247                std::slice::from_raw_parts(self.execution_flags_ptr, self.execution_flags_len)
248            };
249            std::str::from_utf8(execution_flags)
250                .context("given execution flags string is not valid UTF-8")?
251        };
252        let options = CommonOptions::try_parse_from(
253            ["wasmtime"]
254                .into_iter()
255                .chain(flags.split(' ').filter(|s| !s.is_empty())),
256        )
257        .context("failed to parse options")?;
258        Ok(options)
259    }
260}
261
262/// Exposes a C-compatible way of creating the engine from the bytes of a single
263/// Wasm module.
264///
265/// On success, the `out_bench_ptr` is initialized to a pointer to a structure
266/// that contains the engine's initialized state, and `0` is returned. On
267/// failure, a non-zero status code is returned and `out_bench_ptr` is left
268/// untouched.
269#[unsafe(no_mangle)]
270pub extern "C" fn wasm_bench_create(
271    config: WasmBenchConfig,
272    out_bench_ptr: *mut *mut c_void,
273) -> ExitCode {
274    let result = (|| -> Result<_> {
275        let working_dir = config.working_dir()?;
276        let stdout_path = config.stdout_path()?;
277        let stderr_path = config.stderr_path()?;
278        let stdin_path = config.stdin_path()?;
279        let options = config.execution_flags()?;
280
281        let state = Box::new(BenchState::new(
282            options,
283            config.compilation_timer,
284            config.compilation_start,
285            config.compilation_end,
286            config.instantiation_timer,
287            config.instantiation_start,
288            config.instantiation_end,
289            config.execution_timer,
290            config.execution_start,
291            config.execution_end,
292            move || {
293                let mut cx = WasiCtx::builder();
294
295                let stdout = std::fs::File::create(&stdout_path)
296                    .with_context(|| format!("failed to create {}", stdout_path.display()))?;
297                cx.stdout(OutputFile::new(stdout));
298
299                let stderr = std::fs::File::create(&stderr_path)
300                    .with_context(|| format!("failed to create {}", stderr_path.display()))?;
301                cx.stderr(OutputFile::new(stderr));
302
303                if let Some(stdin_path) = &stdin_path {
304                    let stdin = std::fs::File::open(stdin_path)
305                        .with_context(|| format!("failed to open {}", stdin_path.display()))?;
306                    cx.stdin(InputFile::new(stdin));
307                }
308
309                // Allow access to the working directory so that the benchmark can read
310                // its input workload(s).
311                cx.preopened_dir(working_dir.clone(), ".", DirPerms::READ, FilePerms::READ)?;
312
313                // Pass this env var along so that the benchmark program can use smaller
314                // input workload(s) if it has them and that has been requested.
315                if let Ok(val) = env::var("WASM_BENCH_USE_SMALL_WORKLOAD") {
316                    cx.env("WASM_BENCH_USE_SMALL_WORKLOAD", &val);
317                }
318
319                Ok(cx.build_p1())
320            },
321        )?);
322        Ok(Box::into_raw(state) as _)
323    })();
324
325    if let Ok(bench_ptr) = result {
326        unsafe {
327            assert!(!out_bench_ptr.is_null());
328            *out_bench_ptr = bench_ptr;
329        }
330    }
331
332    to_exit_code(result.map(|_| ()))
333}
334
335/// Free the engine state allocated by this library.
336#[unsafe(no_mangle)]
337pub extern "C" fn wasm_bench_free(state: *mut c_void) {
338    assert!(!state.is_null());
339    unsafe {
340        drop(Box::from_raw(state as *mut BenchState));
341    }
342}
343
344/// Compile the Wasm benchmark module.
345#[unsafe(no_mangle)]
346pub extern "C" fn wasm_bench_compile(
347    state: *mut c_void,
348    wasm_bytes: *const u8,
349    wasm_bytes_length: usize,
350) -> ExitCode {
351    let state = unsafe { (state as *mut BenchState).as_mut().unwrap() };
352    let wasm_bytes = unsafe { slice::from_raw_parts(wasm_bytes, wasm_bytes_length) };
353    let result = state.compile(wasm_bytes).context("failed to compile");
354    to_exit_code(result)
355}
356
357/// Instantiate the Wasm benchmark module.
358#[unsafe(no_mangle)]
359pub extern "C" fn wasm_bench_instantiate(state: *mut c_void) -> ExitCode {
360    let state = unsafe { (state as *mut BenchState).as_mut().unwrap() };
361    let result = state.instantiate().context("failed to instantiate");
362    to_exit_code(result)
363}
364
365/// Execute the Wasm benchmark module.
366#[unsafe(no_mangle)]
367pub extern "C" fn wasm_bench_execute(state: *mut c_void) -> ExitCode {
368    let state = unsafe { (state as *mut BenchState).as_mut().unwrap() };
369    let result = state.execute().context("failed to execute");
370    to_exit_code(result)
371}
372
373/// Helper function for converting a Rust result to a C error code.
374///
375/// This will print an error indicating some information regarding the failure.
376fn to_exit_code<T>(result: impl Into<Result<T>>) -> ExitCode {
377    match result.into() {
378        Ok(_) => OK,
379        Err(error) => {
380            eprintln!("{error:?}");
381            ERR
382        }
383    }
384}
385
386/// This structure contains the actual Rust implementation of the state required
387/// to manage the Wasmtime engine between calls.
388struct BenchState {
389    linker: Linker<HostState>,
390    compilation_timer: *mut u8,
391    compilation_start: extern "C" fn(*mut u8),
392    compilation_end: extern "C" fn(*mut u8),
393    instantiation_timer: *mut u8,
394    instantiation_start: extern "C" fn(*mut u8),
395    instantiation_end: extern "C" fn(*mut u8),
396    make_wasi_cx: Box<dyn FnMut() -> Result<WasiP1Ctx>>,
397    module: Option<Module>,
398    store_and_instance: Option<(Store<HostState>, Instance)>,
399    epoch_interruption: bool,
400    fuel: Option<u64>,
401}
402
403struct HostState {
404    wasi: WasiP1Ctx,
405    #[cfg(feature = "wasi-nn")]
406    wasi_nn: wasmtime_wasi_nn::witx::WasiNnCtx,
407}
408
409impl BenchState {
410    fn new(
411        mut options: CommonOptions,
412        compilation_timer: *mut u8,
413        compilation_start: extern "C" fn(*mut u8),
414        compilation_end: extern "C" fn(*mut u8),
415        instantiation_timer: *mut u8,
416        instantiation_start: extern "C" fn(*mut u8),
417        instantiation_end: extern "C" fn(*mut u8),
418        execution_timer: *mut u8,
419        execution_start: extern "C" fn(*mut u8),
420        execution_end: extern "C" fn(*mut u8),
421        make_wasi_cx: impl FnMut() -> Result<WasiP1Ctx> + 'static,
422    ) -> Result<Self> {
423        let mut config = options.config(None)?;
424        // NB: always disable the compilation cache.
425        config.cache(None);
426        let engine = Engine::new(&config)?;
427        let mut linker = Linker::<HostState>::new(&engine);
428
429        // Define the benchmarking start/end functions.
430        let execution_timer = unsafe {
431            // Safe because this bench API's contract requires that its methods
432            // are only ever called from a single thread.
433            UnsafeSendSync::new(execution_timer)
434        };
435        linker.func_wrap("bench", "start", move || {
436            execution_start(*execution_timer.get());
437            Ok(())
438        })?;
439        linker.func_wrap("bench", "end", move || {
440            execution_end(*execution_timer.get());
441            Ok(())
442        })?;
443
444        let epoch_interruption = options.wasm.epoch_interruption.unwrap_or(false);
445        let fuel = options.wasm.fuel;
446
447        if options.wasi.common != Some(false) {
448            wasmtime_wasi::preview1::add_to_linker_sync(&mut linker, |cx| &mut cx.wasi)?;
449        }
450
451        #[cfg(feature = "wasi-nn")]
452        if options.wasi.nn == Some(true) {
453            wasmtime_wasi_nn::witx::add_to_linker(&mut linker, |cx| &mut cx.wasi_nn)?;
454        }
455
456        Ok(Self {
457            linker,
458            compilation_timer,
459            compilation_start,
460            compilation_end,
461            instantiation_timer,
462            instantiation_start,
463            instantiation_end,
464            make_wasi_cx: Box::new(make_wasi_cx) as _,
465            module: None,
466            store_and_instance: None,
467            epoch_interruption,
468            fuel,
469        })
470    }
471
472    fn compile(&mut self, bytes: &[u8]) -> Result<()> {
473        self.module = None;
474
475        (self.compilation_start)(self.compilation_timer);
476        let module = Module::from_binary(self.linker.engine(), bytes)?;
477        (self.compilation_end)(self.compilation_timer);
478
479        self.module = Some(module);
480        Ok(())
481    }
482
483    fn instantiate(&mut self) -> Result<()> {
484        self.store_and_instance = None;
485
486        let module = self
487            .module
488            .as_ref()
489            .expect("compile the module before instantiating it");
490
491        let host = HostState {
492            wasi: (self.make_wasi_cx)().context("failed to create a WASI context")?,
493            #[cfg(feature = "wasi-nn")]
494            wasi_nn: {
495                let (backends, registry) = wasmtime_wasi_nn::preload(&[])?;
496                wasmtime_wasi_nn::witx::WasiNnCtx::new(backends, registry)
497            },
498        };
499
500        // NB: Start measuring instantiation time *after* we've created the WASI
501        // context, since that needs to do file I/O to setup
502        // stdin/stdout/stderr.
503        (self.instantiation_start)(self.instantiation_timer);
504        let mut store = Store::new(self.linker.engine(), host);
505        if self.epoch_interruption {
506            store.set_epoch_deadline(1);
507        }
508        if let Some(fuel) = self.fuel {
509            store.set_fuel(fuel).unwrap();
510        }
511
512        let instance = self.linker.instantiate(&mut store, &module)?;
513        (self.instantiation_end)(self.instantiation_timer);
514
515        self.store_and_instance = Some((store, instance));
516        Ok(())
517    }
518
519    fn execute(&mut self) -> Result<()> {
520        let (mut store, instance) = self
521            .store_and_instance
522            .take()
523            .expect("instantiate the module before executing it");
524
525        let start_func = instance.get_typed_func::<(), ()>(&mut store, "_start")?;
526        match start_func.call(&mut store, ()) {
527            Ok(_) => Ok(()),
528            Err(trap) => {
529                // Since _start will likely return by using the system `exit` call, we must
530                // check the trap code to see if it actually represents a successful exit.
531                if let Some(exit) = trap.downcast_ref::<I32Exit>() {
532                    if exit.0 == 0 {
533                        return Ok(());
534                    }
535                }
536
537                Err(trap)
538            }
539        }
540    }
541}