netstack3_base/time.rs
1// Copyright 2024 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5//! Common time abstractions.
6
7pub(crate) mod local_timer_heap;
8#[cfg(any(test, feature = "testutils"))]
9pub(crate) mod testutil;
10
11use core::convert::Infallible as Never;
12use core::fmt::Debug;
13use core::marker::PhantomData;
14use core::sync::atomic::Ordering;
15use core::time::Duration;
16
17use crate::inspect::InspectableValue;
18
19/// A type representing an instant in time.
20///
21/// `Instant` can be implemented by any type which represents an instant in
22/// time. This can include any sort of real-world clock time (e.g.,
23/// [`std::time::Instant`]) or fake time such as in testing.
24pub trait Instant:
25 Sized + Ord + Copy + Clone + Debug + Send + Sync + InspectableValue + 'static
26{
27 /// Returns the amount of time elapsed from another instant to this one.
28 ///
29 /// Returns `None` if `earlier` is not before `self`.
30 fn checked_duration_since(&self, earlier: Self) -> Option<Duration>;
31
32 /// Returns the amount of time elapsed from another instant to this one,
33 /// saturating at zero.
34 fn saturating_duration_since(&self, earlier: Self) -> Duration {
35 self.checked_duration_since(earlier).unwrap_or_default()
36 }
37
38 /// Returns `Some(t)` where `t` is the time `self + duration` if `t` can be
39 /// represented as `Instant` (which means it's inside the bounds of the
40 /// underlying data structure), `None` otherwise.
41 fn checked_add(&self, duration: Duration) -> Option<Self>;
42
43 /// Returns the instant at `self + duration` saturating to the maximum
44 /// representable instant value.
45 fn saturating_add(&self, duration: Duration) -> Self;
46
47 /// Unwraps the result from `checked_add`.
48 ///
49 /// # Panics
50 ///
51 /// This function will panic if the addition makes the clock wrap around.
52 fn panicking_add(&self, duration: Duration) -> Self {
53 self.checked_add(duration).unwrap_or_else(|| {
54 panic!("clock wraps around when adding {:?} to {:?}", duration, *self);
55 })
56 }
57
58 /// Returns `Some(t)` where `t` is the time `self - duration` if `t` can be
59 /// represented as `Instant` (which means it's inside the bounds of the
60 /// underlying data structure), `None` otherwise.
61 fn checked_sub(&self, duration: Duration) -> Option<Self>;
62}
63
64/// A type representing an instant in time that can be atomically updated.
65pub trait AtomicInstant<I: Instant>: Debug {
66 /// Instantiates [`Self`] from the given instant.
67 fn new(instant: I) -> Self;
68
69 /// Loads an [`Instant`], atomically.
70 fn load(&self, ordering: Ordering) -> I;
71
72 /// Stores an [`Instant`], atomically,
73 fn store(&self, instant: I, ordering: Ordering);
74
75 /// Store the maximum of the current value and the provided value.
76 fn store_max(&self, instant: I, ordering: Ordering);
77}
78
79/// Trait defining the `Instant` type provided by bindings' [`InstantContext`]
80/// implementation.
81///
82/// It is a separate trait from `InstantContext` so the type stands by itself to
83/// be stored at rest in core structures.
84pub trait InstantBindingsTypes {
85 /// The type of an instant in time.
86 ///
87 /// All time is measured using `Instant`s, including scheduling timers
88 /// through [`TimerContext`]. This type may represent some sort of
89 /// real-world time (e.g., [`std::time::Instant`]), or may be faked in
90 /// testing using a fake clock.
91 type Instant: Instant + 'static;
92
93 /// An atomic representation of [`Self::Instant`].
94 type AtomicInstant: AtomicInstant<Self::Instant>;
95}
96
97/// A context that provides access to a monotonic clock.
98pub trait InstantContext: InstantBindingsTypes {
99 /// Returns the current instant.
100 ///
101 /// `now` guarantees that two subsequent calls to `now` will return
102 /// monotonically non-decreasing values.
103 fn now(&self) -> Self::Instant;
104
105 /// Returns the current instant, as an [`Self::AtomicInstant`].
106 fn now_atomic(&self) -> Self::AtomicInstant {
107 Self::AtomicInstant::new(self.now())
108 }
109}
110
111/// Opaque types provided by bindings used by [`TimerContext`].
112pub trait TimerBindingsTypes {
113 /// State for a timer created through [`TimerContext`].
114 type Timer: Debug + Send + Sync;
115 /// The type used to dispatch fired timers from bindings to core.
116 type DispatchId: Clone;
117 /// A value that uniquely identifiers a `Timer`. It is given along with the
118 /// `DispatchId` whenever a timer is fired.
119 ///
120 /// See [`TimerContext::unique_timer_id`] for details.
121 type UniqueTimerId: PartialEq + Eq;
122}
123
124/// A context providing time scheduling to core.
125pub trait TimerContext: InstantContext + TimerBindingsTypes {
126 /// Creates a new timer that dispatches `id` back to core when fired.
127 ///
128 /// Creating a new timer is an expensive operation and should be used
129 /// sparingly. Modules should prefer to create a timer on creation and then
130 /// schedule/reschedule it as needed. For modules with very dynamic timers,
131 /// a [`LocalTimerHeap`] tied to a larger `Timer` might be a better
132 /// alternative than creating many timers.
133 fn new_timer(&mut self, id: Self::DispatchId) -> Self::Timer;
134
135 /// Schedule a timer to fire at some point in the future.
136 /// Returns the previously scheduled instant, if this timer was scheduled.
137 fn schedule_timer_instant(
138 &mut self,
139 time: Self::Instant,
140 timer: &mut Self::Timer,
141 ) -> Option<Self::Instant>;
142
143 /// Like [`schedule_timer_instant`] but schedules a time for `duration` in
144 /// the future.
145 fn schedule_timer(
146 &mut self,
147 duration: Duration,
148 timer: &mut Self::Timer,
149 ) -> Option<Self::Instant> {
150 self.schedule_timer_instant(self.now().checked_add(duration).unwrap(), timer)
151 }
152
153 /// Cancel a timer.
154 ///
155 /// Cancels `timer`, returning the instant it was scheduled for if it was
156 /// scheduled.
157 ///
158 /// Note that there's no guarantee that observing `None` means that the
159 /// dispatch procedure for a previously fired timer has already concluded.
160 /// It is possible to observe `None` here while the `DispatchId` `timer`
161 /// was created with is still making its way to the module that originally
162 /// scheduled this timer. If `Some` is observed, however, then the
163 /// `TimerContext` guarantees this `timer` will *not* fire until
164 ///[`schedule_timer_instant`] is called to reschedule it.
165 fn cancel_timer(&mut self, timer: &mut Self::Timer) -> Option<Self::Instant>;
166
167 /// Get the instant a timer will fire, if one is scheduled.
168 fn scheduled_instant(&self, timer: &mut Self::Timer) -> Option<Self::Instant>;
169
170 /// Retrieves the timer id for `timer`.
171 ///
172 /// This can be used with [`TimerHandler::handle_timer`] to match a
173 /// [`Self::Timer`] instance with a firing event.
174 fn unique_timer_id(&self, timer: &Self::Timer) -> Self::UniqueTimerId;
175}
176
177/// A handler for timer firing events.
178///
179/// A `TimerHandler` is a type capable of handling the event of a timer firing.
180///
181/// `TimerHandler` is offered as a blanket implementation for all timers that
182/// implement [`HandleableTimer`]. `TimerHandler` is meant to be used as bounds
183/// on core context types. whereas `HandleableTimer` allows split-crate
184/// implementations sidestepping coherence issues.
185pub trait TimerHandler<BC: TimerBindingsTypes, Id> {
186 /// Handle a timer firing.
187 ///
188 /// `dispatch` is the firing timer's dispatch identifier, i.e., a
189 /// [`HandleableTimer`].
190 ///
191 /// `timer` is the unique timer identifier for the
192 /// [`TimerBindingsTypes::Timer`] that scheduled this operation.
193 fn handle_timer(&mut self, bindings_ctx: &mut BC, dispatch: Id, timer: BC::UniqueTimerId);
194}
195
196impl<Id, CC, BC> TimerHandler<BC, Id> for CC
197where
198 BC: TimerBindingsTypes,
199 Id: HandleableTimer<CC, BC>,
200{
201 fn handle_timer(&mut self, bindings_ctx: &mut BC, dispatch: Id, timer: BC::UniqueTimerId) {
202 dispatch.handle(self, bindings_ctx, timer)
203 }
204}
205
206/// A timer that can be handled by a pair of core context `CC` and bindings
207/// context `BC`.
208///
209/// This trait exists to sidestep coherence issues when dealing with timer
210/// layers, see [`TimerHandler`] for more.
211pub trait HandleableTimer<CC, BC: TimerBindingsTypes> {
212 /// Handles this timer firing.
213 ///
214 /// `timer` is the unique timer identifier for the
215 /// [`TimerBindingsTypes::Timer`] that scheduled this operation.
216 fn handle(self, core_ctx: &mut CC, bindings_ctx: &mut BC, timer: BC::UniqueTimerId);
217}
218
219/// A core context providing timer type conversion.
220///
221/// This trait is used to convert from a core-internal timer type `T` to the
222/// timer dispatch ID supported by bindings in `BT::DispatchId`.
223pub trait CoreTimerContext<T, BT: TimerBindingsTypes> {
224 /// Converts an inner timer to the bindings timer type.
225 fn convert_timer(dispatch_id: T) -> BT::DispatchId;
226
227 /// A helper function to create a new timer with the provided dispatch id.
228 fn new_timer(bindings_ctx: &mut BT, dispatch_id: T) -> BT::Timer
229 where
230 BT: TimerContext,
231 {
232 bindings_ctx.new_timer(Self::convert_timer(dispatch_id))
233 }
234}
235
236/// An uninstantiable type that performs conversions based on `Into`
237/// implementations.
238pub enum IntoCoreTimerCtx {}
239
240impl<T, BT> CoreTimerContext<T, BT> for IntoCoreTimerCtx
241where
242 BT: TimerBindingsTypes,
243 T: Into<BT::DispatchId>,
244{
245 fn convert_timer(dispatch_id: T) -> BT::DispatchId {
246 dispatch_id.into()
247 }
248}
249
250/// An uninstantiable type that performs conversions based on `Into`
251/// implementations and an available outer [`CoreTimerContext`] `CC`.
252pub struct NestedIntoCoreTimerCtx<CC, N>(Never, PhantomData<(CC, N)>);
253
254impl<CC, N, T, BT> CoreTimerContext<T, BT> for NestedIntoCoreTimerCtx<CC, N>
255where
256 BT: TimerBindingsTypes,
257 CC: CoreTimerContext<N, BT>,
258 T: Into<N>,
259{
260 fn convert_timer(dispatch_id: T) -> BT::DispatchId {
261 CC::convert_timer(dispatch_id.into())
262 }
263}