input_pipeline/
interaction_state_handler.rs

1// Copyright 2022 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#![cfg(fuchsia_api_level_at_least = "HEAD")]
5use crate::input_device;
6use crate::input_handler::{InputHandlerStatus, UnhandledInputHandler};
7use anyhow::{Context, Error};
8use async_trait::async_trait;
9use async_utils::hanging_get::server::{HangingGet, Publisher, Subscriber};
10use fidl_fuchsia_input_interaction::{
11    NotifierRequest, NotifierRequestStream, NotifierWatchStateResponder, State,
12};
13use fidl_fuchsia_power_system::{ActivityGovernorMarker, ActivityGovernorProxy};
14use fuchsia_async::{Task, Timer};
15use fuchsia_component::client::connect_to_protocol;
16
17use fuchsia_inspect::health::Reporter;
18use futures::StreamExt;
19use std::cell::{Cell, RefCell};
20use std::rc::Rc;
21
22struct LeaseHolder {
23    activity_governor: ActivityGovernorProxy,
24    wake_lease: Option<zx::EventPair>,
25}
26
27impl LeaseHolder {
28    async fn new(activity_governor: ActivityGovernorProxy) -> Result<Self, Error> {
29        let wake_lease = activity_governor
30            .take_wake_lease("scene_manager")
31            .await
32            .context("cannot get wake lease from SAG")?;
33        log::info!("InteractionStateHandler created a wake lease during initialization.");
34
35        Ok(Self { activity_governor, wake_lease: Some(wake_lease) })
36    }
37
38    async fn create_lease(&mut self) -> Result<(), Error> {
39        if self.wake_lease.is_some() {
40            log::warn!("InteractionStateHandler already held a wake lease when trying to create one, please investigate.");
41            return Ok(());
42        }
43
44        let wake_lease = self
45            .activity_governor
46            .take_wake_lease("scene_manager")
47            .await
48            .context("cannot get wake lease from SAG")?;
49        self.wake_lease = Some(wake_lease);
50        log::info!(
51            "InteractionStateHandler created a wake lease due to receiving recent user input."
52        );
53
54        Ok(())
55    }
56
57    fn drop_lease(&mut self) {
58        if let Some(lease) = self.wake_lease.take() {
59            log::info!("InteractionStateHandler is dropping the wake lease due to not receiving any recent user input.");
60            std::mem::drop(lease);
61        } else {
62            log::warn!("InteractionStateHandler was not holding a wake lease when trying to drop one, please investigate.");
63        }
64    }
65
66    #[cfg(test)]
67    fn is_holding_lease(&self) -> bool {
68        self.wake_lease.is_some()
69    }
70}
71
72pub type NotifyFn = Box<dyn Fn(&State, NotifierWatchStateResponder) -> bool>;
73pub type InteractionStatePublisher = Publisher<State, NotifierWatchStateResponder, NotifyFn>;
74pub type InteractionStateSubscriber = Subscriber<State, NotifierWatchStateResponder, NotifyFn>;
75type InteractionHangingGet = HangingGet<State, NotifierWatchStateResponder, NotifyFn>;
76
77/// An [`InteractionStateHandler`] tracks the state of user input interaction.
78pub struct InteractionStateHandler {
79    // When `idle_threshold_ms` has transpired since the last user input
80    // interaction, the user interaction state will transition from active to idle.
81    idle_threshold_ms: zx::MonotonicDuration,
82
83    // The task holding the timer-based idle transition after last user input.
84    idle_transition_task: Cell<Option<Task<()>>>,
85
86    // The event time of the last user input interaction.
87    last_event_time: RefCell<zx::MonotonicInstant>,
88
89    // To support power management, the caller must provide `Some` value for
90    // `lease_holder`. The existence of a `LeaseHolder` implies power framework
91    // availability in the platform.
92    lease_holder: Option<Rc<RefCell<LeaseHolder>>>,
93
94    // The publisher used to set active/idle state with hanging-get subscribers.
95    state_publisher: InteractionStatePublisher,
96
97    /// The inventory of this handler's Inspect status.
98    pub inspect_status: InputHandlerStatus,
99}
100
101impl InteractionStateHandler {
102    /// Creates a new [`InteractionStateHandler`] that listens for user input
103    /// input interactions and notifies clients of interaction state changes.
104    pub async fn new(
105        idle_threshold_ms: zx::MonotonicDuration,
106        input_handlers_node: &fuchsia_inspect::Node,
107        state_publisher: InteractionStatePublisher,
108        suspend_enabled: bool,
109    ) -> Rc<Self> {
110        log::info!(
111            "InteractionStateHandler is initialized with idle_threshold_ms: {:?}",
112            idle_threshold_ms.into_millis()
113        );
114
115        let inspect_status =
116            InputHandlerStatus::new(input_handlers_node, "interaction_state_handler", false);
117
118        let lease_holder = match suspend_enabled {
119            true => {
120                let activity_governor = connect_to_protocol::<ActivityGovernorMarker>()
121                    .expect("connect to fuchsia.power.system.ActivityGovernor");
122                match LeaseHolder::new(activity_governor).await {
123                    Ok(holder) => Some(Rc::new(RefCell::new(holder))),
124                    Err(e) => {
125                        log::error!("Unable to integrate with power, system may incorrectly enter suspend: {:?}", e);
126                        None
127                    }
128                }
129            }
130            false => None,
131        };
132
133        Rc::new(Self::new_internal(
134            idle_threshold_ms,
135            zx::MonotonicInstant::get(),
136            lease_holder,
137            inspect_status,
138            state_publisher,
139        ))
140    }
141
142    #[cfg(test)]
143    /// Sets the initial idleness timer relative to fake time at 0 for tests.
144    async fn new_for_test(
145        idle_threshold_ms: zx::MonotonicDuration,
146        lease_holder: Option<Rc<RefCell<LeaseHolder>>>,
147        state_publisher: InteractionStatePublisher,
148    ) -> Rc<Self> {
149        fuchsia_async::TestExecutor::advance_to(zx::MonotonicInstant::ZERO.into()).await;
150
151        let inspector = fuchsia_inspect::Inspector::default();
152        let test_node = inspector.root().create_child("test_node");
153        let inspect_status = InputHandlerStatus::new(
154            &test_node,
155            "interaction_state_handler",
156            /* generates_events */ false,
157        );
158        Rc::new(Self::new_internal(
159            idle_threshold_ms,
160            zx::MonotonicInstant::ZERO,
161            lease_holder,
162            inspect_status,
163            state_publisher,
164        ))
165    }
166
167    fn new_internal(
168        idle_threshold_ms: zx::MonotonicDuration,
169        initial_timestamp: zx::MonotonicInstant,
170        lease_holder: Option<Rc<RefCell<LeaseHolder>>>,
171        inspect_status: InputHandlerStatus,
172        state_publisher: InteractionStatePublisher,
173    ) -> Self {
174        let task = Self::create_idle_transition_task(
175            initial_timestamp + idle_threshold_ms,
176            state_publisher.clone(),
177            lease_holder.clone(),
178        );
179
180        Self {
181            idle_threshold_ms,
182            idle_transition_task: Cell::new(Some(task)),
183            last_event_time: RefCell::new(initial_timestamp),
184            lease_holder,
185            state_publisher,
186            inspect_status,
187        }
188    }
189
190    async fn transition_to_active(
191        state_publisher: &InteractionStatePublisher,
192        lease_holder: &Option<Rc<RefCell<LeaseHolder>>>,
193    ) {
194        if let Some(holder) = lease_holder {
195            if let Err(e) = holder.borrow_mut().create_lease().await {
196                log::warn!(
197                    "Unable to create lease, system may incorrectly go into suspend: {:?}",
198                    e
199                );
200            };
201        }
202        state_publisher.set(State::Active);
203    }
204
205    fn create_idle_transition_task(
206        timeout: zx::MonotonicInstant,
207        state_publisher: InteractionStatePublisher,
208        lease_holder: Option<Rc<RefCell<LeaseHolder>>>,
209    ) -> Task<()> {
210        Task::local(async move {
211            Timer::new(timeout).await;
212            lease_holder.and_then(|holder| Some(holder.borrow_mut().drop_lease()));
213            state_publisher.set(State::Idle);
214        })
215    }
216
217    async fn transition_to_idle_after_new_time(&self, event_time: zx::MonotonicInstant) {
218        if *self.last_event_time.borrow() > event_time {
219            return;
220        }
221
222        *self.last_event_time.borrow_mut() = event_time;
223        if let Some(t) = self.idle_transition_task.take() {
224            // If the task returns a completed output, we can assume the
225            // state has transitioned to Idle.
226            if let Some(()) = t.cancel().await {
227                Self::transition_to_active(&self.state_publisher, &self.lease_holder).await;
228            }
229        }
230
231        self.idle_transition_task.set(Some(Self::create_idle_transition_task(
232            event_time + self.idle_threshold_ms,
233            self.state_publisher.clone(),
234            self.lease_holder.clone(),
235        )));
236    }
237
238    #[cfg(test)]
239    fn is_holding_lease(&self) -> bool {
240        if let Some(holder) = &self.lease_holder {
241            return holder.borrow().is_holding_lease();
242        }
243
244        false
245    }
246}
247
248/// Handles the request stream for fuchsia.input.interaction.Notifier.
249///
250/// # Parameters
251/// `stream`: The `NotifierRequestStream` to be handled.
252pub async fn handle_interaction_notifier_request_stream(
253    mut stream: NotifierRequestStream,
254    subscriber: InteractionStateSubscriber,
255) -> Result<(), Error> {
256    while let Some(notifier_request) = stream.next().await {
257        let NotifierRequest::WatchState { responder } = notifier_request?;
258        subscriber.register(responder)?;
259    }
260
261    Ok(())
262}
263
264pub fn init_interaction_hanging_get() -> InteractionHangingGet {
265    let notify_fn: NotifyFn = Box::new(|state, responder| {
266        if responder.send(*state).is_err() {
267            log::info!("Failed to send user input interaction state");
268        }
269
270        true
271    });
272
273    let initial_state = State::Active;
274    InteractionHangingGet::new(initial_state, notify_fn)
275}
276
277#[async_trait(?Send)]
278impl UnhandledInputHandler for InteractionStateHandler {
279    /// This InputHandler doesn't consume any input events.
280    /// It just passes them on to the next handler in the pipeline.
281    async fn handle_unhandled_input_event(
282        self: Rc<Self>,
283        unhandled_input_event: input_device::UnhandledInputEvent,
284    ) -> Vec<input_device::InputEvent> {
285        match unhandled_input_event.device_event {
286            input_device::InputDeviceEvent::ConsumerControls(_)
287            | input_device::InputDeviceEvent::Mouse(_)
288            | input_device::InputDeviceEvent::TouchScreen(_) => {
289                self.inspect_status.count_received_event(input_device::InputEvent::from(
290                    unhandled_input_event.clone(),
291                ));
292
293                // Clamp the time to now so that clients cannot send events far off
294                // in the future to keep the system always active.
295                // Note: We use the global executor to get the current time instead
296                // of the kernel so that we do not unnecessarily clamp
297                // test-injected times.
298                let event_time = unhandled_input_event.event_time.clamp(
299                    zx::MonotonicInstant::ZERO,
300                    fuchsia_async::MonotonicInstant::now().into_zx(),
301                );
302
303                self.transition_to_idle_after_new_time(event_time).await;
304            }
305            _ => {}
306        }
307
308        vec![input_device::InputEvent::from(unhandled_input_event)]
309    }
310
311    fn set_handler_healthy(self: std::rc::Rc<Self>) {
312        self.inspect_status.health_node.borrow_mut().set_ok();
313    }
314
315    fn set_handler_unhealthy(self: std::rc::Rc<Self>, msg: &str) {
316        self.inspect_status.health_node.borrow_mut().set_unhealthy(msg);
317    }
318}
319
320#[cfg(test)]
321mod tests {
322    use super::*;
323    use crate::mouse_binding;
324    use crate::testing_utilities::{
325        consumer_controls_device_descriptor, create_consumer_controls_event, create_mouse_event,
326        create_touch_contact, create_touch_screen_event, get_mouse_device_descriptor,
327        get_touch_screen_device_descriptor,
328    };
329    use crate::utils::Position;
330    use assert_matches::assert_matches;
331    use async_utils::hanging_get::client::HangingGetStream;
332    use fidl::endpoints::create_proxy_and_stream;
333    use fidl_fuchsia_input_interaction::{NotifierMarker, NotifierProxy};
334    use fidl_fuchsia_power_system::{ActivityGovernorMarker, ActivityGovernorRequest};
335    use fidl_fuchsia_ui_input::PointerEventPhase;
336    use fuchsia_async::TestExecutor;
337    use futures::pin_mut;
338    use maplit::hashmap;
339    use std::collections::HashSet;
340    use std::task::Poll;
341    use test_case::test_case;
342
343    const ACTIVITY_TIMEOUT: zx::MonotonicDuration = zx::MonotonicDuration::from_millis(5000);
344
345    async fn create_interaction_state_handler_and_notifier_proxy(
346        suspend_enabled: bool,
347    ) -> (Rc<InteractionStateHandler>, NotifierProxy) {
348        let mut interaction_hanging_get = init_interaction_hanging_get();
349
350        let (notifier_proxy, notifier_stream) = create_proxy_and_stream::<NotifierMarker>();
351        let stream_fut = handle_interaction_notifier_request_stream(
352            notifier_stream,
353            interaction_hanging_get.new_subscriber(),
354        );
355
356        Task::local(async move {
357            if stream_fut.await.is_err() {
358                panic!("Failed to handle notifier request stream");
359            }
360        })
361        .detach();
362
363        let lease_holder = match suspend_enabled {
364            true => {
365                let holder = LeaseHolder::new(fake_activity_governor_server())
366                    .await
367                    .expect("create lease holder for test");
368                Some(Rc::new(RefCell::new(holder)))
369            }
370            false => None,
371        };
372
373        (
374            InteractionStateHandler::new_for_test(
375                ACTIVITY_TIMEOUT,
376                lease_holder,
377                interaction_hanging_get.new_publisher(),
378            )
379            .await,
380            notifier_proxy,
381        )
382    }
383
384    fn fake_activity_governor_server() -> ActivityGovernorProxy {
385        let (proxy, mut stream) = create_proxy_and_stream::<ActivityGovernorMarker>();
386        Task::local(async move {
387            while let Some(request) = stream.next().await {
388                match request {
389                    Ok(ActivityGovernorRequest::TakeWakeLease { responder, .. }) => {
390                        let (_, fake_wake_lease) = zx::EventPair::create();
391                        responder.send(fake_wake_lease).expect("failed to send fake wake lease");
392                    }
393                    Ok(unexpected) => {
394                        log::warn!(
395                            "Unexpected request {unexpected:?} serving fuchsia.power.system.ActivityGovernor"
396                        );
397                    }
398                    Err(e) => {
399                        log::warn!(
400                            "Error serving fuchsia.power.system.ActivityGovernor: {:?}",
401                            e
402                        );
403                    }
404                }
405            }
406        })
407        .detach();
408
409        proxy
410    }
411
412    #[test_case(true; "Suspend enabled")]
413    #[test_case(false; "Suspend disabled")]
414    #[fuchsia::test(allow_stalls = false)]
415    async fn notifier_sends_initial_state(suspend_enabled: bool) {
416        let (interaction_state_handler, notifier_proxy) =
417            create_interaction_state_handler_and_notifier_proxy(suspend_enabled).await;
418        let state = notifier_proxy.watch_state().await.expect("Failed to get interaction state");
419        assert_eq!(state, State::Active);
420        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
421    }
422
423    #[test_case(true; "Suspend enabled")]
424    #[test_case(false; "Suspend disabled")]
425    #[fuchsia::test]
426    fn notifier_sends_idle_state_after_timeout(suspend_enabled: bool) -> Result<(), Error> {
427        let mut executor = TestExecutor::new_with_fake_time();
428
429        let handler_and_proxy_fut =
430            create_interaction_state_handler_and_notifier_proxy(suspend_enabled);
431        pin_mut!(handler_and_proxy_fut);
432        let handler_and_proxy_res = executor.run_until_stalled(&mut handler_and_proxy_fut);
433        let (interaction_state_handler, notifier_proxy) = match handler_and_proxy_res {
434            Poll::Ready((handler, proxy)) => (handler, proxy),
435            _ => panic!("Unable to create interaction state handler and proxy"),
436        };
437
438        // Initial state is active.
439        let mut watch_state_stream =
440            HangingGetStream::new(notifier_proxy, NotifierProxy::watch_state);
441        let state_fut = watch_state_stream.next();
442        pin_mut!(state_fut);
443        let initial_state = executor.run_until_stalled(&mut state_fut);
444        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Active))));
445        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
446
447        // Skip ahead by the activity timeout.
448        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT));
449
450        // State transitions to Idle.
451        let idle_state_fut = watch_state_stream.next();
452        pin_mut!(idle_state_fut);
453        let initial_state = executor.run_until_stalled(&mut idle_state_fut);
454        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Idle))));
455        assert_eq!(interaction_state_handler.is_holding_lease(), false);
456
457        Ok(())
458    }
459
460    #[test_case(true; "Suspend enabled")]
461    #[test_case(false; "Suspend disabled")]
462    #[fuchsia::test]
463    fn interaction_state_handler_drops_first_timer_on_activity(
464        suspend_enabled: bool,
465    ) -> Result<(), Error> {
466        // This test does the following:
467        //   - Start an InteractionStateHandler, whose initial timeout is set to
468        //     ACTIVITY_TIMEOUT.
469        //   - Send an activity at time ACTIVITY_TIMEOUT / 2.
470        //   - Observe that after ACTIVITY_TIMEOUT transpires, the initial
471        //     timeout to transition to idle state _does not_ fire, as we
472        //     expect it to be replaced by a new timeout in response to the
473        //     injected activity.
474        //   - Observe that after ACTIVITY_TIMEOUT * 1.5 transpires, the second
475        //     timeout to transition to idle state _does_ fire.
476        // Because division will round to 0, odd-number timeouts could cause an
477        // incorrect implementation to still pass the test. In order to catch
478        // these cases, we first assert that ACTIVITY_TIMEOUT is an even number.
479        assert_eq!(ACTIVITY_TIMEOUT.into_nanos() % 2, 0);
480
481        let mut executor = TestExecutor::new_with_fake_time();
482
483        let handler_and_proxy_fut =
484            create_interaction_state_handler_and_notifier_proxy(suspend_enabled);
485        pin_mut!(handler_and_proxy_fut);
486        let handler_and_proxy_res = executor.run_until_stalled(&mut handler_and_proxy_fut);
487        let (interaction_state_handler, notifier_proxy) = match handler_and_proxy_res {
488            Poll::Ready((handler, proxy)) => (handler, proxy),
489            _ => panic!("Unable to create interaction state handler and proxy"),
490        };
491
492        // Initial state is active.
493        let mut watch_state_stream =
494            HangingGetStream::new(notifier_proxy, NotifierProxy::watch_state);
495        let state_fut = watch_state_stream.next();
496        pin_mut!(state_fut);
497        let initial_state = executor.run_until_stalled(&mut state_fut);
498        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Active))));
499        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
500
501        // Skip ahead by half the activity timeout.
502        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT / 2));
503
504        // Send an input event, replacing the initial idleness timer.
505        let input_event =
506            input_device::UnhandledInputEvent::try_from(create_consumer_controls_event(
507                vec![fidl_fuchsia_input_report::ConsumerControlButton::Power],
508                zx::MonotonicInstant::from(fuchsia_async::MonotonicInstant::after(
509                    ACTIVITY_TIMEOUT / 2,
510                )),
511                &consumer_controls_device_descriptor(),
512            ))
513            .unwrap();
514
515        let mut handle_event_fut =
516            interaction_state_handler.clone().handle_unhandled_input_event(input_event);
517        let handle_result = executor.run_until_stalled(&mut handle_event_fut);
518        assert!(handle_result.is_ready());
519
520        // Skip ahead by half the activity timeout.
521        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT / 2));
522
523        // Initial state does not change.
524        let watch_state_fut = watch_state_stream.next();
525        pin_mut!(watch_state_fut);
526        let watch_state_res = executor.run_until_stalled(&mut watch_state_fut);
527        assert_matches!(watch_state_res, Poll::Pending);
528        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
529
530        // Skip ahead by half the activity timeout.
531        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT / 2));
532
533        // Interaction state does change.
534        let watch_state_res = executor.run_until_stalled(&mut watch_state_fut);
535        assert_matches!(watch_state_res, Poll::Ready(Some(Ok(State::Idle))));
536        assert_eq!(interaction_state_handler.is_holding_lease(), false);
537
538        Ok(())
539    }
540
541    #[test_case(true; "Suspend enabled")]
542    #[test_case(false; "Suspend disabled")]
543    #[fuchsia::test]
544    fn interaction_state_handler_drops_late_activities(suspend_enabled: bool) -> Result<(), Error> {
545        let mut executor = TestExecutor::new_with_fake_time();
546
547        let handler_and_proxy_fut =
548            create_interaction_state_handler_and_notifier_proxy(suspend_enabled);
549        pin_mut!(handler_and_proxy_fut);
550        let handler_and_proxy_res = executor.run_until_stalled(&mut handler_and_proxy_fut);
551        let (interaction_state_handler, notifier_proxy) = match handler_and_proxy_res {
552            Poll::Ready((handler, proxy)) => (handler, proxy),
553            _ => panic!("Unable to create interaction state handler and proxy"),
554        };
555
556        // Initial state is active.
557        let mut watch_state_stream =
558            HangingGetStream::new(notifier_proxy, NotifierProxy::watch_state);
559        let state_fut = watch_state_stream.next();
560        pin_mut!(state_fut);
561        let watch_state_res = executor.run_until_stalled(&mut state_fut);
562        assert_matches!(watch_state_res, Poll::Ready(Some(Ok(State::Active))));
563        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
564
565        // Skip ahead by half the activity timeout.
566        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT / 2));
567
568        // Send an input event, replacing the initial idleness timer.
569        let input_event =
570            input_device::UnhandledInputEvent::try_from(create_consumer_controls_event(
571                vec![fidl_fuchsia_input_report::ConsumerControlButton::Power],
572                zx::MonotonicInstant::from(fuchsia_async::MonotonicInstant::after(
573                    ACTIVITY_TIMEOUT / 2,
574                )),
575                &consumer_controls_device_descriptor(),
576            ))
577            .unwrap();
578
579        let mut handle_event_fut =
580            interaction_state_handler.clone().handle_unhandled_input_event(input_event);
581        let handle_result = executor.run_until_stalled(&mut handle_event_fut);
582        assert!(handle_result.is_ready());
583
584        // Skip ahead by half the activity timeout.
585        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT / 2));
586
587        // Send an input event with an earlier event time.
588        let input_event =
589            input_device::UnhandledInputEvent::try_from(create_consumer_controls_event(
590                vec![fidl_fuchsia_input_report::ConsumerControlButton::Power],
591                zx::MonotonicInstant::ZERO,
592                &consumer_controls_device_descriptor(),
593            ))
594            .unwrap();
595
596        let mut handle_event_fut =
597            interaction_state_handler.clone().handle_unhandled_input_event(input_event);
598        let handle_result = executor.run_until_stalled(&mut handle_event_fut);
599        assert!(handle_result.is_ready());
600
601        // Initial task does not transition to idle, nor does one from the
602        // "earlier" activity that was received later.
603        let watch_state_fut = watch_state_stream.next();
604        pin_mut!(watch_state_fut);
605        let initial_state = executor.run_until_stalled(&mut watch_state_fut);
606        assert_matches!(initial_state, Poll::Pending);
607        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
608
609        // Skip ahead by half the activity timeout.
610        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT / 2));
611
612        // Interaction state does change.
613        let watch_state_res = executor.run_until_stalled(&mut watch_state_fut);
614        assert_matches!(watch_state_res, Poll::Ready(Some(Ok(State::Idle))));
615        assert_eq!(interaction_state_handler.is_holding_lease(), false);
616
617        Ok(())
618    }
619
620    #[test_case(true; "Suspend enabled")]
621    #[test_case(false; "Suspend disabled")]
622    #[fuchsia::test]
623    fn notifier_sends_active_state_with_button_input_event(
624        suspend_enabled: bool,
625    ) -> Result<(), Error> {
626        let mut executor = TestExecutor::new_with_fake_time();
627
628        let handler_and_proxy_fut =
629            create_interaction_state_handler_and_notifier_proxy(suspend_enabled);
630        pin_mut!(handler_and_proxy_fut);
631        let handler_and_proxy_res = executor.run_until_stalled(&mut handler_and_proxy_fut);
632        let (interaction_state_handler, notifier_proxy) = match handler_and_proxy_res {
633            Poll::Ready((handler, proxy)) => (handler, proxy),
634            _ => panic!("Unable to create interaction state handler and proxy"),
635        };
636
637        // Initial state is active.
638        let mut watch_state_stream =
639            HangingGetStream::new(notifier_proxy, NotifierProxy::watch_state);
640        let state_fut = watch_state_stream.next();
641        pin_mut!(state_fut);
642        let initial_state = executor.run_until_stalled(&mut state_fut);
643        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Active))));
644        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
645
646        // Skip ahead by the activity timeout.
647        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT));
648
649        // State transitions to Idle.
650        let idle_state_fut = watch_state_stream.next();
651        pin_mut!(idle_state_fut);
652        let initial_state = executor.run_until_stalled(&mut idle_state_fut);
653        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Idle))));
654        assert_eq!(interaction_state_handler.is_holding_lease(), false);
655
656        // Send an input event.
657        let input_event =
658            input_device::UnhandledInputEvent::try_from(create_consumer_controls_event(
659                vec![fidl_fuchsia_input_report::ConsumerControlButton::Power],
660                zx::MonotonicInstant::get(),
661                &consumer_controls_device_descriptor(),
662            ))
663            .unwrap();
664
665        let mut handle_event_fut =
666            interaction_state_handler.clone().handle_unhandled_input_event(input_event);
667        let handle_result = executor.run_until_stalled(&mut handle_event_fut);
668
669        // Event is not handled.
670        match handle_result {
671            Poll::Ready(res) => assert_matches!(
672                res.as_slice(),
673                [input_device::InputEvent { handled: input_device::Handled::No, .. }]
674            ),
675            x => panic!("expected Ready from handle_unhandled_input_event, got {:?}", x),
676        };
677
678        // State transitions to Active.
679        let active_state_fut = watch_state_stream.next();
680        pin_mut!(active_state_fut);
681        let initial_state = executor.run_until_stalled(&mut active_state_fut);
682        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Active))));
683        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
684
685        Ok(())
686    }
687
688    #[test_case(true; "Suspend enabled")]
689    #[test_case(false; "Suspend disabled")]
690    #[fuchsia::test]
691    fn notifier_sends_active_state_with_mouse_input_event(
692        suspend_enabled: bool,
693    ) -> Result<(), Error> {
694        let mut executor = TestExecutor::new_with_fake_time();
695
696        let handler_and_proxy_fut =
697            create_interaction_state_handler_and_notifier_proxy(suspend_enabled);
698        pin_mut!(handler_and_proxy_fut);
699        let handler_and_proxy_res = executor.run_until_stalled(&mut handler_and_proxy_fut);
700        let (interaction_state_handler, notifier_proxy) = match handler_and_proxy_res {
701            Poll::Ready((handler, proxy)) => (handler, proxy),
702            _ => panic!("Unable to create interaction state handler and proxy"),
703        };
704
705        // Initial state is active.
706        let mut watch_state_stream =
707            HangingGetStream::new(notifier_proxy, NotifierProxy::watch_state);
708        let state_fut = watch_state_stream.next();
709        pin_mut!(state_fut);
710        let initial_state = executor.run_until_stalled(&mut state_fut);
711        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Active))));
712        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
713
714        // Skip ahead by the activity timeout.
715        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT));
716
717        // State transitions to Idle.
718        let idle_state_fut = watch_state_stream.next();
719        pin_mut!(idle_state_fut);
720        let initial_state = executor.run_until_stalled(&mut idle_state_fut);
721        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Idle))));
722        assert_eq!(interaction_state_handler.is_holding_lease(), false);
723
724        // Send an input event.
725        let input_event = input_device::UnhandledInputEvent::try_from(create_mouse_event(
726            mouse_binding::MouseLocation::Absolute(Position { x: 0.0, y: 0.0 }),
727            None, /* wheel_delta_v */
728            None, /* wheel_delta_h */
729            None, /* is_precision_scroll */
730            mouse_binding::MousePhase::Down,
731            HashSet::new(),
732            HashSet::new(),
733            zx::MonotonicInstant::get(),
734            &get_mouse_device_descriptor(),
735        ))
736        .unwrap();
737
738        let mut handle_event_fut =
739            interaction_state_handler.clone().handle_unhandled_input_event(input_event);
740        let handle_result = executor.run_until_stalled(&mut handle_event_fut);
741
742        // Event is not handled.
743        match handle_result {
744            Poll::Ready(res) => assert_matches!(
745                res.as_slice(),
746                [input_device::InputEvent { handled: input_device::Handled::No, .. }]
747            ),
748            x => panic!("expected Ready from handle_unhandled_input_event, got {:?}", x),
749        };
750
751        // State transitions to Active.
752        let active_state_fut = watch_state_stream.next();
753        pin_mut!(active_state_fut);
754        let initial_state = executor.run_until_stalled(&mut active_state_fut);
755        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Active))));
756        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
757
758        Ok(())
759    }
760
761    #[test_case(true; "Suspend enabled")]
762    #[test_case(false; "Suspend disabled")]
763    #[fuchsia::test]
764    fn notifier_sends_active_state_with_touch_input_event(
765        suspend_enabled: bool,
766    ) -> Result<(), Error> {
767        let mut executor = TestExecutor::new_with_fake_time();
768
769        let handler_and_proxy_fut =
770            create_interaction_state_handler_and_notifier_proxy(suspend_enabled);
771        pin_mut!(handler_and_proxy_fut);
772        let handler_and_proxy_res = executor.run_until_stalled(&mut handler_and_proxy_fut);
773        let (interaction_state_handler, notifier_proxy) = match handler_and_proxy_res {
774            Poll::Ready((handler, proxy)) => (handler, proxy),
775            _ => panic!("Unable to create interaction state handler and proxy"),
776        };
777
778        // Initial state is active.
779        let mut watch_state_stream =
780            HangingGetStream::new(notifier_proxy, NotifierProxy::watch_state);
781        let state_fut = watch_state_stream.next();
782        pin_mut!(state_fut);
783        let initial_state = executor.run_until_stalled(&mut state_fut);
784        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Active))));
785        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
786
787        // Skip ahead by the activity timeout.
788        executor.set_fake_time(fuchsia_async::MonotonicInstant::after(ACTIVITY_TIMEOUT));
789
790        // State transitions to Idle.
791        let idle_state_fut = watch_state_stream.next();
792        pin_mut!(idle_state_fut);
793        let initial_state = executor.run_until_stalled(&mut idle_state_fut);
794        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Idle))));
795        assert_eq!(interaction_state_handler.is_holding_lease(), false);
796
797        // Send an input event.
798        const TOUCH_ID: u32 = 1;
799        let contact = create_touch_contact(TOUCH_ID, Position { x: 0.0, y: 0.0 });
800        let input_event = input_device::UnhandledInputEvent::try_from(create_touch_screen_event(
801            hashmap! {
802                PointerEventPhase::Add
803                    => vec![contact.clone()],
804            },
805            zx::MonotonicInstant::get(),
806            &get_touch_screen_device_descriptor(),
807        ))
808        .unwrap();
809
810        let mut handle_event_fut =
811            interaction_state_handler.clone().handle_unhandled_input_event(input_event);
812        let handle_result = executor.run_until_stalled(&mut handle_event_fut);
813
814        // Event is not handled.
815        match handle_result {
816            Poll::Ready(res) => assert_matches!(
817                res.as_slice(),
818                [input_device::InputEvent { handled: input_device::Handled::No, .. }]
819            ),
820            x => panic!("expected Ready from handle_unhandled_input_event, got {:?}", x),
821        };
822
823        // State transitions to Active.
824        let active_state_fut = watch_state_stream.next();
825        pin_mut!(active_state_fut);
826        let initial_state = executor.run_until_stalled(&mut active_state_fut);
827        assert_matches!(initial_state, Poll::Ready(Some(Ok(State::Active))));
828        assert_eq!(interaction_state_handler.is_holding_lease(), suspend_enabled);
829
830        Ok(())
831    }
832}