wlan_hw_sim/event/
extract.rs

1// Copyright 2023 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
5use fidl_fuchsia_wlan_tap as fidl_tap;
6use std::fmt::{self, Debug, Formatter};
7use std::marker::PhantomData;
8use wlan_common::channel::Channel;
9
10use crate::event::{Handled, Handler};
11
12pub trait FromEvent<E>: Sized {
13    fn from_event(event: &E) -> Option<Self>;
14}
15
16impl FromEvent<fidl_tap::SetChannelArgs> for Channel {
17    fn from_event(event: &fidl_tap::SetChannelArgs) -> Option<Self> {
18        Channel::try_from(&event.channel).ok()
19    }
20}
21
22impl FromEvent<fidl_tap::SetCountryArgs> for [u8; 2] {
23    fn from_event(event: &fidl_tap::SetCountryArgs) -> Option<Self> {
24        Some(event.alpha2)
25    }
26}
27
28impl FromEvent<fidl_tap::TxArgs> for fidl_tap::WlanTxPacket {
29    fn from_event(event: &fidl_tap::TxArgs) -> Option<Self> {
30        Some(event.packet.clone())
31    }
32}
33
34/// An event handler that is implemented over combinations of adapters and arbitrary function
35/// parameters that are extracted from the given event.
36#[repr(transparent)]
37pub struct Extract<X, F> {
38    f: F,
39    phantom: PhantomData<fn() -> X>,
40}
41
42impl<X, F> Extract<X, F> {
43    fn new(f: F) -> Self {
44        Extract { f, phantom: PhantomData }
45    }
46}
47
48impl<X, F> Clone for Extract<X, F>
49where
50    F: Clone,
51{
52    fn clone(&self) -> Self {
53        Extract { f: self.f.clone(), phantom: PhantomData }
54    }
55}
56
57impl<X, F> Debug for Extract<X, F> {
58    fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
59        f.debug_struct("Extract").field("f", &"{unknown}").finish()
60    }
61}
62
63impl<X, F> Copy for Extract<X, F> where F: Copy {}
64
65// Unless adapted, handlers normally return a `Handled` that indicates whether or not they have
66// matched a given event. However, extractors default to the more common case and match if
67// extraction is successful (the composed function does **not** return a `Handled`). For the less
68// common case where the matching predicate is more complex, the `extract_and_match` function must
69// be used.
70#[derive(Clone, Copy, Debug)]
71#[repr(transparent)]
72pub struct AndMatch<E>(pub E);
73
74// Unless adapted, handlers normally receive state. However, extractors (and most handlers) rarely
75// need state. Because extractors take the form of functions with various parameters, they default
76// to the more common case and ignore state unless this marker type is used.
77/// A marker type that indicates that an extractor's first parameter accepts handler state.
78///
79/// When using state, the type of the state must be fully qualified and cannot be inferred. For
80/// more complex state types, consider using a type definition.
81///
82/// # Examples
83///
84/// This type must be used to interact with handler state within an extractor. The following
85/// constructs an event handler that runs and matches when a management frame can be extracted from
86/// an event and has exclusive access to state when it runs.
87///
88/// ```rust,ignore
89/// let mut handler = event::extract(Stateful(|state: &mut State, frame: Buffered<MgmtFrame>| {
90///     /* ... */
91/// }));
92/// ```
93#[derive(Clone, Copy, Debug)]
94#[repr(transparent)]
95pub struct Stateful<F>(pub F);
96
97/// Constructs an extractor event handler that runs and matches when its parameters can be
98/// extracted from an event.
99///
100/// An extractor executes when the arguments of its composed function can be constructed from an
101/// event. This both routes events within an event handler and extracts the necessary data for a
102/// handler declaratively without the need for the handler to destructure, convert, nor reference
103/// data in an ad-hoc manner.
104///
105/// # Examples
106///
107/// The following constructs an event handler that runs and matches when an authentication
108/// management frame can be extracted from a transmission event.
109///
110/// ```rust,ignore
111/// let mut handler = event::on_transmit(event::extract(|frame: Buffered<AuthFrame>| {
112///     let frame = frame.get();
113///     assert_eq!(
114///         { frame.auth_hdr.status_code },
115///         StatusCode::Success.into(),
116///     );
117/// }));
118/// ```
119pub fn extract<S, E, Z, F>(
120    f: F,
121) -> impl Handler<S, E, Output = <Extract<Z, F> as Handler<S, E>>::Output>
122where
123    Extract<Z, F>: Handler<S, E>,
124{
125    let mut extract = Extract::new(f);
126    move |state: &mut S, event: &E| extract.call(state, event)
127}
128
129/// Constructs an extractor event handler that runs when its parameters can be extracted from an
130/// event.
131///
132/// This function behaves much like [`extract`], but its composed function must return a
133/// [`Handled`] and the constructed event handler does not match unless the extraction is
134/// successful **and** the composed function indicates a match.
135///
136/// # Examples
137///
138/// The following constructs an event handler that runs when a management frame can be extracted
139/// from a transmission event and only matches when the management frame subtype is supported.
140/// (Note that this differs from extracting `Buffered<Supported<MgmtFrame>>`, as this handler
141/// executes for any management frame while that handler would only execute if the frame is
142/// supported.)
143///
144/// ```rust,ignore
145/// use Handled::{Matched, Unmatched};
146///
147/// let mut handler = event::on_transmit(event::extract_and_match(|frame: Buffered<MgmtFrame>| {
148///     let frame = frame.get();
149///     // ...
150///     if MgmtFrame::tag(frame).is_supported() { Matched(()) } else { Unmatched }
151/// }));
152/// ```
153///
154/// [`extract`]: crate::event::extract
155/// [`Handled`]: crate::event::Handled
156pub fn extract_and_match<S, E, Z, F>(
157    f: F,
158) -> impl Handler<S, E, Output = <AndMatch<Extract<Z, F>> as Handler<S, E>>::Output>
159where
160    AndMatch<Extract<Z, F>>: Handler<S, E>,
161{
162    let mut extract = AndMatch(Extract::new(f));
163    move |state: &mut S, event: &E| extract.call(state, event)
164}
165
166// Invokes another macro with the subsequences of a single tuple parameter (down to a unary tuple).
167// That is, given a macro `f` and the starting tuple `(T1, T2)`, this macro invokes `f!((T1, T2))`
168// and `f!((T2,))`.
169macro_rules! with_tuples {
170    ($f:ident$(,)?) => {};
171    ($f:ident, ( $head:ident$(,)? )$(,)?) => {
172        $f!(($head));
173        with_tuples!($f);
174    };
175    ($f:ident, ( $head:ident,$($tail:ident),* $(,)? )$(,)?) => {
176        $f!(($head,$($tail,)*));
177        with_tuples!($f, ($($tail,)*));
178    };
179}
180// Implements the `Handler` trait for `Extract` and related types in this module. Matching
181// parameters is accomplished via implementations over tuples of the parameter types. Each type
182// must implement `FromEvent` and `from_event` is called against the event and forwarded to the
183// parameters of the function.
184macro_rules! impl_handler_for_extract {
185    (( $($t:ident),* $(,)?)$(,)?) => {
186        #[allow(non_snake_case)]
187        impl<S, E, T, F, $($t,)*> Handler<S, E> for Extract<($($t,)*), F>
188        where
189            F: FnMut($($t,)*) -> T,
190            $(
191                $t: FromEvent<E>,
192            )*
193        {
194            type Output = T;
195
196            fn call(&mut self, _state: &mut S, event: &E) -> Handled<Self::Output> {
197                match (move || {
198                    Some(($(
199                        $t::from_event(event)?,
200                    )*))
201                })() {
202                    Some(($($t,)*)) => Handled::Matched((self.f)($($t,)*)),
203                    _ => Handled::Unmatched,
204                }
205            }
206        }
207
208        #[allow(non_snake_case)]
209        impl<S, E, T, F, $($t,)*> Handler<S, E> for Extract<Stateful<($($t,)*)>, Stateful<F>>
210        where
211            F: FnMut(&mut S, $($t,)*) -> T,
212            $(
213                $t: FromEvent<E>,
214            )*
215        {
216            type Output = T;
217
218            fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
219                match (move || {
220                    Some(($(
221                        $t::from_event(event)?,
222                    )*))
223                })() {
224                    Some(($($t,)*)) => Handled::Matched((self.f.0)(state, $($t,)*)),
225                    _ => Handled::Unmatched,
226                }
227            }
228        }
229        #[allow(non_snake_case)]
230        impl<S, E, T, F, $($t,)*> Handler<S, E> for AndMatch<Extract<($($t,)*), F>>
231        where
232            F: FnMut($($t,)*) -> Handled<T>,
233            $(
234                $t: FromEvent<E>,
235            )*
236        {
237            type Output = T;
238
239            fn call(&mut self, _state: &mut S, event: &E) -> Handled<Self::Output> {
240                match (move || {
241                    Some(($(
242                        $t::from_event(event)?,
243                    )*))
244                })() {
245                    Some(($($t,)*)) => (self.0.f)($($t,)*),
246                    _ => Handled::Unmatched,
247                }
248            }
249        }
250
251        #[allow(non_snake_case)]
252        impl<S, E, T, F, $($t,)*> Handler<S, E> for AndMatch<
253            Extract<Stateful<($($t,)*)>, Stateful<F>>
254        >
255        where
256            F: FnMut(&mut S, $($t,)*) -> Handled<T>,
257            $(
258                $t: FromEvent<E>,
259            )*
260        {
261            type Output = T;
262
263            fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
264                match (move || {
265                    Some(($(
266                        $t::from_event(event)?,
267                    )*))
268                })() {
269                    Some(($($t,)*)) => (self.0.f.0)(state, $($t,)*),
270                    _ => Handled::Unmatched,
271                }
272            }
273        }
274    };
275}
276with_tuples!(impl_handler_for_extract, (T1, T2, T3, T4, T5, T6));