wlan_hw_sim/event/
mod.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
5//! Event handling and composition for interacting with the WLAN tap driver.
6//!
7//! This module provides APIs for writing tests that must handle and interact with events from the
8//! WLAN tap driver. The primary mechanism for this are event handlers, which can be composed in
9//! sophisticated ways to route and act upon events. The hardware simulator test harness forwards
10//! events into these handlers.
11//!
12//! Event handlers are described by the [`Handler`] trait. Much like the standard [`Iterator`]
13//! trait, [`Handler`] is composable. Event handlers are constructed by composing [`Handler`]s
14//! together via combinators. [`Handler`] has many associated functions that are analogous to those
15//! found in [`Iterator`], [`Option`], and [`Result`] and follows many of the same patterns. The
16//! execution of handlers and routing of events is largely controlled by whether or not handlers
17//! match an event: see [`Handled`], which resembles [`Option`].
18//!
19//! The primary method of the [`Handler`] trait is [`call`][`Handler::call`], which accepts an
20//! exclusive reference to state and a shared reference to an event and must react to this event
21//! and return a [`Handled`] that describes whether or not the event was matched and, if so, what
22//! the output is.
23//!
24//! # Examples
25//!
26//! [`Handler`] combinators can be used to construct complex event handlers in a declarative way.
27//! The following non-trivial example constructs an event handler that examines the status code of
28//! an association response frame. The handler also enforces ordering: action frames may arrive at
29//! any time, but any other management frame must follow the association response frame.
30//!
31//! ```rust,ignore
32//! let mut handler = event::on_transmit(branch::or(( // Only handle transmit events.
33//!     event::extract(|_: Buffered<ActionFrame<false>>| {}), // Allow (ignore) action frames...
34//!     event::until_first_match(branch::or(( // ...or match only once.
35//!         event::extract(|frame: Buffered<AssocRespFrame>| { // Examine response frames...
36//!             let frame = frame.get();
37//!             assert_eq!(
38//!                 { frame.assoc_resp_hdr.status_code },
39//!                 fidl_ieee80211::StatusCode::Success.into(),
40//!             );
41//!         })
42//!         .and(event::once(|_, _| sender.send(()).unwrap())), // ...and send a completion signal...
43//!         event::extract(|_: Buffered<MgmtFrame>| {
44//!             panic!("unexpected management frame"); // ...or panic if a management frame arrives instead.
45//!         }),
46//!     ))),
47//! )));
48//! ```
49//!
50//! See existing tests for more examples of constructing event handlers.
51//!
52//! [`Handled`]: crate::event::Handled
53//! [`Handler`]: crate::event::Handler
54//! [`Handler::call`]: crate::event::Handler::call
55//! [`Iterator`]: core::iter::Iterator
56//! [`Option`]: core::option::Option
57
58mod convert;
59mod extract;
60mod filter;
61
62pub mod action;
63pub mod branch;
64pub mod buffered;
65
66use anyhow::Context as _;
67use std::convert::Infallible;
68use std::fmt::{Debug, Display};
69use std::marker::PhantomData;
70use std::ops::{ControlFlow, RangeBounds};
71use std::thread;
72
73pub use crate::event::convert::Try;
74pub use crate::event::extract::{extract, extract_and_match, Stateful};
75pub use crate::event::filter::{
76    on_join_bss, on_scan, on_set_channel, on_set_country, on_start_mac, on_transmit,
77};
78pub use crate::event::Handled::{Matched, Unmatched};
79
80// The WLAN tap `WlanSoftmacStart` function has no parameters and so, unlike other events, there is
81// no corresponding FIDL type to import. This zero-sized type represents this event. For example,
82// the bound `Handler<(), StartMacArgs>` represents a handler type that reacts to this event.
83#[derive(Clone, Copy, Debug)]
84pub struct StartMacArgs;
85
86/// A composable event handler.
87///
88/// This trait describes types that react to WLAN tap driver events. Such types can be composed in
89/// a similar manner to the standard [`Iterator`] trait using adapter and combinator functions.
90/// Most `Handler` functions resemble those found in [`Iterator`], [`Option`], and [`Result`].
91///
92/// The primary method implemented by event handlers is [`call`][`Handler::call`], which receives
93/// an exclusive reference to some state (of the input type `S`) and a shared reference to some
94/// event (of the input type `E`) and returns a [`Handled`] that indicates whether or not the
95/// handler matched the event and, if so, provides some output (of the type
96/// [`Output`][`Handler::Output`]).
97///
98/// The matching of a handler with an event controls the routing and behavior of that handler. In
99/// particular, branching combinators like [`and`], [`or`], [`try_and_then`], etc. execute handlers
100/// based on whether or not the composed handlers have matched a given event.
101///
102/// [`and`]: crate::event::Handler::and
103/// [`Handled`]: crate::event::Handled
104/// [`Handler::call`]: crate::event::Handler::call
105/// [`Handler::Output`]: crate::event::Handler::Output
106/// [`Iterator`]: core::iter::Iterator
107/// [`Option`]: core::option::Option
108/// [`or`]: crate::event::Handler::or
109/// [`Result`]: core::option::Result
110/// [`try_and_then`]: crate::event::Handler::try_and_then
111pub trait Handler<S, E> {
112    /// The output of the event handler when it is matched.
113    type Output;
114
115    /// Reacts to an event with some state.
116    ///
117    /// Returns a [`Handled`] that indicates whether or not the handler matched the given event.
118    ///
119    /// [`Handled`]: crate::event::Handled
120    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output>;
121
122    /// Maps the output of the event handler using the given function.
123    fn map<U, F>(self, f: F) -> Map<Self, F>
124    where
125        Self: Sized,
126        F: FnMut(Self::Output) -> U,
127    {
128        Map { handler: self, f }
129    }
130
131    /// Executes the handler followed by the given handler if and only if the event is matched by
132    /// the first.
133    fn and<H2>(self, handler: H2) -> And<Self, H2>
134    where
135        Self: Sized,
136        H2: Handler<S, E>,
137    {
138        And { handler: self, and: handler }
139    }
140
141    /// Executes the handler followed by the given handler if and only if the event is matched by
142    /// the first and the output is not an error.
143    ///
144    /// As with other `try` functions, this function considers whether or not the handler matched
145    /// the event (`Handled::Matched` vs. `Handled::Unmatched`) **and** the output when matched
146    /// (output vs. error in `Handled::Matched`). Both `Handled::Unmatched` and `Handled::Matched`
147    /// **with an error** value are considered failures to handle an event.
148    fn try_and<H2>(self, handler: H2) -> TryAnd<Self, H2>
149    where
150        Self: Sized,
151        Self::Output: Try,
152        H2: Handler<S, E>,
153        H2::Output: Try<Residual = <Self::Output as Try>::Residual>,
154    {
155        TryAnd { handler: self, and: handler }
156    }
157
158    /// Executes the handler followed by the given function if and only if the event is matched by
159    /// the first. The function is given the output of the handler and must return a compatible
160    /// handler to execute next.
161    fn and_then<H2, F>(self, f: F) -> AndThen<Self, F>
162    where
163        Self: Sized,
164        H2: Handler<S, E>,
165        F: FnMut(Self::Output) -> H2,
166    {
167        AndThen { handler: self, f }
168    }
169
170    /// Executes the handler followed by the given function if and only if the event is matched by
171    /// the first and the output is not an error. The function is given the output of the handler
172    /// and must return a compatible handler to execute next.
173    ///
174    /// As with other `try` functions, this function considers whether or not the handler matched
175    /// the event (`Handled::Matched` vs. `Handled::Unmatched`) **and** the output when matched
176    /// (output vs. error in `Handled::Matched`). Both `Handled::Unmatched` and `Handled::Matched`
177    /// **with an error** value are considered failures to handle an event.
178    fn try_and_then<H2, F>(self, f: F) -> TryAndThen<Self, F>
179    where
180        Self: Sized,
181        Self::Output: Try,
182        H2: Handler<S, E>,
183        H2::Output: Try<Residual = <Self::Output as Try>::Residual>,
184        F: FnMut(<Self::Output as Try>::Output) -> H2,
185    {
186        TryAndThen { handler: self, f }
187    }
188
189    /// Executes the handler followed by the given handler if and only if the event is **not**
190    /// matched by the first.
191    fn or<H2>(self, handler: H2) -> Or<Self, H2>
192    where
193        Self: Sized,
194        H2: Handler<S, E, Output = Self::Output>,
195    {
196        Or { handler: self, or: handler }
197    }
198
199    /// Executes the handler followed by the given handler if the event is **not** matched by the
200    /// first or the output is an error. That is, the given handler is executed only if the first
201    /// fails: it does not match the event or it matches **but returns an error**.
202    ///
203    /// As with other `try` functions, this function considers whether or not the handler matched
204    /// the event (`Handled::Matched` vs. `Handled::Unmatched`) **and** the output when matched
205    /// (output vs. error in `Handled::Matched`). Both `Handled::Unmatched` and `Handled::Matched`
206    /// **with an error** value are considered failures to handle an event.
207    fn try_or<H2>(self, handler: H2) -> TryOr<Self, H2>
208    where
209        Self: Sized,
210        Self::Output: Try,
211        H2: Handler<S, E, Output = Self::Output>,
212    {
213        TryOr { handler: self, or: handler }
214    }
215
216    /// Combines the handler's output with [`try_or`] over `Unmatched`.
217    ///
218    /// This adapter terminates a chain of `try` combinators such that the last handler's output is
219    /// tried and, if it is unmatched or an error, `Unmatched` is returned.
220    fn try_or_unmatched(self) -> TryOrUnmatched<Self>
221    where
222        Self: Sized,
223        Self::Output: Try,
224    {
225        TryOrUnmatched { handler: self }
226    }
227
228    /// Provides context for fallible outputs (like `Result`s).
229    fn context<C, O, D>(self, context: C) -> Context<Self, C, O, D>
230    where
231        Self: Sized,
232        Self::Output: anyhow::Context<O, D>,
233        C: Clone + Display + Send + Sync + 'static,
234    {
235        Context { handler: self, context, phantom: PhantomData }
236    }
237
238    /// Panics with the given message if a fallible output indicates an error.
239    fn expect<M>(self, message: M) -> Expect<Self, M>
240    where
241        Self: Sized,
242        Self::Output: Try,
243        M: Display,
244    {
245        Expect { handler: self, message: message.into() }
246    }
247
248    /// Panics if the event handler does not match an event a number of times within the specified
249    /// range.
250    ///
251    /// The panic occurs as eagerly as possible, but may be deferred until the event handler is
252    /// dropped if the number of matches is less than the lower bound of the range. Such a panic is
253    /// disabled if the thread is already panicking.
254    fn expect_matches_times<R>(self, expected: R) -> ExpectMatchesTimes<Self, R>
255    where
256        Self: Sized,
257        R: RangeBounds<usize>,
258    {
259        ExpectMatchesTimes { handler: self, n: 0, expected }
260    }
261
262    /// Borrows the event handler (rather than consuming it).
263    ///
264    /// This function is analogous to [`Iterator::by_ref`] and can be used to apply adapters and
265    /// compositions to an event handler without consuming (moving) it. In particular, this is
266    /// useful when code cannot relinquish ownership of a handler and yet must adapt it, such as
267    /// methods that operate on a handler field through a reference.
268    ///
269    /// [`Iterator::by_ref`]: core::iter::Iterator::by_ref
270    fn by_ref(&mut self) -> ByRef<'_, Self>
271    where
272        Self: Sized,
273    {
274        ByRef { handler: self }
275    }
276}
277
278impl<F, S, E, U> Handler<S, E> for F
279where
280    F: FnMut(&mut S, &E) -> Handled<U>,
281{
282    type Output = U;
283
284    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
285        (self)(state, event)
286    }
287}
288
289impl<'h, S, E, O> Handler<S, E> for &'h mut dyn Handler<S, E, Output = O> {
290    type Output = O;
291
292    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
293        (**self).call(state, event)
294    }
295}
296
297impl<'h, S, E, O> Handler<S, E> for Box<dyn Handler<S, E, Output = O> + 'h> {
298    type Output = O;
299
300    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
301        self.as_mut().call(state, event)
302    }
303}
304
305#[derive(Debug)]
306pub struct Map<H, F> {
307    handler: H,
308    f: F,
309}
310
311impl<H, S, E, U, F> Handler<S, E> for Map<H, F>
312where
313    H: Handler<S, E>,
314    F: FnMut(H::Output) -> U,
315{
316    type Output = U;
317
318    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
319        self.handler.call(state, event).map(&mut self.f)
320    }
321}
322
323#[derive(Debug)]
324pub struct And<H1, H2> {
325    handler: H1,
326    and: H2,
327}
328
329impl<H1, S, E, H2> Handler<S, E> for And<H1, H2>
330where
331    H1: Handler<S, E>,
332    H2: Handler<S, E>,
333{
334    type Output = H2::Output;
335
336    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
337        self.handler.call(state, event).and_then(|_| self.and.call(state, event))
338    }
339}
340
341#[derive(Debug)]
342pub struct TryAnd<H1, H2> {
343    handler: H1,
344    and: H2,
345}
346
347impl<H1, S, E, H2> Handler<S, E> for TryAnd<H1, H2>
348where
349    H1: Handler<S, E>,
350    H1::Output: Try,
351    H2: Handler<S, E>,
352    H2::Output: Try<Residual = <H1::Output as Try>::Residual>,
353{
354    type Output = H2::Output;
355
356    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
357        self.handler.call(state, event).try_and_then(|_| self.and.call(state, event))
358    }
359}
360
361#[derive(Debug)]
362pub struct AndThen<H, F> {
363    handler: H,
364    f: F,
365}
366
367impl<H1, S, E, H2, F> Handler<S, E> for AndThen<H1, F>
368where
369    H1: Handler<S, E>,
370    H2: Handler<S, E>,
371    F: FnMut(H1::Output) -> H2,
372{
373    type Output = H2::Output;
374
375    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
376        self.handler.call(state, event).and_then(|output| (self.f)(output).call(state, event))
377    }
378}
379
380#[derive(Debug)]
381pub struct TryAndThen<H, F> {
382    handler: H,
383    f: F,
384}
385
386impl<H1, S, E, H2, F> Handler<S, E> for TryAndThen<H1, F>
387where
388    H1: Handler<S, E>,
389    H1::Output: Try,
390    H2: Handler<S, E>,
391    H2::Output: Try<Residual = <H1::Output as Try>::Residual>,
392    F: FnMut(<H1::Output as Try>::Output) -> H2,
393{
394    type Output = H2::Output;
395
396    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
397        self.handler.call(state, event).try_and_then(|output| (self.f)(output).call(state, event))
398    }
399}
400
401#[derive(Debug)]
402pub struct Or<H1, H2> {
403    handler: H1,
404    or: H2,
405}
406
407impl<H1, S, E, H2> Handler<S, E> for Or<H1, H2>
408where
409    H1: Handler<S, E>,
410    H2: Handler<S, E, Output = H1::Output>,
411{
412    type Output = H2::Output;
413
414    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
415        self.handler.call(state, event).or_else(|| self.or.call(state, event))
416    }
417}
418
419#[derive(Debug)]
420pub struct TryOr<H1, H2> {
421    handler: H1,
422    or: H2,
423}
424
425impl<H1, S, E, H2> Handler<S, E> for TryOr<H1, H2>
426where
427    H1: Handler<S, E>,
428    H1::Output: Try,
429    H2: Handler<S, E, Output = H1::Output>,
430{
431    type Output = H2::Output;
432
433    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
434        self.handler.call(state, event).try_or_else(|| self.or.call(state, event))
435    }
436}
437
438#[derive(Debug)]
439pub struct TryOrUnmatched<H> {
440    handler: H,
441}
442
443impl<H, S, E> Handler<S, E> for TryOrUnmatched<H>
444where
445    H: Handler<S, E>,
446    H::Output: Try,
447{
448    type Output = H::Output;
449
450    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
451        self.handler.call(state, event).try_or_else(|| Handled::Unmatched)
452    }
453}
454
455#[derive(Debug)]
456pub struct Context<H, C, O, D> {
457    handler: H,
458    context: C,
459    phantom: PhantomData<fn() -> (O, D)>,
460}
461
462impl<H, S, E, C, O, D> Handler<S, E> for Context<H, C, O, D>
463where
464    H: Handler<S, E>,
465    H::Output: anyhow::Context<O, D>,
466    C: Clone + Display + Send + Sync + 'static,
467{
468    type Output = Result<O, anyhow::Error>;
469
470    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
471        match self.handler.call(state, event) {
472            Handled::Matched(output) => Handled::Matched(output.context(self.context.clone())),
473            _ => Handled::Unmatched,
474        }
475    }
476}
477
478#[derive(Debug)]
479pub struct Expect<H, M> {
480    handler: H,
481    message: M,
482}
483
484impl<H, S, E, M> Handler<S, E> for Expect<H, M>
485where
486    H: Handler<S, E>,
487    H::Output: Try,
488    M: Display,
489{
490    type Output = <H::Output as Try>::Output;
491
492    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
493        match self.handler.call(state, event) {
494            Handled::Matched(output) => Handled::Matched(output.expect(&self.message)),
495            Handled::Unmatched => Handled::Unmatched,
496        }
497    }
498}
499
500#[derive(Debug)]
501pub struct ExpectMatchesTimes<H, R>
502where
503    R: RangeBounds<usize>,
504{
505    handler: H,
506    n: usize,
507    expected: R,
508}
509
510impl<H, R> ExpectMatchesTimes<H, R>
511where
512    R: RangeBounds<usize>,
513{
514    fn assert(&self) {
515        assert!(
516            self.expected.contains(&self.n),
517            "handler called {} time(s); expected {:?}-{:?} time(s)",
518            self.n,
519            self.expected.start_bound(),
520            self.expected.end_bound(),
521        );
522    }
523}
524
525impl<H, R> Drop for ExpectMatchesTimes<H, R>
526where
527    R: RangeBounds<usize>,
528{
529    fn drop(&mut self) {
530        if !thread::panicking() {
531            self.assert();
532        }
533    }
534}
535
536impl<H, S, E, R> Handler<S, E> for ExpectMatchesTimes<H, R>
537where
538    H: Handler<S, E>,
539    R: RangeBounds<usize>,
540{
541    type Output = H::Output;
542
543    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
544        let output = self.handler.call(state, event);
545        if output.is_matched() {
546            self.n = self.n.saturating_add(1);
547            self.assert();
548        }
549        output
550    }
551}
552
553pub struct ByRef<'h, H> {
554    handler: &'h mut H,
555}
556
557impl<'h, H, S, E> Handler<S, E> for ByRef<'h, H>
558where
559    H: Handler<S, E>,
560{
561    type Output = H::Output;
562
563    fn call(&mut self, state: &mut S, event: &E) -> Handled<Self::Output> {
564        self.handler.call(state, event)
565    }
566}
567
568/// The reaction of an event handler to a particular event.
569///
570/// `Handled` describes whether or not a handler has matched a particular event. When matched, a
571/// handler may include an arbitrary output. When unmatched, there is no further output. Whether or
572/// not a handler has matched an event can affect the execution of a composite handler and the test
573/// harness.
574///
575/// Note that matching an event has no precise definition: handlers may react arbitrarily to
576/// events. In practice, there is little ambiguity, but handlers and adapters can match in
577/// particular ways to enable certain handler behaviors. See the [`until_first_match`] adapter for
578/// an example.
579///
580/// [`until_first_match`]: crate::event::until_first_match
581#[derive(Clone, Copy, Debug, Eq, PartialEq)]
582pub enum Handled<T> {
583    /// An event handler has matched and handled an event.
584    Matched(T),
585    /// An event handler has **not** matched nor handled an event.
586    Unmatched,
587}
588
589impl<T> Handled<T> {
590    pub fn map<U, F>(self, f: F) -> Handled<U>
591    where
592        F: FnOnce(T) -> U,
593    {
594        match self {
595            Handled::Matched(inner) => Handled::Matched(f(inner)),
596            Handled::Unmatched => Handled::Unmatched,
597        }
598    }
599
600    pub fn and_then<U, F>(self, f: F) -> Handled<U>
601    where
602        F: FnOnce(T) -> Handled<U>,
603    {
604        match self {
605            Handled::Matched(inner) => f(inner),
606            Handled::Unmatched => Handled::Unmatched,
607        }
608    }
609
610    pub fn and<U>(self, right: Handled<U>) -> Handled<U> {
611        self.and_then(|_| right)
612    }
613
614    pub fn try_and_then<U, F>(self, f: F) -> Handled<U>
615    where
616        T: Try,
617        F: FnOnce(T::Output) -> Handled<U>,
618    {
619        self.and_then(|output| match output.branch() {
620            ControlFlow::Continue(output) => f(output),
621            ControlFlow::Break(_) => Handled::Unmatched,
622        })
623    }
624
625    pub fn or_else<F>(self, f: F) -> Self
626    where
627        F: FnOnce() -> Self,
628    {
629        match self {
630            Handled::Matched(_) => self,
631            Handled::Unmatched => f(),
632        }
633    }
634
635    pub fn or(self, right: Self) -> Self {
636        self.or_else(move || right)
637    }
638
639    pub fn try_or_else<F>(self, f: F) -> Self
640    where
641        T: Try,
642        F: FnOnce() -> Self,
643    {
644        match self {
645            Handled::Matched(inner) => match inner.branch() {
646                ControlFlow::Continue(output) => Handled::Matched(Try::from_output(output)),
647                ControlFlow::Break(_) => f(),
648            },
649            Handled::Unmatched => f(),
650        }
651    }
652
653    pub fn flatten(self) -> Handled<T::Output>
654    where
655        T: Try,
656    {
657        match self {
658            Handled::Matched(inner) => match inner.branch() {
659                ControlFlow::Continue(output) => Handled::Matched(output),
660                ControlFlow::Break(_) => Handled::Unmatched,
661            },
662            Handled::Unmatched => Handled::Unmatched,
663        }
664    }
665
666    pub fn matched(self) -> Option<T> {
667        match self {
668            Handled::Matched(inner) => Some(inner),
669            Handled::Unmatched => None,
670        }
671    }
672
673    pub fn is_matched(&self) -> bool {
674        matches!(self, Handled::Matched(_))
675    }
676
677    pub fn is_unmatched(&self) -> bool {
678        matches!(self, Handled::Unmatched)
679    }
680}
681
682impl<T> From<T> for Handled<T> {
683    fn from(matched: T) -> Self {
684        Handled::Matched(matched)
685    }
686}
687
688impl<T> Try for Handled<T> {
689    type Output = T;
690    type Residual = Handled<Infallible>;
691
692    fn from_output(output: Self::Output) -> Self {
693        Handled::Matched(output)
694    }
695
696    fn from_residual(_: Self::Residual) -> Self {
697        Handled::Unmatched
698    }
699
700    fn branch(self) -> ControlFlow<Self::Residual, Self::Output> {
701        match self {
702            Handled::Matched(output) => ControlFlow::Continue(output),
703            Handled::Unmatched => ControlFlow::Break(Handled::Unmatched),
704        }
705    }
706}
707
708/// Boxes an event handler as a trait object.
709///
710/// This function can be used for dynamic dispatch and conditionals wherein the `Handler` type
711/// parameters and associated types are the same yet the implementing handler types differ. That
712/// is, with the exception of the output type, this function erases the handler's type.
713pub fn boxed<'h, H, S, E>(handler: H) -> Box<dyn Handler<S, E, Output = H::Output> + 'h>
714where
715    H: Handler<S, E> + 'h,
716{
717    Box::new(handler)
718}
719
720/// Constructs an event handler that always matches.
721///
722/// This function can be used to adapt functions into handlers. The output of the accepted function
723/// is always wrapped by [`Handled::Matched`], meaning that the framework will always interpret the
724/// handler as having matched any event that it receives.
725///
726/// # Examples
727///
728/// ```rust,ignore
729/// let mut handler = event::on_transmit(event::matched(|_state, _event| {
730///     0 // This handler always return `Handled::Matched(0)`.
731/// }));
732/// ```
733///
734/// [`Handled::Matched`]: crate::event::Handled::Matched
735/// [`Handler`]: crate::event::Handler
736pub fn matched<S, E, T, F>(mut f: F) -> impl Handler<S, E, Output = T>
737where
738    F: FnMut(&mut S, &E) -> T,
739{
740    move |state: &mut S, event: &E| Handled::Matched(f(state, event))
741}
742
743/// Constructs an event handler from a `FnOnce` that only executes once.
744///
745/// The event handler executes the given function upon receiving its first call and always matches
746/// the event. After this occurs, the function has been consumed and the adapter always returns
747/// [`Handled::Unmatched`].
748///
749/// [`Handled::Unmatched`]: crate::event::Handled::Unmatched
750/// [`Handler`]: crate::event::Handler
751pub fn once<S, E, T, F>(f: F) -> impl Handler<S, E, Output = T>
752where
753    F: FnOnce(&mut S, &E) -> T,
754{
755    let mut f = Some(f);
756    move |state: &mut S, event: &E| {
757        f.take().map_or(Handled::Unmatched, |f| Handled::Matched(f(state, event)))
758    }
759}
760
761/// Stops executing its composed handler after its first match.
762///
763/// This function constructs a handler that forwards events to the composed handler until it
764/// returns [`Handled::Matched`]. After this occurs, the composed handler is no longer executed and
765/// the adapter always returns [`Handled::Unmatched`].
766///
767/// [`Handled::Matched`]: crate::event::Handled::Matched
768/// [`Handled::Unmatched`]: crate::event::Handled::Unmatched
769/// [`Handler`]: crate::event::Handler
770pub fn until_first_match<H, S, E>(handler: H) -> impl Handler<S, E, Output = H::Output>
771where
772    H: Handler<S, E>,
773{
774    let mut handler = Some(handler);
775    move |state: &mut S, event: &E| {
776        let output = handler.as_mut().map(|handler| handler.call(state, event));
777        match output {
778            Some(output) => {
779                if matches!(output, Handled::Matched(_)) {
780                    let _ = handler.take();
781                }
782                output
783            }
784            _ => Handled::Unmatched,
785        }
786    }
787}
788
789/// Forwards the given state to the composed event handler.
790///
791/// This state overrides any state passed to the constructed event handler; only the state given to
792/// this function is visible to the composed event handler.
793///
794/// # Examples
795///
796/// The following examples constructs an event handler where branches of an event handler have
797/// exclusive access to an `isize`. Note that it would not be possible for the closures to capture
798/// this state from the environment mutably, as the closures would need to mutably alias the data.
799///
800/// ```rust,ignore
801/// let mut handler = event::with_state(
802///     0isize,
803///     branch::or((
804///         event::extract(Stateful(|count: &mut isize, _: Buffered<MgmtFrame>| {
805///             *count += 1;
806///             *count
807///         })),
808///         event::extract(Stateful(|count: &mut isize, _: Buffered<DataFrame>| {
809///             *count -= 1;
810///             *count
811///         })),
812///     )),
813/// );
814/// ```
815pub fn with_state<H, S1, S2, E>(
816    mut state: S2,
817    mut handler: H,
818) -> impl Handler<S1, E, Output = H::Output>
819where
820    H: Handler<S2, E>,
821{
822    move |_state: &mut S1, event: &E| handler.call(&mut state, event)
823}
824
825/// Maps the state passed to the constructed handler and forwards the mapped state to its composed
826/// handler.
827///
828/// This function constructs a handler that maps the state it receives and passes the resulting
829/// state to its composed handler. The mapping function can produce arbitrary state for the
830/// composed handler.
831pub fn map_state<H, S1, S2, E, F>(
832    mut f: F,
833    mut handler: H,
834) -> impl Handler<S1, E, Output = H::Output>
835where
836    H: Handler<S2, E>,
837    F: FnMut(&mut S1) -> S2,
838{
839    move |s1: &mut S1, event: &E| {
840        let mut s2 = f(s1);
841        handler.call(&mut s2, event)
842    }
843}