wasmtime_test_util/
wast.rs

1use anyhow::{Context, Result};
2use serde::de::DeserializeOwned;
3use serde_derive::Deserialize;
4use std::fmt;
5use std::fs;
6use std::path::Path;
7use std::path::PathBuf;
8
9/// Limits for running wast tests.
10///
11/// This is useful for sharing between `tests/wast.rs` and fuzzing, for
12/// example, and is used as the minimum threshold for configuration when
13/// fuzzing.
14///
15/// Note that it's ok to increase these numbers if a test comes along and needs
16/// it, they're just here as empirically found minimum thresholds so far and
17/// they're not too scientific.
18pub mod limits {
19    pub const MEMORY_SIZE: usize = 805 << 16;
20    pub const MEMORIES: u32 = 450;
21    pub const TABLES: u32 = 200;
22    pub const MEMORIES_PER_MODULE: u32 = 9;
23    pub const TABLES_PER_MODULE: u32 = 5;
24    pub const COMPONENT_INSTANCES: u32 = 50;
25    pub const CORE_INSTANCES: u32 = 900;
26    pub const TABLE_ELEMENTS: usize = 1000;
27    pub const CORE_INSTANCE_SIZE: usize = 64 * 1024;
28}
29
30/// Local all `*.wast` tests under `root` which should be the path to the root
31/// of the wasmtime repository.
32pub fn find_tests(root: &Path) -> Result<Vec<WastTest>> {
33    let mut tests = Vec::new();
34    add_tests(&mut tests, &root.join("tests/spec_testsuite"), false)?;
35    add_tests(&mut tests, &root.join("tests/misc_testsuite"), true)?;
36    Ok(tests)
37}
38
39fn add_tests(tests: &mut Vec<WastTest>, path: &Path, has_config: bool) -> Result<()> {
40    for entry in path.read_dir().context("failed to read directory")? {
41        let entry = entry.context("failed to read directory entry")?;
42        let path = entry.path();
43        if entry
44            .file_type()
45            .context("failed to get file type")?
46            .is_dir()
47        {
48            add_tests(tests, &path, has_config).context("failed to read sub-directory")?;
49            continue;
50        }
51
52        if path.extension().and_then(|s| s.to_str()) != Some("wast") {
53            continue;
54        }
55
56        let contents =
57            fs::read_to_string(&path).with_context(|| format!("failed to read test: {path:?}"))?;
58        let config = if has_config {
59            parse_test_config(&contents)
60                .with_context(|| format!("failed to parse test configuration: {path:?}"))?
61        } else {
62            spec_test_config(&path)
63        };
64        tests.push(WastTest {
65            path,
66            contents,
67            config,
68        })
69    }
70    Ok(())
71}
72
73fn spec_test_config(test: &Path) -> TestConfig {
74    let mut ret = TestConfig::default();
75    match spec_proposal_from_path(test) {
76        Some("multi-memory") => {
77            ret.multi_memory = Some(true);
78            ret.reference_types = Some(true);
79            ret.simd = Some(true);
80        }
81        Some("wide-arithmetic") => {
82            ret.wide_arithmetic = Some(true);
83        }
84        Some("threads") => {
85            ret.threads = Some(true);
86            ret.reference_types = Some(false);
87        }
88        Some("tail-call") => {
89            ret.tail_call = Some(true);
90            ret.reference_types = Some(true);
91        }
92        Some("relaxed-simd") => {
93            ret.relaxed_simd = Some(true);
94        }
95        Some("memory64") => {
96            ret.memory64 = Some(true);
97            ret.tail_call = Some(true);
98            ret.gc = Some(true);
99            ret.extended_const = Some(true);
100            ret.multi_memory = Some(true);
101            ret.relaxed_simd = Some(true);
102        }
103        Some("extended-const") => {
104            ret.extended_const = Some(true);
105            ret.reference_types = Some(true);
106        }
107        Some("custom-page-sizes") => {
108            ret.custom_page_sizes = Some(true);
109            ret.multi_memory = Some(true);
110        }
111        Some("exception-handling") => {
112            ret.reference_types = Some(true);
113        }
114        Some("gc") => {
115            ret.gc = Some(true);
116            ret.tail_call = Some(true);
117        }
118        Some("function-references") => {
119            ret.function_references = Some(true);
120            ret.tail_call = Some(true);
121        }
122        Some("annotations") => {
123            ret.simd = Some(true);
124        }
125        Some(proposal) => panic!("unsuported proposal {proposal:?}"),
126        None => {
127            ret.reference_types = Some(true);
128            ret.simd = Some(true);
129        }
130    }
131
132    ret
133}
134
135/// Parse test configuration from the specified test, comments starting with
136/// `;;!`.
137pub fn parse_test_config<T>(wat: &str) -> Result<T>
138where
139    T: DeserializeOwned,
140{
141    // The test config source is the leading lines of the WAT file that are
142    // prefixed with `;;!`.
143    let config_lines: Vec<_> = wat
144        .lines()
145        .take_while(|l| l.starts_with(";;!"))
146        .map(|l| &l[3..])
147        .collect();
148    let config_text = config_lines.join("\n");
149
150    toml::from_str(&config_text).context("failed to parse the test configuration")
151}
152
153/// A `*.wast` test with its path, contents, and configuration.
154#[derive(Clone)]
155pub struct WastTest {
156    pub path: PathBuf,
157    pub contents: String,
158    pub config: TestConfig,
159}
160
161impl fmt::Debug for WastTest {
162    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
163        f.debug_struct("WastTest")
164            .field("path", &self.path)
165            .field("contents", &"...")
166            .field("config", &self.config)
167            .finish()
168    }
169}
170
171macro_rules! foreach_config_option {
172    ($m:ident) => {
173        $m! {
174            memory64
175            custom_page_sizes
176            multi_memory
177            threads
178            gc
179            function_references
180            relaxed_simd
181            reference_types
182            tail_call
183            extended_const
184            wide_arithmetic
185            hogs_memory
186            nan_canonicalization
187            component_model_async
188            component_model_async_builtins
189            component_model_async_stackful
190            simd
191            gc_types
192        }
193    };
194}
195
196macro_rules! define_test_config {
197    ($($option:ident)*) => {
198        /// Per-test configuration which is written down in the test file itself for
199        /// `misc_testsuite/**/*.wast` or in `spec_test_config` above for spec tests.
200        #[derive(Debug, PartialEq, Default, Deserialize, Clone)]
201        #[serde(deny_unknown_fields)]
202        pub struct TestConfig {
203            $(pub $option: Option<bool>,)*
204        }
205
206        impl TestConfig {
207            $(
208                pub fn $option(&self) -> bool {
209                    self.$option.unwrap_or(false)
210                }
211            )*
212        }
213
214    }
215}
216
217foreach_config_option!(define_test_config);
218
219impl TestConfig {
220    /// Returns an iterator over each option.
221    pub fn options_mut(&mut self) -> impl Iterator<Item = (&'static str, &mut Option<bool>)> {
222        macro_rules! mk {
223            ($($option:ident)*) => {
224                [
225                    $((stringify!($option), &mut self.$option),)*
226                ].into_iter()
227            }
228        }
229        foreach_config_option!(mk)
230    }
231}
232
233/// Configuration that spec tests can run under.
234#[derive(Debug)]
235pub struct WastConfig {
236    /// Compiler chosen to run this test.
237    pub compiler: Compiler,
238    /// Whether or not the pooling allocator is enabled.
239    pub pooling: bool,
240    /// What garbage collector is being used.
241    pub collector: Collector,
242}
243
244/// Different compilers that can be tested in Wasmtime.
245#[derive(PartialEq, Debug, Copy, Clone)]
246pub enum Compiler {
247    /// Cranelift backend.
248    ///
249    /// This tests the Cranelift code generator for native platforms. This
250    /// notably excludes Pulley since that's listed separately below even though
251    /// Pulley is a backend of Cranelift. This is only used for native code
252    /// generation such as x86_64.
253    CraneliftNative,
254
255    /// Winch backend.
256    ///
257    /// This tests the Winch backend for native platforms. Currently Winch
258    /// primarily supports x86_64.
259    Winch,
260
261    /// Pulley interpreter.
262    ///
263    /// This tests the Cranelift pulley backend plus the pulley execution
264    /// environment of the output bytecode. Note that this is separate from
265    /// `Cranelift` above to be able to test both on platforms where Cranelift
266    /// has native codegen support.
267    CraneliftPulley,
268}
269
270impl Compiler {
271    /// Returns whether this compiler is known to fail for the provided
272    /// `TestConfig`.
273    ///
274    /// This function will determine if the configuration of the test provided
275    /// is known to guarantee fail. This effectively tracks the proposal support
276    /// for each compiler backend/runtime and tests whether `config` enables or
277    /// disables features that aren't supported.
278    ///
279    /// Note that this is closely aligned with
280    /// `Config::compiler_panicking_wasm_features`.
281    pub fn should_fail(&self, config: &TestConfig) -> bool {
282        match self {
283            // Currently Cranelift supports all wasm proposals that wasmtime
284            // tests.
285            Compiler::CraneliftNative => {}
286
287            // Winch doesn't have quite the full breadth of support that
288            // Cranelift has quite yet.
289            Compiler::Winch => {
290                if config.gc()
291                    || config.tail_call()
292                    || config.function_references()
293                    || config.gc()
294                    || config.relaxed_simd()
295                    || config.gc_types()
296                {
297                    return true;
298                }
299            }
300
301            Compiler::CraneliftPulley => {
302                // Pulley at this time fundamentally does not support threads
303                // due to being unable to implement non-atomic loads/stores
304                // safely.
305                if config.threads() {
306                    return true;
307                }
308            }
309        }
310
311        false
312    }
313
314    /// Returns whether this compiler configuration supports the current host
315    /// architecture.
316    pub fn supports_host(&self) -> bool {
317        match self {
318            Compiler::CraneliftNative => {
319                cfg!(target_arch = "x86_64")
320                    || cfg!(target_arch = "aarch64")
321                    || cfg!(target_arch = "riscv64")
322                    || cfg!(target_arch = "s390x")
323            }
324            Compiler::Winch => {
325                cfg!(target_arch = "x86_64")
326            }
327            Compiler::CraneliftPulley => true,
328        }
329    }
330}
331
332#[derive(PartialEq, Debug, Copy, Clone)]
333pub enum Collector {
334    Auto,
335    Null,
336    DeferredReferenceCounting,
337}
338
339impl WastTest {
340    /// Returns whether this test exercises the GC types and might want to use
341    /// multiple different garbage collectors.
342    pub fn test_uses_gc_types(&self) -> bool {
343        self.config.gc() || self.config.function_references()
344    }
345
346    /// Returns the optional spec proposal that this test is associated with.
347    pub fn spec_proposal(&self) -> Option<&str> {
348        spec_proposal_from_path(&self.path)
349    }
350
351    /// Returns whether this test should fail under the specified extra
352    /// configuration.
353    pub fn should_fail(&self, config: &WastConfig) -> bool {
354        if !config.compiler.supports_host() {
355            return true;
356        }
357
358        // Some tests are known to fail with the pooling allocator
359        if config.pooling {
360            let unsupported = [
361                // allocates too much memory for the pooling configuration here
362                "misc_testsuite/memory64/more-than-4gb.wast",
363                // shared memories + pooling allocator aren't supported yet
364                "misc_testsuite/memory-combos.wast",
365                "misc_testsuite/threads/LB.wast",
366                "misc_testsuite/threads/LB_atomic.wast",
367                "misc_testsuite/threads/MP.wast",
368                "misc_testsuite/threads/MP_atomic.wast",
369                "misc_testsuite/threads/MP_wait.wast",
370                "misc_testsuite/threads/SB.wast",
371                "misc_testsuite/threads/SB_atomic.wast",
372                "misc_testsuite/threads/atomics_notify.wast",
373                "misc_testsuite/threads/atomics_wait_address.wast",
374                "misc_testsuite/threads/wait_notify.wast",
375                "spec_testsuite/proposals/threads/atomic.wast",
376                "spec_testsuite/proposals/threads/exports.wast",
377                "spec_testsuite/proposals/threads/memory.wast",
378            ];
379
380            if unsupported.iter().any(|part| self.path.ends_with(part)) {
381                return true;
382            }
383        }
384
385        if config.compiler.should_fail(&self.config) {
386            return true;
387        }
388
389        // Disable spec tests for proposals that Winch does not implement yet.
390        if config.compiler == Compiler::Winch {
391            let unsupported = [
392                // externref/reference-types related
393                "component-model/modules.wast",
394                "extended-const/elem.wast",
395                "extended-const/global.wast",
396                "misc_testsuite/externref-id-function.wast",
397                "misc_testsuite/externref-segment.wast",
398                "misc_testsuite/externref-segments.wast",
399                "misc_testsuite/externref-table-dropped-segment-issue-8281.wast",
400                "misc_testsuite/linking-errors.wast",
401                "misc_testsuite/many_table_gets_lead_to_gc.wast",
402                "misc_testsuite/mutable_externref_globals.wast",
403                "misc_testsuite/no-mixup-stack-maps.wast",
404                "misc_testsuite/no-panic.wast",
405                "misc_testsuite/simple_ref_is_null.wast",
406                "misc_testsuite/table_grow_with_funcref.wast",
407                "spec_testsuite/br_table.wast",
408                "spec_testsuite/data-invalid.wast",
409                "spec_testsuite/elem.wast",
410                "spec_testsuite/global.wast",
411                "spec_testsuite/linking.wast",
412                "spec_testsuite/ref_func.wast",
413                "spec_testsuite/ref_is_null.wast",
414                "spec_testsuite/ref_null.wast",
415                "spec_testsuite/select.wast",
416                "spec_testsuite/table_fill.wast",
417                "spec_testsuite/table_get.wast",
418                "spec_testsuite/table_grow.wast",
419                "spec_testsuite/table_set.wast",
420                "spec_testsuite/table_size.wast",
421                // simd-related failures
422                "misc_testsuite/simd/canonicalize-nan.wast",
423            ];
424
425            if unsupported.iter().any(|part| self.path.ends_with(part)) {
426                return true;
427            }
428
429            // SIMD on Winch requires AVX instructions.
430            #[cfg(target_arch = "x86_64")]
431            if !(std::is_x86_feature_detected!("avx") && std::is_x86_feature_detected!("avx2")) {
432                let unsupported = [
433                    "annotations/simd_lane.wast",
434                    "memory64/simd.wast",
435                    "misc_testsuite/int-to-float-splat.wast",
436                    "misc_testsuite/issue6562.wast",
437                    "misc_testsuite/simd/almost-extmul.wast",
438                    "misc_testsuite/simd/cvt-from-uint.wast",
439                    "misc_testsuite/simd/issue_3327_bnot_lowering.wast",
440                    "misc_testsuite/simd/issue6725-no-egraph-panic.wast",
441                    "misc_testsuite/simd/replace-lane-preserve.wast",
442                    "misc_testsuite/simd/spillslot-size-fuzzbug.wast",
443                    "misc_testsuite/winch/issue-10331.wast",
444                    "misc_testsuite/winch/replace_lane.wast",
445                    "spec_testsuite/simd_align.wast",
446                    "spec_testsuite/simd_boolean.wast",
447                    "spec_testsuite/simd_conversions.wast",
448                    "spec_testsuite/simd_f32x4.wast",
449                    "spec_testsuite/simd_f32x4_arith.wast",
450                    "spec_testsuite/simd_f32x4_cmp.wast",
451                    "spec_testsuite/simd_f32x4_pmin_pmax.wast",
452                    "spec_testsuite/simd_f32x4_rounding.wast",
453                    "spec_testsuite/simd_f64x2.wast",
454                    "spec_testsuite/simd_f64x2_arith.wast",
455                    "spec_testsuite/simd_f64x2_cmp.wast",
456                    "spec_testsuite/simd_f64x2_pmin_pmax.wast",
457                    "spec_testsuite/simd_f64x2_rounding.wast",
458                    "spec_testsuite/simd_i16x8_cmp.wast",
459                    "spec_testsuite/simd_i32x4_cmp.wast",
460                    "spec_testsuite/simd_i64x2_arith2.wast",
461                    "spec_testsuite/simd_i64x2_cmp.wast",
462                    "spec_testsuite/simd_i8x16_arith2.wast",
463                    "spec_testsuite/simd_i8x16_cmp.wast",
464                    "spec_testsuite/simd_int_to_int_extend.wast",
465                    "spec_testsuite/simd_load.wast",
466                    "spec_testsuite/simd_load_extend.wast",
467                    "spec_testsuite/simd_load_splat.wast",
468                    "spec_testsuite/simd_load_zero.wast",
469                    "spec_testsuite/simd_splat.wast",
470                    "spec_testsuite/simd_store16_lane.wast",
471                    "spec_testsuite/simd_store32_lane.wast",
472                    "spec_testsuite/simd_store64_lane.wast",
473                    "spec_testsuite/simd_store8_lane.wast",
474                    "spec_testsuite/simd_load16_lane.wast",
475                    "spec_testsuite/simd_load32_lane.wast",
476                    "spec_testsuite/simd_load64_lane.wast",
477                    "spec_testsuite/simd_load8_lane.wast",
478                    "spec_testsuite/simd_bitwise.wast",
479                    "misc_testsuite/simd/load_splat_out_of_bounds.wast",
480                    "misc_testsuite/simd/unaligned-load.wast",
481                    "multi-memory/simd_memory-multi.wast",
482                    "misc_testsuite/simd/issue4807.wast",
483                    "spec_testsuite/simd_const.wast",
484                    "spec_testsuite/simd_i8x16_sat_arith.wast",
485                    "spec_testsuite/simd_i64x2_arith.wast",
486                    "spec_testsuite/simd_i16x8_arith.wast",
487                    "spec_testsuite/simd_i16x8_arith2.wast",
488                    "spec_testsuite/simd_i16x8_q15mulr_sat_s.wast",
489                    "spec_testsuite/simd_i16x8_sat_arith.wast",
490                    "spec_testsuite/simd_i32x4_arith.wast",
491                    "spec_testsuite/simd_i32x4_dot_i16x8.wast",
492                    "spec_testsuite/simd_i32x4_trunc_sat_f32x4.wast",
493                    "spec_testsuite/simd_i32x4_trunc_sat_f64x2.wast",
494                    "spec_testsuite/simd_i8x16_arith.wast",
495                    "spec_testsuite/simd_bit_shift.wast",
496                    "spec_testsuite/simd_lane.wast",
497                    "spec_testsuite/simd_i16x8_extmul_i8x16.wast",
498                    "spec_testsuite/simd_i32x4_extmul_i16x8.wast",
499                    "spec_testsuite/simd_i64x2_extmul_i32x4.wast",
500                    "spec_testsuite/simd_i16x8_extadd_pairwise_i8x16.wast",
501                    "spec_testsuite/simd_i32x4_extadd_pairwise_i16x8.wast",
502                    "spec_testsuite/simd_i32x4_arith2.wast",
503                ];
504
505                if unsupported.iter().any(|part| self.path.ends_with(part)) {
506                    return true;
507                }
508            }
509        }
510
511        for part in self.path.iter() {
512            // Not implemented in Wasmtime yet
513            if part == "exception-handling" {
514                return !self.path.ends_with("binary.wast") && !self.path.ends_with("exports.wast");
515            }
516
517            if part == "memory64" {
518                if [
519                    // wasmtime doesn't implement exceptions yet
520                    "imports.wast",
521                    "ref_null.wast",
522                    "throw.wast",
523                    "throw_ref.wast",
524                    "try_table.wast",
525                    "tag.wast",
526                    "instance.wast",
527                ]
528                .iter()
529                .any(|i| self.path.ends_with(i))
530                {
531                    return true;
532                }
533            }
534        }
535
536        false
537    }
538}
539
540fn spec_proposal_from_path(path: &Path) -> Option<&str> {
541    let mut iter = path.iter();
542    loop {
543        match iter.next()?.to_str()? {
544            "proposals" => break,
545            _ => {}
546        }
547    }
548    Some(iter.next()?.to_str()?)
549}