Coverage Report

Created: 2025-03-22 00:52

next uncovered line (L), next uncovered region (R), next uncovered branch (B)
/build/source/src/execution/mod.rs
Line
Count
Source
1
use alloc::collections::btree_map::BTreeMap;
2
use alloc::string::{String, ToString};
3
use alloc::vec;
4
use alloc::vec::Vec;
5
6
use const_interpreter_loop::{run_const, run_const_span};
7
use execution_info::ExecutionInfo;
8
use function_ref::FunctionRef;
9
use interpreter_loop::run;
10
use locals::Locals;
11
use lut::Lut;
12
use store::{DataInst, ElemInst, ImportedFuncInst, LocalFuncInst, TableInst};
13
use value::{ExternAddr, FuncAddr, Ref};
14
use value_stack::Stack;
15
16
use crate::core::error::StoreInstantiationError;
17
use crate::core::indices::MemIdx;
18
use crate::core::reader::types::element::{ElemItems, ElemMode};
19
use crate::core::reader::types::export::ExportDesc;
20
use crate::core::reader::types::import::ImportDesc;
21
use crate::core::reader::WasmReader;
22
use crate::execution::assert_validated::UnwrapValidatedExt;
23
use crate::execution::hooks::{EmptyHookSet, HookSet};
24
use crate::execution::store::{FuncInst, GlobalInst, MemInst, Store};
25
use crate::execution::value::Value;
26
use crate::validation::code::read_declared_locals;
27
use crate::value::InteropValueList;
28
use crate::{RefType, Result as CustomResult, RuntimeError, ValType, ValidationInfo};
29
30
// TODO
31
pub(crate) mod assert_validated;
32
pub mod const_interpreter_loop;
33
pub(crate) mod execution_info;
34
pub mod function_ref;
35
pub mod hooks;
36
mod interpreter_loop;
37
pub(crate) mod linear_memory;
38
pub(crate) mod locals;
39
pub(crate) mod lut;
40
pub(crate) mod store;
41
pub mod value;
42
pub mod value_stack;
43
44
/// The default module name if a [RuntimeInstance] was created using [RuntimeInstance::new].
45
pub const DEFAULT_MODULE: &str = "__interpreter_default__";
46
47
pub struct RuntimeInstance<'b, H = EmptyHookSet>
48
where
49
    H: HookSet,
50
{
51
    pub modules: Vec<ExecutionInfo<'b>>,
52
    module_map: BTreeMap<String, usize>,
53
    lut: Option<Lut>,
54
    pub hook_set: H,
55
}
56
57
impl<'b> RuntimeInstance<'b, EmptyHookSet> {
58
1.33k
    pub fn new(validation_info: &'_ ValidationInfo<'b>) -> CustomResult<Self> {
59
1.33k
        Self::new_with_hooks(DEFAULT_MODULE, validation_info, EmptyHookSet)
60
1.33k
    }
61
62
4
    pub fn new_named(
63
4
        module_name: &str,
64
4
        validation_info: &'_ ValidationInfo<'b>,
65
4
    ) -> CustomResult<Self> {
66
4
        Self::new_with_hooks(module_name, validation_info, EmptyHookSet)
67
4
    }
68
}
69
70
impl<'b, H> RuntimeInstance<'b, H>
71
where
72
    H: HookSet,
73
{
74
1.33k
    pub fn new_with_hooks(
75
1.33k
        module_name: &str,
76
1.33k
        validation_info: &'_ ValidationInfo<'b>,
77
1.33k
        hook_set: H,
78
1.33k
    ) -> CustomResult<Self> {
79
1.33k
        trace!("Starting instantiation of bytecode");
80
81
1.33k
        let mut instance = RuntimeInstance {
82
1.33k
            modules: Vec::new(),
83
1.33k
            module_map: BTreeMap::new(),
84
1.33k
            lut: None,
85
1.33k
            hook_set,
86
1.33k
        };
87
1.33k
        instance.add_module(module_name, validation_info)
?1
;
88
89
        // TODO: how do we handle the start function, if we don't have a LUT yet?
90
1.33k
        if let Some(
start12
) = validation_info.start {
91
            // "start" is not always exported, so we need create a non-API exposed function reference.
92
            // Note: function name is not important here, as it is not used in the verification process.
93
12
            let start_fn = FunctionRef {
94
12
                module_name: module_name.to_string(),
95
12
                function_name: "start".to_string(),
96
12
                module_index: 0,
97
12
                function_index: start,
98
12
                exported: false,
99
12
            };
100
12
            instance.invoke::<(), ()>(&start_fn, ())
?2
;
101
1.32k
        }
102
103
1.33k
        Ok(instance)
104
1.33k
    }
105
106
23.4k
    pub fn get_function_by_name(
107
23.4k
        &self,
108
23.4k
        module_name: &str,
109
23.4k
        function_name: &str,
110
23.4k
    ) -> Result<FunctionRef, RuntimeError> {
111
23.4k
        let (
module_idx, func_idx23.4k
) = self.get_indicies(module_name, function_name)
?1
;
112
113
23.4k
        Ok(FunctionRef {
114
23.4k
            module_name: module_name.to_string(),
115
23.4k
            function_name: function_name.to_string(),
116
23.4k
            module_index: module_idx,
117
23.4k
            function_index: func_idx,
118
23.4k
            exported: true,
119
23.4k
        })
120
23.4k
    }
121
122
1.32k
    pub fn get_function_by_index(
123
1.32k
        &self,
124
1.32k
        module_idx: usize,
125
1.32k
        function_idx: usize,
126
1.32k
    ) -> Result<FunctionRef, RuntimeError> {
127
1.32k
        let module = self
128
1.32k
            .modules
129
1.32k
            .get(module_idx)
130
1.32k
            .ok_or(RuntimeError::ModuleNotFound)
?0
;
131
132
1.32k
        let function_name = module
133
1.32k
            .store
134
1.32k
            .exports
135
1.32k
            .iter()
136
1.32k
            .find(|export| match &export.desc {
137
1.32k
                ExportDesc::FuncIdx(idx) => *idx == function_idx,
138
0
                _ => false,
139
1.32k
            })
140
1.32k
            .map(|export| export.name.clone())
141
1.32k
            .ok_or(RuntimeError::FunctionNotFound)
?0
;
142
143
1.32k
        Ok(FunctionRef {
144
1.32k
            module_name: module.name.clone(),
145
1.32k
            function_name,
146
1.32k
            module_index: module_idx,
147
1.32k
            function_index: function_idx,
148
1.32k
            exported: true,
149
1.32k
        })
150
1.32k
    }
151
152
1.34k
    pub fn add_module(
153
1.34k
        &mut self,
154
1.34k
        module_name: &str,
155
1.34k
        validation_info: &'_ ValidationInfo<'b>,
156
1.34k
    ) -> CustomResult<()> {
157
1.34k
        let 
store1.34k
= Self::init_store(validation_info)
?1
;
158
1.34k
        let exec_info = ExecutionInfo::new(
159
1.34k
            module_name,
160
1.34k
            validation_info.wasm,
161
1.34k
            validation_info.types.clone(),
162
1.34k
            store,
163
1.34k
        );
164
1.34k
165
1.34k
        self.module_map
166
1.34k
            .insert(module_name.to_string(), self.modules.len());
167
1.34k
        self.modules.push(exec_info);
168
1.34k
169
1.34k
        self.lut = Lut::new(&self.modules, &self.module_map);
170
1.34k
171
1.34k
        Ok(())
172
1.34k
    }
173
174
6.85k
    pub fn invoke<Param: InteropValueList, Returns: InteropValueList>(
175
6.85k
        &mut self,
176
6.85k
        function_ref: &FunctionRef,
177
6.85k
        params: Param,
178
6.85k
    ) -> Result<Returns, RuntimeError> {
179
        // First, verify that the function reference is valid
180
6.85k
        let (
module_idx, func_idx6.85k
) = self.verify_function_ref(function_ref)
?1
;
181
182
        // -=-= Verification =-=-
183
6.85k
        trace!("{:?}", self.modules[module_idx].store.funcs);
184
185
6.85k
        let func_inst = self.modules[module_idx]
186
6.85k
            .store
187
6.85k
            .funcs
188
6.85k
            .get(func_idx)
189
6.85k
            .ok_or(RuntimeError::FunctionNotFound)
?0
190
6.85k
            .try_into_local()
191
6.85k
            .ok_or(RuntimeError::FunctionNotFound)
?0
;
192
6.85k
        let func_ty = self.modules[module_idx]
193
6.85k
            .fn_types
194
6.85k
            .get(func_inst.ty)
195
6.85k
            .unwrap_validated();
196
6.85k
197
6.85k
        // Check correct function parameters and return types
198
6.85k
        if func_ty.params.valtypes != Param::TYS {
199
1
            panic!("Invalid `Param` generics");
200
6.85k
        }
201
6.85k
        if func_ty.returns.valtypes != Returns::TYS {
202
1
            panic!("Invalid `Returns` generics");
203
6.84k
        }
204
6.84k
205
6.84k
        // Prepare a new stack with the locals for the entry function
206
6.84k
        let mut stack = Stack::new();
207
6.84k
        let locals = Locals::new(
208
6.84k
            params.into_values().into_iter(),
209
6.84k
            func_inst.locals.iter().cloned(),
210
6.84k
        );
211
6.84k
212
6.84k
        // setting `usize::MAX` as return address for the outermost function ensures that we
213
6.84k
        // observably fail upon errornoeusly continuing execution after that function returns.
214
6.84k
        stack.push_stackframe(
215
6.84k
            module_idx,
216
6.84k
            func_idx,
217
6.84k
            func_ty,
218
6.84k
            locals,
219
6.84k
            usize::MAX,
220
6.84k
            usize::MAX,
221
6.84k
        );
222
6.84k
223
6.84k
        let mut current_module_idx = module_idx;
224
6.84k
        // Run the interpreter
225
6.84k
        run(
226
6.84k
            &mut self.modules,
227
6.84k
            &mut current_module_idx,
228
6.84k
            self.lut.as_ref().ok_or(RuntimeError::UnmetImport)
?3
,
229
6.84k
            &mut stack,
230
6.84k
            EmptyHookSet,
231
667
        )?;
232
233
        // Pop return values from stack
234
6.17k
        let return_values = Returns::TYS
235
6.17k
            .iter()
236
6.17k
            .rev()
237
6.17k
            .map(|ty| 
stack.pop_value(*ty)6.09k
)
238
6.17k
            .collect::<Vec<Value>>();
239
6.17k
240
6.17k
        // Values are reversed because they were popped from stack one-by-one. Now reverse them back
241
6.17k
        let reversed_values = return_values.into_iter().rev();
242
6.17k
        let ret: Returns = Returns::from_values(reversed_values);
243
6.17k
        debug!("Successfully invoked function");
244
6.17k
        Ok(ret)
245
6.85k
    }
246
247
    /// Invokes a function with the given parameters, and return types which are not known at compile time.
248
20.7k
    pub fn invoke_dynamic(
249
20.7k
        &mut self,
250
20.7k
        function_ref: &FunctionRef,
251
20.7k
        params: Vec<Value>,
252
20.7k
        ret_types: &[ValType],
253
20.7k
    ) -> Result<Vec<Value>, RuntimeError> {
254
        // First, verify that the function reference is valid
255
20.7k
        let (module_idx, func_idx) = self.verify_function_ref(function_ref)
?0
;
256
257
        // -=-= Verification =-=-
258
20.7k
        let 
func_inst20.7k
= self.modules[module_idx]
259
20.7k
            .store
260
20.7k
            .funcs
261
20.7k
            .get(func_idx)
262
20.7k
            .ok_or(RuntimeError::FunctionNotFound)
?0
263
20.7k
            .try_into_local()
264
20.7k
            .ok_or(RuntimeError::FunctionNotFound)
?1
;
265
20.7k
        let func_ty = self.modules[module_idx]
266
20.7k
            .fn_types
267
20.7k
            .get(func_inst.ty)
268
20.7k
            .unwrap_validated();
269
20.7k
270
20.7k
        // Verify that the given parameters match the function parameters
271
32.2k
        let param_types = params.iter().map(|v| v.to_ty()).collect::<Vec<_>>();
272
20.7k
273
20.7k
        if func_ty.params.valtypes != param_types {
274
0
            panic!("Invalid parameters for function");
275
20.7k
        }
276
20.7k
277
20.7k
        // Verify that the given return types match the function return types
278
20.7k
        if func_ty.returns.valtypes != ret_types {
279
0
            panic!("Invalid return types for function");
280
20.7k
        }
281
20.7k
282
20.7k
        // Prepare a new stack with the locals for the entry function
283
20.7k
        let mut stack = Stack::new();
284
20.7k
        let locals = Locals::new(params.into_iter(), func_inst.locals.iter().cloned());
285
20.7k
        stack.push_stackframe(module_idx, func_idx, func_ty, locals, 0, 0);
286
20.7k
287
20.7k
        let mut currrent_module_idx = module_idx;
288
20.7k
        // Run the interpreter
289
20.7k
        run(
290
20.7k
            &mut self.modules,
291
20.7k
            &mut currrent_module_idx,
292
20.7k
            self.lut.as_ref().ok_or(RuntimeError::UnmetImport)
?424
,
293
20.3k
            &mut stack,
294
20.3k
            EmptyHookSet,
295
0
        )?;
296
297
20.3k
        let func_inst = self.modules[module_idx]
298
20.3k
            .store
299
20.3k
            .funcs
300
20.3k
            .get(func_idx)
301
20.3k
            .ok_or(RuntimeError::FunctionNotFound)
?0
302
20.3k
            .try_into_local()
303
20.3k
            .ok_or(RuntimeError::FunctionNotFound)
?0
;
304
20.3k
        let func_ty = self.modules[module_idx]
305
20.3k
            .fn_types
306
20.3k
            .get(func_inst.ty)
307
20.3k
            .unwrap_validated();
308
20.3k
309
20.3k
        // Pop return values from stack
310
20.3k
        let return_values = func_ty
311
20.3k
            .returns
312
20.3k
            .valtypes
313
20.3k
            .iter()
314
20.3k
            .rev()
315
20.3k
            .map(|ty| 
stack.pop_value(*ty)20.1k
)
316
20.3k
            .collect::<Vec<Value>>();
317
20.3k
318
20.3k
        // Values are reversed because they were popped from stack one-by-one. Now reverse them back
319
20.3k
        let reversed_values = return_values.into_iter().rev();
320
20.3k
        let ret = reversed_values.collect();
321
20.3k
        debug!("Successfully invoked function");
322
20.3k
        Ok(ret)
323
20.7k
    }
324
325
    /// Get the indicies of a module and function by their names.
326
    ///
327
    /// # Arguments
328
    /// - `module_name`: The module in which to find the function.
329
    /// - `function_name`: The name of the function to find inside the module. The function must be a local function and
330
    ///   not an import.
331
    ///
332
    /// # Returns
333
    /// - `Ok((module_idx, func_idx))`, where `module_idx` is the internal index of the module inside the
334
    ///   [RuntimeInstance], and `func_idx` is the internal index of the function inside the module.
335
    /// - `Err(RuntimeError::ModuleNotFound)`, if the module is not found.
336
    /// - `Err(RuntimeError::FunctionNotFound`, if the function is not found within the module.
337
2.47k
    pub fn invoke_dynamic_unchecked_return_ty(
338
2.47k
        &mut self,
339
2.47k
        function_ref: &FunctionRef,
340
2.47k
        params: Vec<Value>,
341
2.47k
    ) -> Result<Vec<Value>, RuntimeError> {
342
        // First, verify that the function reference is valid
343
2.47k
        let (module_idx, func_idx) = self.verify_function_ref(function_ref)
?0
;
344
345
        // -=-= Verification =-=-
346
2.47k
        let func_inst = self.modules[module_idx]
347
2.47k
            .store
348
2.47k
            .funcs
349
2.47k
            .get(func_idx)
350
2.47k
            .ok_or(RuntimeError::FunctionNotFound)
?0
351
2.47k
            .try_into_local()
352
2.47k
            .ok_or(RuntimeError::FunctionNotFound)
?0
;
353
2.47k
        let func_ty = self.modules[module_idx]
354
2.47k
            .fn_types
355
2.47k
            .get(func_inst.ty)
356
2.47k
            .unwrap_validated();
357
2.47k
358
2.47k
        // Verify that the given parameters match the function parameters
359
2.54k
        let param_types = params.iter().map(|v| v.to_ty()).collect::<Vec<_>>();
360
2.47k
361
2.47k
        if func_ty.params.valtypes != param_types {
362
0
            panic!("Invalid parameters for function");
363
2.47k
        }
364
2.47k
365
2.47k
        // Prepare a new stack with the locals for the entry function
366
2.47k
        let mut stack = Stack::new();
367
2.47k
        let locals = Locals::new(params.into_iter(), func_inst.locals.iter().cloned());
368
2.47k
        stack.push_stackframe(module_idx, func_idx, func_ty, locals, 0, 0);
369
2.47k
370
2.47k
        let mut currrent_module_idx = module_idx;
371
2.47k
        // Run the interpreter
372
2.47k
        run(
373
2.47k
            &mut self.modules,
374
2.47k
            &mut currrent_module_idx,
375
2.47k
            self.lut.as_ref().ok_or(RuntimeError::UnmetImport)
?871
,
376
1.60k
            &mut stack,
377
1.60k
            EmptyHookSet,
378
1.39k
        )?;
379
380
202
        let func_inst = self.modules[module_idx]
381
202
            .store
382
202
            .funcs
383
202
            .get(func_idx)
384
202
            .ok_or(RuntimeError::FunctionNotFound)
?0
385
202
            .try_into_local()
386
202
            .ok_or(RuntimeError::FunctionNotFound)
?0
;
387
202
        let func_ty = self.modules[module_idx]
388
202
            .fn_types
389
202
            .get(func_inst.ty)
390
202
            .unwrap_validated();
391
202
392
202
        // Pop return values from stack
393
202
        let return_values = func_ty
394
202
            .returns
395
202
            .valtypes
396
202
            .iter()
397
202
            .rev()
398
202
            .map(|ty| 
stack.pop_value(*ty)10
)
399
202
            .collect::<Vec<Value>>();
400
202
401
202
        // Values are reversed because they were popped from stack one-by-one. Now reverse them back
402
202
        let reversed_values = return_values.into_iter().rev();
403
202
        let ret = reversed_values.collect();
404
202
        debug!(
"Successfully invoked function"152
);
405
152
        Ok(ret)
406
2.42k
    }
407
408
53.5k
    fn get_indicies(
409
53.5k
        &self,
410
53.5k
        module_name: &str,
411
53.5k
        function_name: &str,
412
53.5k
    ) -> Result<(usize, usize), RuntimeError> {
413
53.5k
        let module_idx = *self
414
53.5k
            .module_map
415
53.5k
            .get(module_name)
416
53.5k
            .ok_or(RuntimeError::ModuleNotFound)
?0
;
417
418
53.5k
        let 
func_idx53.5k
= self.modules[module_idx]
419
53.5k
            .store
420
53.5k
            .exports
421
53.5k
            .iter()
422
349k
            .find_map(|export| {
423
349k
                if export.name == function_name {
424
53.5k
                    match export.desc {
425
53.5k
                        ExportDesc::FuncIdx(func_idx) => Some(func_idx),
426
0
                        _ => None,
427
                    }
428
                } else {
429
296k
                    None
430
                }
431
349k
            })
432
53.5k
            .ok_or(RuntimeError::FunctionNotFound)
?1
;
433
434
53.5k
        Ok((module_idx, func_idx))
435
53.5k
    }
436
437
    /// Verify that the function reference is still valid. A function reference may be invalid if it created from
438
    /// another [RuntimeInstance] or the modules inside the instance have been changed in a way that the indicies inside
439
    /// the [FunctionRef] would be invalid.
440
    ///
441
    /// Note: this function ensures that making an unchecked indexation will not cause a panic.
442
    ///
443
    /// # Returns
444
    /// - `Ok((function_ref.module_idx, function_ref.func_idx))`
445
    /// - `Err(RuntimeError::FunctionNotFound)`, or `Err(RuntimeError::ModuleNotFound)` if the function is not valid.
446
    ///
447
    /// # Implementation details
448
    /// For an exported function (i.e. created by the same [RuntimeInstance]), the names are re-resolved using
449
    /// [RuntimeInstance::get_indicies], and the indicies are compared with the indicies in the [FunctionRef].
450
    ///
451
    /// For a [FunctionRef] with the [export](FunctionRef::exported) flag set to `false`, the indicies are checked to be
452
    /// in-bounds, and that the module name matches the module name in the [FunctionRef]. The function name is ignored.
453
30.0k
    fn verify_function_ref(
454
30.0k
        &self,
455
30.0k
        function_ref: &FunctionRef,
456
30.0k
    ) -> Result<(usize, usize), RuntimeError> {
457
30.0k
        if function_ref.exported {
458
30.0k
            let (module_idx, func_idx) =
459
30.0k
                self.get_indicies(&function_ref.module_name, &function_ref.function_name)
?0
;
460
461
            // TODO: figure out errors :)
462
30.0k
            if module_idx != function_ref.module_index {
463
0
                return Err(RuntimeError::ModuleNotFound);
464
30.0k
            }
465
30.0k
            if func_idx != function_ref.function_index {
466
0
                return Err(RuntimeError::FunctionNotFound);
467
30.0k
            }
468
30.0k
469
30.0k
            Ok((module_idx, func_idx))
470
        } else {
471
8
            let (module_idx, func_idx) = (function_ref.module_index, function_ref.function_index);
472
473
8
            let module = self
474
8
                .modules
475
8
                .get(module_idx)
476
8
                .ok_or(RuntimeError::ModuleNotFound)
?0
;
477
478
8
            if module.name != function_ref.module_name {
479
0
                return Err(RuntimeError::ModuleNotFound);
480
8
            }
481
8
482
8
            // Sanity check that the function index is at least in the bounds of the store, though this doesn't mean
483
8
            // that it's a valid function.
484
8
            module
485
8
                .store
486
8
                .funcs
487
8
                .get(func_idx)
488
8
                .ok_or(RuntimeError::FunctionNotFound)
?1
;
489
490
7
            Ok((module_idx, func_idx))
491
        }
492
30.0k
    }
493
494
1.34k
    fn init_store(validation_info: &ValidationInfo) -> CustomResult<Store> {
495
        use crate::core::error::*;
496
        use StoreInstantiationError::*;
497
1.34k
        let function_instances: Vec<FuncInst> = {
498
1.34k
            let mut wasm_reader = WasmReader::new(validation_info.wasm);
499
1.34k
500
1.34k
            let functions = validation_info.functions.iter();
501
1.34k
            let func_blocks = validation_info.func_blocks.iter();
502
1.34k
503
4.62k
            let local_function_inst = functions.zip(func_blocks).map(|(ty, (func, sidetable))| {
504
4.62k
                wasm_reader
505
4.62k
                    .move_start_to(*func)
506
4.62k
                    .expect("function index to be in the bounds of the WASM binary");
507
4.62k
508
4.62k
                let (locals, bytes_read) = wasm_reader
509
4.62k
                    .measure_num_read_bytes(read_declared_locals)
510
4.62k
                    .unwrap_validated();
511
4.62k
512
4.62k
                let code_expr = wasm_reader
513
4.62k
                    .make_span(func.len() - bytes_read)
514
4.62k
                    .expect("TODO remove this expect");
515
4.62k
516
4.62k
                FuncInst::Local(LocalFuncInst {
517
4.62k
                    ty: *ty,
518
4.62k
                    locals,
519
4.62k
                    code_expr,
520
4.62k
                    // TODO fix this ugly clone
521
4.62k
                    sidetable: sidetable.clone(),
522
4.62k
                })
523
4.62k
            });
524
1.34k
525
1.34k
            let imported_function_inst =
526
1.34k
                validation_info
527
1.34k
                    .imports
528
1.34k
                    .iter()
529
1.34k
                    .filter_map(|import| 
match &import.desc175
{
530
168
                        ImportDesc::Func(type_idx) => Some(FuncInst::Imported(ImportedFuncInst {
531
168
                            ty: *type_idx,
532
168
                            module_name: import.module_name.clone(),
533
168
                            function_name: import.name.clone(),
534
168
                        })),
535
7
                        _ => None,
536
1.34k
                    
}175
);
537
1.34k
538
1.34k
            imported_function_inst.chain(local_function_inst).collect()
539
1.34k
        };
540
1.34k
541
1.34k
        // https://webassembly.github.io/spec/core/exec/modules.html#tables
542
1.34k
        let mut tables: Vec<TableInst> = validation_info
543
1.34k
            .tables
544
1.34k
            .iter()
545
1.34k
            .map(|ty| 
TableInst::new(*ty)334
)
546
1.34k
            .collect();
547
1.34k
548
1.34k
        let mut passive_elem_indexes: Vec<usize> = vec![];
549
1.34k
        // https://webassembly.github.io/spec/core/syntax/modules.html#element-segments
550
1.34k
        let elements: Vec<ElemInst> = validation_info
551
1.34k
            .elements
552
1.34k
            .iter()
553
1.34k
            .enumerate()
554
1.34k
            .filter_map(|(i, elem)| {
555
739
                trace!("Instantiating element {:#?}", elem);
556
557
739
                let offsets = match &elem.init {
558
419
                    ElemItems::Exprs(_ref_type, init_exprs) => init_exprs
559
419
                        .iter()
560
1.07k
                        .map(|expr| {
561
1.07k
                            get_address_offset(
562
1.07k
                                run_const_span(validation_info.wasm, expr, ()).unwrap_validated(),
563
1.07k
                            )
564
1.07k
                        })
565
419
                        .collect::<Vec<Option<u32>>>(),
566
320
                    ElemItems::RefFuncs(indicies) => {
567
320
                        // This branch gets taken when the elements are direct function references (i32 values), so we just return the indices
568
320
                        indicies
569
320
                            .iter()
570
1.26k
                            .map(|el| Some(*el))
571
320
                            .collect::<Vec<Option<u32>>>()
572
                    }
573
                };
574
575
739
                let references: Vec<Ref> = offsets
576
739
                    .iter()
577
2.34k
                    .map(|offset| {
578
2.34k
                        let offset = offset.as_ref().map(|offset| 
*offset as usize2.32k
);
579
2.34k
                        match elem.ty() {
580
2.34k
                            RefType::FuncRef => Ref::Func(FuncAddr::new(offset)),
581
0
                            RefType::ExternRef => Ref::Extern(ExternAddr::new(offset)),
582
                        }
583
2.34k
                    })
584
739
                    .collect();
585
739
586
739
                let instance = ElemInst {
587
739
                    ty: elem.ty(),
588
739
                    references,
589
739
                };
590
739
591
739
                match &elem.mode {
592
                    // As per https://webassembly.github.io/spec/core/syntax/modules.html#element-segments
593
                    // A declarative element segment is not available at runtime but merely serves to forward-declare
594
                    //  references that are formed in code with instructions like `ref.func`
595
596
                    // Also, the answer given by Andreas Rossberg (the editor of the WASM Spec - Release 2.0)
597
                    // Per https://stackoverflow.com/questions/78672934/what-is-the-purpose-of-a-wasm-declarative-element-segment
598
                    // "[...] The reason Wasm requires this (admittedly ugly) forward declaration is to support streaming compilation [...]"
599
11
                    ElemMode::Declarative => None,
600
                    ElemMode::Passive => {
601
408
                        passive_elem_indexes.push(i);
602
408
                        Some(instance)
603
                    }
604
320
                    ElemMode::Active(active_elem) => {
605
320
                        let table_idx = active_elem.table_idx as usize;
606
607
320
                        let offset =
608
320
                            match run_const_span(validation_info.wasm, &active_elem.init_expr, ())
609
320
                                .unwrap_validated()
610
                            {
611
320
                                Value::I32(offset) => offset as usize,
612
                                // We are already asserting that on top of the stack there is an I32 at validation time
613
0
                                _ => unreachable!(),
614
                            };
615
616
320
                        let table = &mut tables[table_idx];
617
320
                        // This can't be verified at validation-time because we don't keep track of actual values when validating expressions
618
320
                        //  we only keep track of the type of the values. As such we can't pop the exact value of an i32 from the validation stack
619
320
                        assert!(table.len() >= (offset + instance.len()));
620
621
320
                        table.elem[offset..offset + instance.references.len()]
622
320
                            .copy_from_slice(&instance.references);
623
320
624
320
                        Some(instance)
625
                    }
626
                }
627
1.34k
            
}739
)
628
1.34k
            .collect();
629
1.34k
630
1.34k
        let mut memory_instances: Vec<MemInst> = validation_info
631
1.34k
            .memories
632
1.34k
            .iter()
633
1.34k
            .map(|ty| 
MemInst::new(*ty)247
)
634
1.34k
            .collect();
635
636
1.34k
        let import_memory_instances_len = {
637
1.34k
            let mut len: usize = 0;
638
1.51k
            for 
import175
in &validation_info.imports {
639
175
                if let crate::core::reader::types::import::ImportDesc::Mem(_) = import.desc {
640
3
                    len += 1;
641
172
                }
642
            }
643
1.34k
            len
644
1.34k
        };
645
1.34k
        match memory_instances
646
1.34k
            .len()
647
1.34k
            .checked_add(import_memory_instances_len)
648
        {
649
            None => {
650
0
                return Err(Error::StoreInstantiationError(
651
0
                    StoreInstantiationError::TooManyMemories(usize::MAX),
652
0
                ))
653
            }
654
1.34k
            Some(mem_instances) => {
655
1.34k
                if mem_instances > 1 {
656
1
                    return Err(Error::UnsupportedProposal(Proposal::MultipleMemories));
657
1.34k
                }
658
            }
659
        };
660
661
1.34k
        let 
data_sections: Vec<DataInst>1.33k
= validation_info
662
1.34k
            .data
663
1.34k
            .iter()
664
1.34k
            .map(|d| 
{313
665
                use crate::core::reader::types::data::DataMode;
666
                use crate::NumType;
667
313
                if let DataMode::Active(
active_data126
) = d.mode.clone() {
668
126
                    let mem_idx = active_data.memory_idx;
669
126
                    if mem_idx != 0 {
670
0
                        todo!("Active data has memory_idx different than 0");
671
126
                    }
672
126
                    assert!(
673
126
                        memory_instances.len() > mem_idx,
674
4
                        "Multiple memories not yet supported"
675
                    );
676
677
122
                    let boxed_value = {
678
122
                        let mut wasm = WasmReader::new(validation_info.wasm);
679
122
                        wasm.move_start_to(active_data.offset).unwrap_validated();
680
122
                        let mut stack = Stack::new();
681
122
                        run_const(wasm, &mut stack, ());
682
122
                        stack.pop_value(ValType::NumType(NumType::I32))
683
                        // stack.peek_unknown_value().ok_or(MissingValueOnTheStack)?
684
                    };
685
686
                    // TODO: this shouldn't be a simple value, should it? I mean it can't be, but it can also be any type of ValType
687
                    // TODO: also, do we need to forcefully make it i32?
688
122
                    let offset: u32 = match boxed_value {
689
122
                        Value::I32(val) => val,
690
                        // Value::I64(val) => {
691
                        //     if val > u32::MAX as u64 {
692
                        //         return Err(I64ValueOutOfReach("data segment".to_owned()));
693
                        //     }
694
                        //     val as u32
695
                        // }
696
                        // TODO: implement all value types
697
0
                        _ => todo!(),
698
                    };
699
700
122
                    let mem_inst = memory_instances.get_mut(mem_idx).unwrap();
701
122
702
122
                    mem_inst
703
122
                        .mem
704
122
                        .init(offset as MemIdx, &d.init, 0, d.init.len())
705
122
                        .map_err(|_| 
Error::StoreInstantiationError(ActiveDataWriteOutOfBounds)0
)
?0
;
706
187
                }
707
309
                Ok(DataInst {
708
309
                    data: d.init.clone(),
709
309
                })
710
1.34k
            
}309
)
711
1.34k
            .collect::<Result<Vec<DataInst>>>()
?0
;
712
713
1.33k
        let global_instances: Vec<GlobalInst> = validation_info
714
1.33k
            .globals
715
1.33k
            .iter()
716
1.33k
            .map({
717
1.33k
                let mut stack = Stack::new();
718
1.33k
                move |global| {
719
67
                    let mut wasm = WasmReader::new(validation_info.wasm);
720
67
                    // The place we are moving the start to should, by all means, be inside the wasm bytecode.
721
67
                    wasm.move_start_to(global.init_expr).unwrap_validated();
722
67
                    // We shouldn't need to clear the stack. If validation is correct, it will remain empty after execution.
723
67
724
67
                    run_const(wasm, &mut stack, ());
725
67
                    let value = stack.pop_value(global.ty.ty);
726
67
727
67
                    GlobalInst {
728
67
                        global: *global,
729
67
                        value,
730
67
                    }
731
1.33k
                }
732
1.33k
            })
733
1.33k
            .collect();
734
1.33k
735
1.33k
        let exports = validation_info.exports.clone();
736
1.33k
        Ok(Store {
737
1.33k
            funcs: function_instances,
738
1.33k
            mems: memory_instances,
739
1.33k
            globals: global_instances,
740
1.33k
            data: data_sections,
741
1.33k
            tables,
742
1.33k
            elements,
743
1.33k
            passive_elem_indexes,
744
1.33k
            exports,
745
1.33k
        })
746
1.33k
    }
747
}
748
749
/// Used for getting the offset of an address.
750
///
751
/// Related to the Active Elements
752
///
753
/// <https://webassembly.github.io/spec/core/syntax/modules.html#element-segments>
754
///
755
/// Since active elements need an offset given by a constant expression, in this case
756
/// they can only be an i32 (which can be understood from either a [`Value::I32`] - but
757
/// since we don't unbox the address of the reference, for us also a [`Value::Ref`] -
758
/// or from a Global)
759
1.07k
fn get_address_offset(value: Value) -> Option<u32> {
760
1.07k
    match value {
761
0
        Value::I32(val) => Some(val),
762
1.07k
        Value::Ref(rref) => match rref {
763
0
            Ref::Extern(_) => todo!("Not yet implemented"),
764
            // TODO: fix
765
1.07k
            Ref::Func(func_addr) => func_addr.addr.map(|addr| 
addr as u321.05k
),
766
        },
767
        // INFO: from wasmtime - implement only global
768
0
        _ => unreachable!(),
769
    }
770
1.07k
}