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 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552
//! This module primarily provides the [Vm] type and the necessary name-lookup
//! and runtime-dispatch mechanisms needed to allow WASM modules to call into
//! the [Env](crate::Env) interface implemented by [Host].
//!
//! It also contains helper methods to look up and call into contract functions
//! in terms of [ScVal] and [Val] arguments.
//!
//! The implementation of WASM types and the WASM bytecode interpreter come from
//! the [wasmi](https://github.com/paritytech/wasmi) project.
mod dispatch;
mod fuel_refillable;
mod func_info;
#[cfg(feature = "bench")]
pub(crate) use dispatch::dummy0;
use crate::{
budget::AsBudget,
err,
host::{error::TryBorrowOrErr, metered_clone::MeteredContainer},
meta::{self, get_ledger_protocol_version},
xdr::{ContractCostType, Hash, Limited, ReadXdr, ScEnvMetaEntry, ScErrorCode, ScErrorType},
ConversionError, Host, HostError, Symbol, SymbolStr, TryIntoVal, Val, WasmiMarshal,
DEFAULT_XDR_RW_LIMITS,
};
use std::{cell::RefCell, io::Cursor, rc::Rc, time::Instant};
use fuel_refillable::FuelRefillable;
use func_info::HOST_FUNCTIONS;
use wasmi::{Engine, FuelConsumptionMode, Instance, Linker, Memory, Module, Store, Value};
#[cfg(any(test, feature = "testutils"))]
use crate::VmCaller;
#[cfg(any(test, feature = "testutils", feature = "bench"))]
use wasmi::{Caller, StoreContextMut};
impl wasmi::core::HostError for HostError {}
const MAX_VM_ARGS: usize = 32;
/// A [Vm] is a thin wrapper around an instance of [wasmi::Module]. Multiple
/// [Vm]s may be held in a single [Host], and each contains a single WASM module
/// instantiation.
///
/// [Vm] rejects modules with either floating point or start functions.
///
/// [Vm] is configured to use its [Host] as a source of WASM imports.
/// Specifically [Host] implements [wasmi::ImportResolver] by resolving all and
/// only the functions declared in [Env](crate::Env) as imports, if requested by the
/// WASM module. Any other lookups on any tables other than import functions
/// will fail.
pub struct Vm {
pub(crate) contract_id: Hash,
// TODO: consider moving store and possibly module to Host so they can be
// recycled across calls. Or possibly beyond, to be recycled across txs.
// https://github.com/stellar/rs-soroban-env/issues/827
module: Module,
store: RefCell<Store<Host>>,
instance: Instance,
pub(crate) memory: Option<Memory>,
}
#[cfg(feature = "testutils")]
impl std::hash::Hash for Vm {
fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
self.contract_id.hash(state);
}
}
impl Vm {
fn check_contract_interface_version(
host: &Host,
interface_version: u64,
) -> Result<(), HostError> {
let want_proto = {
let ledger_proto = host.get_ledger_protocol_version()?;
let env_proto = get_ledger_protocol_version(meta::INTERFACE_VERSION);
if ledger_proto <= env_proto {
// ledger proto should be before or equal to env proto
ledger_proto
} else {
return Err(err!(
host,
(ScErrorType::Context, ScErrorCode::InternalError),
"ledger protocol number is ahead of supported env protocol number",
ledger_proto,
env_proto
));
}
};
// Not used when "next" is enabled
#[cfg(not(feature = "next"))]
let got_pre = meta::get_pre_release_version(interface_version);
let got_proto = get_ledger_protocol_version(interface_version);
if got_proto < want_proto {
// Old protocols are finalized, we only support contracts
// with similarly finalized (zero) prerelease numbers.
//
// Note that we only enable this check if the "next" feature isn't enabled
// because a "next" stellar-core can still run a "curr" test using non-finalized
// test wasms. The "next" feature isn't safe for production and is meant to
// simulate the protocol version after the one currently supported in
// stellar-core, so bypassing this check for "next" is safe.
#[cfg(not(feature = "next"))]
if got_pre != 0 {
return Err(err!(
host,
(ScErrorType::WasmVm, ScErrorCode::InvalidInput),
"contract pre-release number for old protocol is nonzero",
got_pre
));
}
} else if got_proto == want_proto {
// Relax this check as well for the "next" feature to allow for flexibility while testing.
// stellar-core can pass in an older protocol version, in which case the pre-release version
// will not match up with the "next" feature (The "next" pre-release version is always 1).
#[cfg(not(feature = "next"))]
{
// Current protocol might have a nonzero prerelease number; we will
// allow it only if it matches the current prerelease exactly.
let want_pre = meta::get_pre_release_version(meta::INTERFACE_VERSION);
if want_pre != got_pre {
return Err(err!(
host,
(ScErrorType::WasmVm, ScErrorCode::InvalidInput),
"contract pre-release number for current protocol does not match host",
got_pre,
want_pre
));
}
}
} else {
// Future protocols we don't allow. It might be nice (in the sense
// of "allowing uploads of a future-protocol contract that will go
// live as soon as the network upgrades to it") but there's a risk
// that the "future" protocol semantics baked in to a contract
// differ from the final semantics chosen by the network, so to be
// conservative we avoid even allowing this.
return Err(err!(
host,
(ScErrorType::WasmVm, ScErrorCode::InvalidInput),
"contract protocol number is newer than host",
got_proto
));
}
Ok(())
}
fn check_meta_section(host: &Host, m: &Module) -> Result<(), HostError> {
if let Some(env_meta) = Self::module_custom_section(m, meta::ENV_META_V0_SECTION_NAME) {
let mut limits = DEFAULT_XDR_RW_LIMITS;
limits.len = env_meta.len();
let mut cursor = Limited::new(Cursor::new(env_meta), limits);
if let Some(env_meta_entry) = ScEnvMetaEntry::read_xdr_iter(&mut cursor).next() {
let ScEnvMetaEntry::ScEnvMetaKindInterfaceVersion(v) =
host.map_err(env_meta_entry)?;
Vm::check_contract_interface_version(host, v)
} else {
Err(host.err(
ScErrorType::WasmVm,
ScErrorCode::InvalidInput,
"contract missing environment interface version",
&[],
))
}
} else {
Err(host.err(
ScErrorType::WasmVm,
ScErrorCode::InvalidInput,
"contract missing metadata section",
&[],
))
}
}
fn check_max_args(host: &Host, m: &Module) -> Result<(), HostError> {
for e in m.exports() {
match e.ty() {
wasmi::ExternType::Func(f) => {
if f.params().len() > MAX_VM_ARGS || f.results().len() > MAX_VM_ARGS {
return Err(host.err(
ScErrorType::WasmVm,
ScErrorCode::InvalidInput,
"Too many arguments or results in wasm export",
&[],
));
}
}
_ => (),
}
}
Ok(())
}
/// Constructs a new instance of a [Vm] within the provided [Host],
/// establishing a new execution context for a contract identified by
/// `contract_id` with WASM bytecode provided in `module_wasm_code`.
///
/// This function performs several steps:
///
/// - Parses and performs WASM validation on the module.
/// - Checks that the module contains an [meta::INTERFACE_VERSION] that
/// matches the host.
/// - Checks that the module has no floating point code or `start`
/// function, or post-MVP wasm extensions.
/// - Instantiates the module, leaving it ready to accept function
/// invocations.
/// - Looks up and caches its linear memory export named `memory`
/// if it exists.
///
/// This method is called automatically as part of [Host::invoke_function]
/// and does not usually need to be called from outside the crate.
pub fn new(
host: &Host,
contract_id: Hash,
module_wasm_code: &[u8],
) -> Result<Rc<Self>, HostError> {
let _span = tracy_span!("Vm::new");
let now = Instant::now();
host.charge_budget(
ContractCostType::VmInstantiation,
Some(module_wasm_code.len() as u64),
)?;
let mut config = wasmi::Config::default();
let fuel_costs = host.as_budget().wasmi_fuel_costs()?;
// Turn off most optional wasm features, leaving on some
// post-MVP features commonly enabled by Rust and Clang.
config
.wasm_multi_value(false)
.wasm_mutable_global(true)
.wasm_saturating_float_to_int(false)
.wasm_sign_extension(true)
.floats(false)
.consume_fuel(true)
.fuel_consumption_mode(FuelConsumptionMode::Eager)
.set_fuel_costs(fuel_costs);
let engine = Engine::new(&config);
let module = {
let _span0 = tracy_span!("parse module");
host.map_err(Module::new(&engine, module_wasm_code))?
};
Self::check_max_args(host, &module)?;
Self::check_meta_section(host, &module)?;
let mut store = Store::new(&engine, host.clone());
store.limiter(|host| host);
let mut linker = <Linker<Host>>::new(&engine);
{
let _span0 = tracy_span!("define host functions");
for hf in HOST_FUNCTIONS {
let func = (hf.wrap)(&mut store);
host.map_err(
linker
.define(hf.mod_str, hf.fn_str, func)
.map_err(|le| wasmi::Error::Linker(le)),
)?;
}
}
let not_started_instance = {
let _span0 = tracy_span!("instantiate module");
host.map_err(linker.instantiate(&mut store, &module))?
};
let instance = host.map_err(
not_started_instance
.ensure_no_start(&mut store)
.map_err(|ie| wasmi::Error::Instantiation(ie)),
)?;
let memory = if let Some(ext) = instance.get_export(&mut store, "memory") {
ext.into_memory()
} else {
None
};
// Here we do _not_ supply the store with any fuel. Fuel is supplied
// right before the VM is being run, i.e., before crossing the host->VM
// boundary.
let vm = Rc::new(Self {
contract_id,
module,
store: RefCell::new(store),
instance,
memory,
});
host.as_budget().track_time(
ContractCostType::VmInstantiation,
now.elapsed().as_nanos() as u64,
)?;
Ok(vm)
}
pub(crate) fn get_memory(&self, host: &Host) -> Result<Memory, HostError> {
match self.memory {
Some(mem) => Ok(mem),
None => Err(host.err(
ScErrorType::WasmVm,
ScErrorCode::MissingValue,
"no linear memory named `memory`",
&[],
)),
}
}
// Wrapper for the [`Func`] call which is metered as a component.
// Resolves the function entity, and takes care the conversion between and
// tranfering of the host budget / VM fuel. This is where the host->VM->host
// boundaries are crossed.
pub(crate) fn metered_func_call(
self: &Rc<Self>,
host: &Host,
func_sym: &Symbol,
inputs: &[Value],
) -> Result<Val, HostError> {
host.charge_budget(ContractCostType::InvokeVmFunction, None)?;
// resolve the function entity to be called
let func_ss: SymbolStr = func_sym.try_into_val(host)?;
let ext = match self
.instance
.get_export(&*self.store.try_borrow_or_err()?, func_ss.as_ref())
{
None => {
return Err(host.err(
ScErrorType::WasmVm,
ScErrorCode::MissingValue,
"invoking unknown export",
&[func_sym.to_val()],
))
}
Some(e) => e,
};
let func = match ext.into_func() {
None => {
return Err(host.err(
ScErrorType::WasmVm,
ScErrorCode::UnexpectedType,
"export is not a function",
&[func_sym.to_val()],
))
}
Some(e) => e,
};
if inputs.len() > MAX_VM_ARGS {
return Err(host.err(
ScErrorType::WasmVm,
ScErrorCode::InvalidInput,
"Too many arguments in wasm invocation",
&[func_sym.to_val()],
));
}
// call the function
let mut wasm_ret: [Value; 1] = [Value::I64(0)];
self.store.try_borrow_mut_or_err()?.add_fuel_to_vm(host)?;
// Metering: the `func.call` will trigger `wasmi::Call` (or `CallIndirect`) instruction,
// which is technically covered by wasmi fuel metering. So we are double charging a bit
// here (by a few 100s cpu insns). It is better to be safe.
let res = func.call(
&mut *self.store.try_borrow_mut_or_err()?,
inputs,
&mut wasm_ret,
);
// Due to the way wasmi's fuel metering works (it does `remaining.checked_sub(delta).ok_or(Trap)`),
// there may be a small amount of fuel (less than delta -- the fuel cost of that failing
// wasmi instruction) remaining when the `OutOfFuel` trap occurs. This is only observable
// if the contract traps with `OutOfFuel`, which may appear confusing if they look closely
// at the budget amount consumed. So it should be fine.
self.store
.try_borrow_mut_or_err()?
.return_fuel_to_host(host)?;
if let Err(e) = res {
use std::borrow::Cow;
// When a call fails with a wasmi::Error::Trap that carries a HostError
// we propagate that HostError as is, rather than producing something new.
match e {
wasmi::Error::Trap(trap) => {
if let Some(code) = trap.trap_code() {
let err = code.into();
let mut msg = Cow::Borrowed("VM call trapped");
host.with_debug_mode(|| {
msg = Cow::Owned(format!("VM call trapped: {:?}", &code));
Ok(())
});
return Err(host.error(err, &msg, &[func_sym.to_val()]));
}
if let Some(he) = trap.downcast::<HostError>() {
host.log_diagnostics(
"VM call trapped with HostError",
&[func_sym.to_val(), he.error.to_val()],
);
return Err(he);
}
return Err(host.err(
ScErrorType::WasmVm,
ScErrorCode::InternalError,
"VM trapped but propagation failed",
&[],
));
}
e => {
let mut msg = Cow::Borrowed("VM call failed");
host.with_debug_mode(|| {
msg = Cow::Owned(format!("VM call failed: {:?}", &e));
Ok(())
});
return Err(host.error(e.into(), &msg, &[func_sym.to_val()]));
}
}
}
host.relative_to_absolute(
Val::try_marshal_from_value(wasm_ret[0].clone()).ok_or(ConversionError)?,
)
}
pub(crate) fn invoke_function_raw(
self: &Rc<Self>,
host: &Host,
func_sym: &Symbol,
args: &[Val],
) -> Result<Val, HostError> {
let _span = tracy_span!("Vm::invoke_function_raw");
Vec::<Value>::charge_bulk_init_cpy(args.len() as u64, host.as_budget())?;
let wasm_args: Vec<Value> = args
.iter()
.map(|i| host.absolute_to_relative(*i).map(|v| v.marshal_from_self()))
.collect::<Result<Vec<Value>, HostError>>()?;
self.metered_func_call(host, func_sym, wasm_args.as_slice())
}
fn module_custom_section(m: &Module, name: impl AsRef<str>) -> Option<&[u8]> {
m.custom_sections().iter().find_map(|s| {
if &*s.name == name.as_ref() {
Some(&*s.data)
} else {
None
}
})
}
/// Returns the raw bytes content of a named custom section from the WASM
/// module loaded into the [Vm], or `None` if no such custom section exists.
pub fn custom_section(&self, name: impl AsRef<str>) -> Option<&[u8]> {
Self::module_custom_section(&self.module, name)
}
/// Utility function that synthesizes a `VmCaller<Host>` configured to point
/// to this VM's `Store` and `Instance`, and calls the provided function
/// back with it. Mainly used for testing.
#[cfg(any(test, feature = "testutils"))]
#[allow(unused)]
pub(crate) fn with_vmcaller<F, T>(&self, f: F) -> Result<T, HostError>
where
F: FnOnce(&mut VmCaller<Host>) -> Result<T, HostError>,
{
let store: &mut Store<Host> = &mut *self.store.try_borrow_mut_or_err()?;
let mut ctx: StoreContextMut<Host> = store.into();
let caller: Caller<Host> = Caller::new(&mut ctx, Some(&self.instance));
let mut vmcaller: VmCaller<Host> = VmCaller(Some(caller));
f(&mut vmcaller)
}
#[cfg(feature = "bench")]
pub(crate) fn with_caller<F, T>(&self, f: F) -> Result<T, HostError>
where
F: FnOnce(Caller<Host>) -> Result<T, HostError>,
{
let store: &mut Store<Host> = &mut *self.store.try_borrow_mut_or_err()?;
let mut ctx: StoreContextMut<Host> = store.into();
let caller: Caller<Host> = Caller::new(&mut ctx, Some(&self.instance));
f(caller)
}
#[cfg(all(test, not(feature = "next"), feature = "testutils"))]
pub(crate) fn memory_hash_and_size(&self) -> (u64, usize) {
use std::collections::hash_map::DefaultHasher;
use std::hash::{Hash, Hasher};
if let Some(mem) = self.memory {
if let Ok((hash, size)) = self.with_vmcaller(|vmcaller| {
let mut state = DefaultHasher::default();
let data = mem.data(vmcaller.try_ref()?);
data.hash(&mut state);
Ok((state.finish(), data.len()))
}) {
return (hash, size);
}
}
(0, 0)
}
#[cfg(all(test, not(feature = "next"), feature = "testutils"))]
// This is pretty weak: we just observe the state that wasmi exposes through
// wasm _exports_. There might be tables or globals a wasm doesn't export
// but there's no obvious way to observe them.
pub(crate) fn exports_hash_and_size(&self) -> (u64, usize) {
use std::collections::hash_map::DefaultHasher;
use std::hash::{Hash, Hasher};
use wasmi::{Extern, StoreContext};
if let Ok((hash, size)) = self.with_vmcaller(|vmcaller| {
let ctx: StoreContext<'_, _> = vmcaller.try_ref()?.into();
let mut size: usize = 0;
let mut state = DefaultHasher::default();
for export in self.instance.exports(vmcaller.try_ref()?) {
size = size.saturating_add(1);
export.name().hash(&mut state);
match export.into_extern() {
// Funcs are immutable, memory we hash separately above.
Extern::Func(_) | Extern::Memory(_) => (),
Extern::Table(t) => {
let sz = t.size(&ctx);
sz.hash(&mut state);
size = size.saturating_add(sz as usize);
for i in 0..sz {
if let Some(elem) = t.get(&ctx, i) {
let s = format!("{:?}", elem);
s.hash(&mut state);
}
}
}
Extern::Global(g) => {
let s = format!("{:?}", g.get(&ctx));
s.hash(&mut state);
}
}
}
Ok((state.finish(), size))
}) {
(hash, size)
} else {
(0, 0)
}
}
}