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
// Copyright (C) Use Ink (UK) Ltd.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//! Operations on the off-chain testing environment.
use super::{
EnvInstance,
OnInstance,
};
use crate::{
Environment,
Result,
};
use core::fmt::Debug;
use ink_engine::test_api::RecordedDebugMessages;
use std::panic::UnwindSafe;
pub use super::call_data::CallData;
pub use ink_engine::{
ext::ChainSpec,
ChainExtension,
};
/// Record for an emitted event.
#[derive(Clone)]
pub struct EmittedEvent {
/// Recorded topics of the emitted event.
pub topics: Vec<Vec<u8>>,
/// Recorded encoding of the emitted event.
pub data: Vec<u8>,
}
/// Sets the balance of the account to the given balance.
///
/// # Note
///
/// Note that account could refer to either a user account or
/// a smart contract account.
///
/// If a 0 balance is set, this would not fail. This is useful for
/// reaping an account.
///
/// # Errors
///
/// - If `account` does not exist.
/// - If the underlying `account` type does not match.
/// - If the underlying `new_balance` type does not match.
/// - If the `new_balance` is less than the existential minimum.
pub fn set_account_balance<T>(account_id: T::AccountId, new_balance: T::Balance)
where
T: Environment<Balance = u128>, // Just temporary for the MVP!
{
let min = ChainSpec::default().minimum_balance;
if new_balance < min && new_balance != 0u128 {
panic!(
"Balance must be at least [{}]. Use 0 as balance to reap the account.",
min
);
}
<EnvInstance as OnInstance>::on_instance(|instance| {
instance
.engine
.set_balance(scale::Encode::encode(&account_id), new_balance);
})
}
/// Returns the balance of the account.
///
/// # Note
///
/// Note that account could refer to either a user account or
/// a smart contract account. This returns the same as `env::api::balance`
/// if given the account id of the currently executed smart contract.
///
/// # Errors
///
/// - If `account` does not exist.
/// - If the underlying `account` type does not match.
pub fn get_account_balance<T>(account_id: T::AccountId) -> Result<T::Balance>
where
T: Environment<Balance = u128>, // Just temporary for the MVP!
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance
.engine
.get_balance(scale::Encode::encode(&account_id))
.map_err(Into::into)
})
}
/// Registers a new chain extension.
pub fn register_chain_extension<E>(extension: E)
where
E: ink_engine::ChainExtension + 'static,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance
.engine
.chain_extension_handler
.register(Box::new(extension));
})
}
/// Returns the contents of the past performed environmental debug messages in order.
pub fn recorded_debug_messages() -> RecordedDebugMessages {
<EnvInstance as OnInstance>::on_instance(|instance| {
instance.engine.get_emitted_debug_messages()
})
}
/// Set to true to disable clearing storage
///
/// # Note
///
/// Useful for benchmarks because it ensures the initialized storage is maintained across
/// runs, because lazy storage structures automatically clear their associated cells when
/// they are dropped.
pub fn set_clear_storage_disabled(_disable: bool) {
unimplemented!(
"off-chain environment does not yet support `set_clear_storage_disabled`"
);
}
/// Advances the chain by a single block.
pub fn advance_block<T>()
where
T: Environment,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance.engine.advance_block();
})
}
/// Sets a caller for the next call.
pub fn set_caller<T>(caller: T::AccountId)
where
T: Environment,
<T as Environment>::AccountId: From<[u8; 32]>,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance.engine.set_caller(scale::Encode::encode(&caller));
})
}
/// Sets the callee for the next call.
pub fn set_callee<T>(callee: T::AccountId)
where
T: Environment,
<T as Environment>::AccountId: From<[u8; 32]>,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance.engine.set_callee(scale::Encode::encode(&callee));
})
}
/// Sets an account as a contract
pub fn set_contract<T>(contract: T::AccountId)
where
T: Environment,
<T as Environment>::AccountId: From<[u8; 32]>,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance
.engine
.set_contract(scale::Encode::encode(&contract));
})
}
/// Returns a boolean to indicate whether an account is a contract
pub fn is_contract<T>(contract: T::AccountId) -> bool
where
T: Environment,
<T as Environment>::AccountId: From<[u8; 32]>,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance
.engine
.is_contract(scale::Encode::encode(&contract))
})
}
/// Gets the currently set callee.
///
/// This is account id of the currently executing contract.
pub fn callee<T>() -> T::AccountId
where
T: Environment,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
let callee = instance.engine.get_callee();
scale::Decode::decode(&mut &callee[..])
.unwrap_or_else(|err| panic!("encoding failed: {err}"))
})
}
/// Returns the total number of reads and writes of the contract's storage.
pub fn get_contract_storage_rw<T>(account_id: &T::AccountId) -> (usize, usize)
where
T: Environment,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance
.engine
.get_contract_storage_rw(scale::Encode::encode(&account_id))
})
}
/// Sets the value transferred from the caller to the callee as part of the call.
///
/// Please note that the acting accounts should be set with [`set_caller()`] and
/// [`set_callee()`] beforehand.
pub fn set_value_transferred<T>(value: T::Balance)
where
T: Environment<Balance = u128>, // Just temporary for the MVP!
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance.engine.set_value_transferred(value);
})
}
/// Transfers value from the caller account to the contract.
///
/// Please note that the acting accounts should be set with [`set_caller()`] and
/// [`set_callee()`] beforehand.
pub fn transfer_in<T>(value: T::Balance)
where
T: Environment<Balance = u128>, // Just temporary for the MVP!
{
<EnvInstance as OnInstance>::on_instance(|instance| {
let caller = instance
.engine
.exec_context
.caller
.as_ref()
.expect("no caller has been set")
.as_bytes()
.to_vec();
let caller_old_balance = instance
.engine
.get_balance(caller.clone())
.unwrap_or_default();
let callee = instance.engine.get_callee();
let contract_old_balance = instance
.engine
.get_balance(callee.clone())
.unwrap_or_default();
instance
.engine
.set_balance(caller, caller_old_balance - value);
instance
.engine
.set_balance(callee, contract_old_balance + value);
instance.engine.set_value_transferred(value);
});
}
/// Returns the amount of storage cells used by the account `account_id`.
///
/// Returns `None` if the `account_id` is non-existent.
pub fn count_used_storage_cells<T>(account_id: &T::AccountId) -> Result<usize>
where
T: Environment,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance
.engine
.count_used_storage_cells(&scale::Encode::encode(&account_id))
.map_err(Into::into)
})
}
/// Sets the block timestamp for the next [`advance_block`] invocation.
pub fn set_block_timestamp<T>(value: T::Timestamp)
where
T: Environment<Timestamp = u64>,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance.engine.set_block_timestamp(value);
})
}
/// Sets the block number for the next [`advance_block`] invocation.
pub fn set_block_number<T>(value: T::BlockNumber)
where
T: Environment<BlockNumber = u32>,
{
<EnvInstance as OnInstance>::on_instance(|instance| {
instance.engine.set_block_number(value);
})
}
/// Runs the given closure test function with the default configuration
/// for the off-chain environment.
pub fn run_test<T, F>(f: F) -> Result<()>
where
T: Environment,
F: FnOnce(DefaultAccounts<T>) -> Result<()>,
<T as Environment>::AccountId: From<[u8; 32]>,
{
let default_accounts = default_accounts::<T>();
<EnvInstance as OnInstance>::on_instance(|instance| {
instance.engine.initialize_or_reset();
let encoded_alice = scale::Encode::encode(&default_accounts.alice);
instance.engine.set_caller(encoded_alice.clone());
instance.engine.set_callee(encoded_alice.clone());
// set up the funds for the default accounts
let substantial = 1_000_000;
let some = 1_000;
instance.engine.set_balance(encoded_alice, substantial);
instance
.engine
.set_balance(scale::Encode::encode(&default_accounts.bob), some);
instance
.engine
.set_balance(scale::Encode::encode(&default_accounts.charlie), some);
instance
.engine
.set_balance(scale::Encode::encode(&default_accounts.django), 0);
instance
.engine
.set_balance(scale::Encode::encode(&default_accounts.eve), 0);
instance
.engine
.set_balance(scale::Encode::encode(&default_accounts.frank), 0);
});
f(default_accounts)
}
/// Returns the default accounts for testing purposes:
/// Alice, Bob, Charlie, Django, Eve and Frank.
pub fn default_accounts<T>() -> DefaultAccounts<T>
where
T: Environment,
<T as Environment>::AccountId: From<[u8; 32]>,
{
DefaultAccounts {
alice: T::AccountId::from([0x01; 32]),
bob: T::AccountId::from([0x02; 32]),
charlie: T::AccountId::from([0x03; 32]),
django: T::AccountId::from([0x04; 32]),
eve: T::AccountId::from([0x05; 32]),
frank: T::AccountId::from([0x06; 32]),
}
}
/// The default accounts.
pub struct DefaultAccounts<T>
where
T: Environment,
{
/// The predefined `ALICE` account holding substantial amounts of value.
pub alice: T::AccountId,
/// The predefined `BOB` account holding some amounts of value.
pub bob: T::AccountId,
/// The predefined `CHARLIE` account holding some amounts of value.
pub charlie: T::AccountId,
/// The predefined `DJANGO` account holding no value.
pub django: T::AccountId,
/// The predefined `EVE` account holding no value.
pub eve: T::AccountId,
/// The predefined `FRANK` account holding no value.
pub frank: T::AccountId,
}
/// Returns the recorded emitted events in order.
pub fn recorded_events() -> impl Iterator<Item = EmittedEvent> {
<EnvInstance as OnInstance>::on_instance(|instance| {
instance
.engine
.get_emitted_events()
.map(|evt: ink_engine::test_api::EmittedEvent| evt.into())
})
}
/// Tests if a contract terminates successfully after `self.env().terminate()`
/// has been called.
///
/// The arguments denote:
///
/// * `should_terminate`: A closure in which the function supposed to terminate is called.
/// * `expected_beneficiary`: The beneficiary account who should have received the
/// remaining value in the contract
/// * `expected_value_transferred_to_beneficiary`: The value which should have been
/// transferred to the `expected_beneficiary`.
///
/// # Usage
///
/// ```no_compile
/// let should_terminate = move || your_contract.fn_which_should_terminate();
/// ink_env::test::assert_contract_termination::<ink_env::DefaultEnvironment, _>(
/// should_terminate,
/// expected_beneficiary,
/// expected_value_transferred_to_beneficiary
/// );
/// ```
///
/// See our [`contract-terminate`](https://github.com/use-ink/ink-examples/tree/v5.x.x/contract-terminate)
/// example for a complete usage exemplification.
pub fn assert_contract_termination<T, F>(
should_terminate: F,
expected_beneficiary: T::AccountId,
expected_value_transferred_to_beneficiary: T::Balance,
) where
T: Environment,
F: FnMut() + UnwindSafe,
<T as Environment>::AccountId: Debug,
<T as Environment>::Balance: Debug,
{
let value_any = ::std::panic::catch_unwind(should_terminate)
.expect_err("contract did not terminate");
let encoded_input = value_any
.downcast_ref::<Vec<u8>>()
.expect("panic object can not be cast");
let (value_transferred, encoded_beneficiary): (T::Balance, Vec<u8>) =
scale::Decode::decode(&mut &encoded_input[..])
.unwrap_or_else(|err| panic!("input can not be decoded: {err}"));
let beneficiary =
<T::AccountId as scale::Decode>::decode(&mut &encoded_beneficiary[..])
.unwrap_or_else(|err| panic!("input can not be decoded: {err}"));
assert_eq!(value_transferred, expected_value_transferred_to_beneficiary);
assert_eq!(beneficiary, expected_beneficiary);
}
/// Prepend contract message call with value transfer. Used for tests in off-chain
/// environment.
#[macro_export]
macro_rules! pay_with_call {
($contract:ident . $message:ident ( $( $params:expr ),* ) , $amount:expr) => {{
$crate::test::transfer_in::<Environment>($amount);
$contract.$message($ ($params) ,*)
}}
}