1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92
use super::{fmt, hasher, Digest, Felt, Operation};
use crate::utils::to_hex;
// CALL BLOCK
// ================================================================================================
/// A code block describing a function call.
///
/// When the VM executes a Call block, it simply executes the code of the underlying function.
/// Thus, to execute a function call, the VM must have access to the function's body, otherwise,
/// the execution fails.
///
/// Hash of a Call block is computed by hashing a concatenation of the function's body hash with
/// zero.
#[derive(Clone, Debug)]
pub struct Call {
hash: Digest,
fn_hash: Digest,
is_syscall: bool,
}
impl Call {
// CONSTANTS
// --------------------------------------------------------------------------------------------
/// The domain of the call block (used for control block hashing).
pub const CALL_DOMAIN: Felt = Felt::new(Operation::Call.op_code() as u64);
/// The domain of the syscall block (used for control block hashing).
pub const SYSCALL_DOMAIN: Felt = Felt::new(Operation::SysCall.op_code() as u64);
// CONSTRUCTOR
// --------------------------------------------------------------------------------------------
/// Returns a new [Call] block instantiated with the specified function body hash.
pub fn new(fn_hash: Digest) -> Self {
let hash = hasher::merge_in_domain(&[fn_hash, Digest::default()], Self::CALL_DOMAIN);
Self {
hash,
fn_hash,
is_syscall: false,
}
}
/// Returns a new [Call] block instantiated with the specified function body hash and marked
/// as a kernel call.
pub fn new_syscall(fn_hash: Digest) -> Self {
let hash = hasher::merge_in_domain(&[fn_hash, Digest::default()], Self::SYSCALL_DOMAIN);
Self {
hash,
fn_hash,
is_syscall: true,
}
}
// PUBLIC ACCESSORS
// --------------------------------------------------------------------------------------------
/// Returns a hash of this code block.
pub fn hash(&self) -> Digest {
self.hash
}
/// Returns a hash of the function to be called by this block.
pub fn fn_hash(&self) -> Digest {
self.fn_hash
}
/// Returns true if this call block corresponds to a kernel call.
pub fn is_syscall(&self) -> bool {
self.is_syscall
}
/// Returns the domain of the call block
pub fn domain(&self) -> Felt {
match self.is_syscall() {
true => Self::SYSCALL_DOMAIN,
false => Self::CALL_DOMAIN,
}
}
}
impl fmt::Display for Call {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
if self.is_syscall {
write!(f, "syscall.0x")?;
} else {
write!(f, "call.0x")?;
}
let hex = to_hex(&self.fn_hash.as_bytes())?;
f.write_str(&hex)?;
Ok(())
}
}