This provides assert_le, assert_lt, and so on, which can print the values of the operands.
47 lines
1.7 KiB
Rust
47 lines
1.7 KiB
Rust
//! Implement a registry of function signatures, for fast indirect call
|
|
//! signature checking.
|
|
|
|
use crate::vmcontext::VMSharedSignatureIndex;
|
|
use crate::{hash_map, HashMap};
|
|
use core::convert::TryFrom;
|
|
use cranelift_codegen::ir;
|
|
use more_asserts::{assert_lt, debug_assert_lt};
|
|
|
|
/// WebAssembly requires that the caller and callee signatures in an indirect
|
|
/// call must match. To implement this efficiently, keep a registry of all
|
|
/// signatures, shared by all instances, so that call sites can just do an
|
|
/// index comparison.
|
|
#[derive(Debug)]
|
|
pub struct SignatureRegistry {
|
|
signature_hash: HashMap<ir::Signature, VMSharedSignatureIndex>,
|
|
}
|
|
|
|
impl SignatureRegistry {
|
|
/// Create a new `SignatureRegistry`.
|
|
pub fn new() -> Self {
|
|
Self {
|
|
signature_hash: HashMap::new(),
|
|
}
|
|
}
|
|
|
|
/// Register a signature and return its unique index.
|
|
pub fn register(&mut self, sig: &ir::Signature) -> VMSharedSignatureIndex {
|
|
let len = self.signature_hash.len();
|
|
match self.signature_hash.entry(sig.clone()) {
|
|
hash_map::Entry::Occupied(entry) => *entry.get(),
|
|
hash_map::Entry::Vacant(entry) => {
|
|
// Keep `signature_hash` len under 2**32 -- VMSharedSignatureIndex::new(core::u32::MAX)
|
|
// is reserved for VMSharedSignatureIndex::default().
|
|
debug_assert_lt!(
|
|
len,
|
|
core::u32::MAX as usize,
|
|
"Invariant check: signature_hash.len() < core::u32::MAX"
|
|
);
|
|
let sig_id = VMSharedSignatureIndex::new(u32::try_from(len).unwrap());
|
|
entry.insert(sig_id);
|
|
sig_id
|
|
}
|
|
}
|
|
}
|
|
}
|