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
//! Completely mock runtime
use amplify::Getters;
use futures::FutureExt as _;
use strum::IntoEnumIterator as _;
use void::{ResultVoidExt as _, Void};
use crate::util::impl_runtime_prelude::*;
use crate::net::MockNetProvider;
use crate::task::{MockExecutor, SchedulingPolicy};
use crate::time::MockSleepProvider;
/// Completely mock runtime
///
/// Suitable for test cases that wish to completely control
/// the environment experienced by the code under test.
///
/// ### Restrictions
///
/// The test case must advance the mock time explicitly as desired.
/// There is not currently any facility for automatically
/// making progress by advancing the mock time by the right amounts
/// for the timeouts set by the futures under test.
// ^ I think such a facility could be provided. `MockSleepProvider` would have to
// provide a method to identify the next interesting time event.
// The waitfor machinery in MockSleepProvider and MockSleepRuntime doesn't seem suitable.
///
/// Tests that use this runtime *must not* interact with the outside world;
/// everything must go through this runtime (and its pieces).
///
/// #### Allowed
///
/// * Inter-future communication facilities from `futures`
/// or other runtime-agnostic crates.
///
/// * Fast synchronous operations that will complete "immediately" or "quickly".
/// E.g.: filesystem calls.
///
/// * `std::sync::Mutex` (assuming the use is deadlock-free in a single-threaded
/// executor, as it should be in all of Arti).
///
/// * Slower operations that are run synchronously (without futures `await`)
/// provided their completion doesn't depend on any of the futures we're running.
/// (These kind of operations are often discouraged in async contexts,
/// because they block the async runtime or its worker threads.
/// But they are often OK in tests.)
///
/// * All facilities provided by this `MockExecutor` and its trait impls.
///
/// #### Not allowed
///
/// * Direct access to the real-world clock (`SystemTime::now`, `Instant::now`).
/// Including `coarsetime`, which is not mocked.
/// Exception: CPU use measurements.
///
/// * Anything that spawns threads and then communicates with those threads
/// using async Rust facilities (futures).
///
/// * Async sockets, or async use of other kernel-based IPC or network mechanisms.
///
/// * Anything provided by a Rust runtime/executor project (eg anything from Tokio),
/// unless it is definitively established that it's runtime-agnostic.
#[derive(Debug, Default, Clone, Getters, Adhoc)]
#[derive_adhoc(SomeMockRuntime)]
#[getter(prefix = "mock_")]
pub struct MockRuntime {
/// Tasks
#[adhoc(mock(task))]
task: MockExecutor,
/// Time provider
#[adhoc(mock(sleep))]
sleep: MockSleepProvider,
/// Net provider
#[adhoc(mock(net))]
net: MockNetProvider,
}
/// Builder for a manually-configured `MockRuntime`
#[derive(Debug, Default, Clone)]
pub struct MockRuntimeBuilder {
/// scheduling policy
scheduling: SchedulingPolicy,
/// starting wall clock time
starting_wallclock: Option<SystemTime>,
}
impl MockRuntime {
/// Create a new `MockRuntime` with default parameters
pub fn new() -> Self {
Self::default()
}
/// Return a builder, for creating a `MockRuntime` with some parameters manually configured
pub fn builder() -> MockRuntimeBuilder {
Default::default()
}
/// Run a test case with a variety of runtime parameters, to try to find bugs
///
/// `test_case` is an async closure which receives a `MockRuntime`.
/// It will be run with a number of differently configured executors.
///
/// ### Variations
///
/// The only variation currently implemented is this:
///
/// Both FIFO and LIFO scheduling policies are tested,
/// in the hope that this will help discover ordering-dependent bugs.
pub fn test_with_various<TC, FUT>(mut test_case: TC)
where
TC: FnMut(MockRuntime) -> FUT,
FUT: Future<Output = ()>,
{
Self::try_test_with_various(|runtime| test_case(runtime).map(|()| Ok::<_, Void>(())))
.void_unwrap();
}
/// Run a faillible test case with a variety of runtime parameters, to try to find bugs
///
/// `test_case` is an async closure which receives a `MockRuntime`.
/// It will be run with a number of differently configured executors.
///
/// This function accepts a fallible closure,
/// and returns the first `Err` to the caller.
///
/// See [`test_with_various()`](MockRuntime::test_with_various) for more details.
pub fn try_test_with_various<TC, FUT, E>(mut test_case: TC) -> Result<(), E>
where
TC: FnMut(MockRuntime) -> FUT,
FUT: Future<Output = Result<(), E>>,
{
for scheduling in SchedulingPolicy::iter() {
let runtime = MockRuntime::builder().scheduling(scheduling).build();
runtime.block_on(test_case(runtime.clone()))?;
}
Ok(())
}
/// Run tasks in the current executor until every task except this one is waiting
///
/// Calls [`MockExecutor::progress_until_stalled()`].
///
/// # Restriction - no automatic time advance
///
/// The mocked time will *not* be automatically advanced.
///
/// Usually
/// (and especially if the tasks under test are waiting for timeouts or periodic events)
/// you must use
/// [`advance()`](MockRuntime::advance)
/// or
/// [`jump_to()`](MockRuntime::jump_to)
/// to ensure the simulated time progresses as required.
///
/// # Panics
///
/// Might malfunction or panic if more than one such call is running at once.
///
/// (Ie, you must `.await` or drop the returned `Future`
/// before calling this method again.)
///
/// Must be called and awaited within a future being run by `self`.
pub async fn progress_until_stalled(&self) {
self.task.progress_until_stalled().await;
}
/// See [`MockSleepProvider::advance()`]
pub async fn advance(&self, dur: Duration) {
self.sleep.advance(dur).await;
}
/// See [`MockSleepProvider::jump_to()`]
pub fn jump_to(&self, new_wallclock: SystemTime) {
self.sleep.jump_to(new_wallclock);
}
}
impl MockRuntimeBuilder {
/// Set the scheduling policy
pub fn scheduling(mut self, scheduling: SchedulingPolicy) -> Self {
self.scheduling = scheduling;
self
}
/// Set the starting wall clock time
pub fn starting_wallclock(mut self, starting_wallclock: SystemTime) -> Self {
self.starting_wallclock = Some(starting_wallclock);
self
}
/// Build the runtime
pub fn build(self) -> MockRuntime {
let MockRuntimeBuilder {
scheduling,
starting_wallclock,
} = self;
let sleep = if let Some(starting_wallclock) = starting_wallclock {
MockSleepProvider::new(starting_wallclock)
} else {
MockSleepProvider::default()
};
let task = MockExecutor::with_scheduling(scheduling);
MockRuntime {
sleep,
task,
..Default::default()
}
}
}