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
// Copyright 2023 Centrifuge Foundation (centrifuge.io).
// This file is part of Centrifuge chain project.
// Centrifuge is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version (see http://www.gnu.org/licenses).
// Centrifuge is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//! `mock-builder` allows you to create *mock pallets*.
//! A *mock pallet* is a regular pallet that implements some traits whose
//! behavior can be implemented on the fly by closures. They are perfect for
//! testing because they allow you to customize each test case, getting
//! organized and accurate tests for your pallet. *Mock pallet* is not just a
//! trait mocked, it's a whole pallet that can implement one or more traits and
//! can be added to runtimes.
//!
//! # Motivation
//!
//! Pallets have dependencies. Programming in a
//! [loosely coupled](https://docs.substrate.io/build/pallet-coupling)
//! way is great for getting rid of those dependencies for the implementation.
//! Nevertheless, those dependencies still exist in testing because when the
//! `mock.rs` file is defined, you're forced to give some implementations for
//! the associated types of your pallet `Config`.
//!
//! Then, you are mostly forced to use other pallet configurations
//! getting a [tight coupling](https://docs.substrate.io/build/pallet-coupling/)
//! with them. It has some downsides:
//! - You need to learn how to configure other pallets.
//! - You need to know how those pallets work, because they affect directly the
//! behavior of the pallet you're testing.
//! - The way they work can give you non-completed tests. It means that some
//! paths of your pallet can not be tested because some dependency works in a
//! specific way.
//! - You need a lot of effort maintaining your tests because each time one
//! dependency changes, it can easily break your tests.
//!
//! This doesn't scale well. Frequently some pallet dependencies need in turn to
//! configure their own dependent pallets, making this problem even worse.
//!
//! This is why mocking is so important. It lets you get rid of all these
//! dependencies and related issues, obtaining **loose coupling tests**.
//!
//! There are other crates focusing on this problem,
//! such as [`mockall`](https://docs.rs/mockall/latest/mockall/),
//! but they mock traits. Instead, this crate gives you an entire pallet
//! ready to use in any runtime, implementing the number of traits you specify.
//!
//! ## *Mock pallet* usage
//!
//! Suppose that in our pallet, which we'll call it `my_pallet`, we have an
//! associated type in our `Config`, which implements traits `TraitA` and
//! `TraitB`. Those traits are defined as follows:
//!
//! ```
//! trait TraitA {
//! type AssocA;
//!
//! fn foo() -> Self::AssocA;
//! }
//!
//! trait TraitB {
//! type AssocB;
//!
//! fn bar(a: u64, b: Self::AssocB) -> u32;
//! }
//! ```
//!
//! We have a really huge pallet that implements a specific behavior for those
//! traits, but we want to get rid of such dependency so we [generate a *mock
//! pallet*](#mock-pallet-creation), we'll call it `pallet_mock_dep`.
//!
//! We can add this *mock pallet* to the runtime as usual:
//!
//! ```ignore
//! frame_support::construct_runtime!(
//! pub struct Runtime {
//! System: frame_system,
//! MockDep: pallet_mock_dep,
//! MyPallet: my_pallet,
//! }
//! );
//! ```
//!
//! And we configure it as a regular pallet:
//!
//! ```ignore
//! impl pallet_mock_dep::Config for Runtime {
//! type AssocA = bool;
//! type AssocB = u8;
//! }
//! ```
//!
//! Later in our use case, we can give a behavior for both `foo()` and `bar()`
//! methods in their analogous methods `mock_foo()` and `mock_bar()` which
//! accept a closure.
//!
//! ```ignore
//! #[test]
//! fn correct() {
//! new_test_ext().execute_with(|| {
//! MockDep::mock_foo(|| true);
//! MockDep::mock_bar(|a, b| {
//! assert_eq!(a, 42);
//! assert_eq!(b, false);
//! 23
//! });
//!
//! // This method will call foo() and bar() under the hood, running the
//! // closures we just have defined.
//! MyPallet::my_call();
//! });
//! }
//! ```
//!
//! Take a look to the [pallet
//! tests](https://github.com/foss3/runtime-pallet-library/blob/main/mock-builder/tests/pallet.rs)
//! to have a user view of how to use a *mock pallet*.
//! It supports any kind of trait, with reference
//! parameters and generics at trait level and method level.
//!
//! ## Mock pallet creation
//!
//! **NOTE: There is a working progress on this part to generate *mock pallets*
//! automatically using procedural macros. Once done, all this part can be
//! auto-generated.**
//!
//! This crate exports two macros [`register_call!()`] and [`execute_call!()`]
//! that allow you to build a *mock pallet*.
//!
//! - [`register_call!()`] registers a closure where you can define the
//! mock behavior for that method. The method which registers the closure must
//! have the name of the trait method you want to mock prefixed with `mock_`.
//!
//! - [`execute_call!()`] is placed in the trait method implementation and will
//! call the closure previously registered by [`register_call!()`]
//!
//! The only condition to use these macros is to have the following storage in
//! the pallet (it's safe to just copy and paste this snippet in your pallet):
//!
//! ```
//! # #[frame_support::pallet(dev_mode)]
//! # mod pallet {
//! # use frame_support::pallet_prelude::*;
//! # #[pallet::config]
//! # pub trait Config: frame_system::Config { }
//! # #[pallet::pallet]
//! # pub struct Pallet<T>(_);
//!
//! #[pallet::storage]
//! type CallIds<T: Config> = StorageMap<_, _, String, mock_builder::CallId>;
//!
//! # }
//! ```
//!
//! Following the above example, generating a *mock pallet* for both `TraitA`
//! and `TraitB` is done as follows:
//!
//! ```
//! #[frame_support::pallet(dev_mode)]
//! pub mod pallet {
//! # trait TraitA {
//! # type AssocA;
//! #
//! # fn foo() -> Self::AssocA;
//! # }
//! #
//! # trait TraitB {
//! # type AssocB;
//! #
//! # fn bar(a: u64, b: Self::AssocB) -> u32;
//! # }
//!
//! use frame_support::pallet_prelude::*;
//! use mock_builder::{execute_call, register_call};
//!
//! #[pallet::config]
//! pub trait Config: frame_system::Config {
//! type AssocA;
//! type AssocB;
//! }
//!
//! #[pallet::pallet]
//! pub struct Pallet<T>(_);
//!
//! #[pallet::storage]
//! type CallIds<T: Config> = StorageMap<_, _, String, mock_builder::CallId>;
//!
//! impl<T: Config> Pallet<T> {
//! fn mock_foo(f: impl Fn() -> T::AssocA + 'static) {
//! register_call!(move |()| f())
//! }
//!
//! fn mock_bar(f: impl Fn(u64, T::AssocB) -> u32 + 'static) {
//! register_call!(move |(a, b)| f(a, b))
//! }
//! }
//!
//! impl<T: Config> TraitA for Pallet<T> {
//! type AssocA = T::AssocA;
//!
//! fn foo() -> Self::AssocA {
//! execute_call!(())
//! }
//! }
//!
//! impl<T: Config> TraitB for Pallet<T> {
//! type AssocB = T::AssocB;
//!
//! fn bar(a: u64, b: Self::AssocB) -> u32 {
//! execute_call!((a, b))
//! }
//! }
//! }
//! ```
//!
//! If types for the closure of `mock_*` method and trait method don't match,
//! you will obtain a runtime error in your tests.
//!
//! ## Mock Patterns
//!
//! #### Storage pattern
//! In some cases it's pretty common making a mock that returns a value that was
//! set previously by another mock. For this case you can define your "getter"
//! mock inside the definition of the "setter" mock, as follows:
//!
//! ```ignore
//! MyMock::mock_set(|value| MyMock::mock_get(move || value));
//! ```
//!
//! Any call to `get()` will return the last value given to `set()`.
//!
//! #### Check internal calls are ordered
//! If you want to test some mocks method are calle in some order, you can
//! define them nested, in the expected order they must be called
//!
//! ```ignore
//! MyMock::mock_first(|| {
//! MyMock::mock_second(|| {
//! MyMock::mock_third(|| {
//! //...
//! })
//! })
//! });
//!
//!
//! // The next method only will be succesful
//! // if it makes the internal calls in order
//! MyPallet::calls_first_second_third();
//! ```
/// Provide functions for register/execute calls
pub mod storage;
/// Provide functions for handle fuction locations
pub mod location;
mod util;
use location::{FunctionLocation, TraitInfo};
pub use storage::CallId;
/// Prefix that the register functions should have.
pub const MOCK_FN_PREFIX: &str = "mock_";
/// Register a mock function into the mock function storage.
/// This function should be called with a locator used as a function
/// identification.
pub fn register<Locator, F, I, O, Insert>(locator: Locator, f: F, insert: Insert)
where
Locator: Fn(),
F: Fn(I) -> O + 'static,
Insert: Fn(String, CallId),
{
let location = FunctionLocation::from(locator)
.normalize()
.strip_name_prefix(MOCK_FN_PREFIX)
.assimilate_trait_prefix()
.append_type_signature::<I, O>();
insert(location.get(TraitInfo::Whatever), storage::register_call(f))
}
/// Execute a function from the function storage.
/// This function should be called with a locator used as a function
/// identification.
pub fn execute<Locator, I, O, Get>(locator: Locator, input: I, get: Get) -> O
where
Locator: Fn(),
Get: Fn(String) -> Option<CallId>,
{
let location = FunctionLocation::from(locator)
.normalize()
.append_type_signature::<I, O>();
let call_id = get(location.get(TraitInfo::Yes))
.or_else(|| get(location.get(TraitInfo::No)))
.unwrap_or_else(|| panic!("Mock was not found. Location: {location:?}"));
storage::execute_call(call_id, input).unwrap_or_else(|err| {
panic!("{err}. Location: {location:?}");
})
}
/// Register a mock function into the mock function storage.
/// Same as `register()` but it uses as locator who calls this macro.
#[macro_export]
macro_rules! register_call {
($f:expr) => {{
$crate::register(|| (), $f, CallIds::<T>::insert);
}};
}
/// Register a mock function into the mock function storage for a pallet with
/// instances. Same as `register()` but it uses as locator who calls this macro.
#[macro_export]
macro_rules! register_call_instance {
($f:expr) => {{
$crate::register(|| (), $f, CallIds::<T, I>::insert);
}};
}
/// Execute a function from the function storage.
/// Same as `execute()` but it uses as locator who calls this macro.
#[macro_export]
macro_rules! execute_call {
($input:expr) => {{
$crate::execute(|| (), $input, CallIds::<T>::get)
}};
}
/// Execute a function from the function storage for a pallet with instances.
/// Same as `execute()` but it uses as locator who calls this macro.
#[macro_export]
macro_rules! execute_call_instance {
($input:expr) => {{
$crate::execute(|| (), $input, CallIds::<T, I>::get)
}};
}