sl4f_lib/input/
facade.rs

1// Copyright 2020 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 crate::input::types::{
6    self, ActionResult, KeyPressRequest, MultiFingerSwipeRequest, MultiFingerTapRequest,
7    SwipeRequest, TapRequest, TextRequest,
8};
9use anyhow::{Context, Error};
10use log::info;
11use serde_json::{from_value, Value};
12use std::time::Duration;
13
14const DEFAULT_DIMENSION: u32 = 1000;
15const DEFAULT_DURATION: Duration = Duration::from_millis(300);
16const DEFAULT_KEY_EVENT_DURATION: Duration = Duration::from_millis(0);
17const DEFAULT_KEY_PRESS_DURATION: Duration = Duration::from_millis(0);
18const DEFAULT_TAP_EVENT_COUNT: usize = 1;
19
20macro_rules! validate_fingers {
21    ( $fingers:expr, $field:ident $comparator:tt $limit:expr ) => {
22        match $fingers.iter().enumerate().find(|(_, finger)| !(finger.$field $comparator $limit)) {
23            None => Ok(()),
24            Some((finger_num, finger)) => Err(anyhow!(
25                "finger {}: expected {} {} {}, but {} is not {} {}",
26                finger_num,
27                stringify!($field),
28                stringify!($comparator),
29                stringify!($limit),
30                finger.$field,
31                stringify!($comparator),
32                $limit
33            )),
34        }
35    };
36}
37
38/// Perform Input fidl operations.
39///
40/// Note this object is shared among all threads created by server.
41///
42#[derive(Debug)]
43pub struct InputFacade {}
44
45impl InputFacade {
46    pub fn new() -> InputFacade {
47        InputFacade {}
48    }
49
50    /// Tap at coordinates (x, y) for a touchscreen with default or custom
51    /// width, height, duration, and tap event counts
52    ///
53    /// # Arguments
54    /// * `value`: will be parsed to TapRequest
55    ///   * must include:
56    ///     * `x`: X axis coordinate
57    ///     * `y`: Y axis coordinate
58    ///   * optionally includes any of:
59    ///     * `width`: Horizontal resolution of the touch panel, defaults to 1000
60    ///     * `height`: Vertical resolution of the touch panel, defaults to 1000
61    ///     * `tap_event_count`: Number of tap events to send (`duration` is divided over the tap
62    ///                          events), defaults to 1
63    ///     * `duration`: Duration of the event(s) in milliseconds, defaults to 300
64    pub async fn tap(&self, args: Value) -> Result<ActionResult, Error> {
65        info!("Executing Tap in Input Facade.");
66        let req: TapRequest = from_value(args)?;
67        let width = req.width.unwrap_or(DEFAULT_DIMENSION);
68        let height = req.height.unwrap_or(DEFAULT_DIMENSION);
69        let tap_event_count = req.tap_event_count.unwrap_or(DEFAULT_TAP_EVENT_COUNT);
70        let duration = req.duration.map_or(DEFAULT_DURATION, Duration::from_millis);
71
72        input_synthesis::tap_event_command(req.x, req.y, width, height, tap_event_count, duration)
73            .await?;
74        Ok(ActionResult::Success)
75    }
76
77    /// Multi-Finger Taps for a touchscreen with default or custom
78    /// width, height, duration, and tap event counts.
79    ///
80    /// # Arguments
81    /// * `value`: will be parsed by MultiFingerTapRequest
82    ///   * must include:
83    ///     * `fingers`: List of FIDL struct `Touch` defined at
84    ///                  sdk/fidl/fuchsia.ui.input/input_reports.fidl.
85    ///   * optionally includes any of:
86    ///     * `width`: Horizontal resolution of the touch panel, defaults to 1000
87    ///     * `height`: Vertical resolution of the touch panel, defaults to 1000
88    ///     * `tap_event_count`: Number of multi-finger tap events to send
89    ///                          (`duration` is divided over the events), defaults to 1
90    ///     * `duration`: Duration of the event(s) in milliseconds, defaults to 0
91    ///
92    /// Example:
93    /// To send a 2-finger triple tap over 3s.
94    /// multi_finger_tap(MultiFingerTap {
95    ///   tap_event_count: 3,
96    ///   duration: 3000,
97    ///   fingers: [
98    ///     Touch { finger_id: 1, x: 0, y: 0, width: 0, height: 0 },
99    ///     Touch { finger_id: 2, x: 20, y: 20, width: 0, height: 0 },
100    ///  ]
101    /// });
102    ///
103    pub async fn multi_finger_tap(&self, args: Value) -> Result<ActionResult, Error> {
104        info!("Executing MultiFingerTap in Input Facade.");
105        let req: MultiFingerTapRequest = from_value(args)?;
106        let width = req.width.unwrap_or(DEFAULT_DIMENSION);
107        let height = req.height.unwrap_or(DEFAULT_DIMENSION);
108        let tap_event_count = req.tap_event_count.unwrap_or(DEFAULT_TAP_EVENT_COUNT);
109        let duration = req.duration.map_or(DEFAULT_DURATION, Duration::from_millis);
110
111        input_synthesis::multi_finger_tap_event_command(
112            req.fingers,
113            width,
114            height,
115            tap_event_count,
116            duration,
117        )
118        .await?;
119        Ok(ActionResult::Success)
120    }
121
122    /// Swipe from coordinates (x0, y0) to (x1, y1) for a touchscreen with default
123    /// or custom width, height, duration, and tap event counts
124    ///
125    /// # Arguments
126    /// * `value`: will be parsed to SwipeRequest
127    ///   * must include:
128    ///     * `x0`: X axis start coordinate
129    ///     * `y0`: Y axis start coordinate
130    ///     * `x1`: X axis end coordinate
131    ///     * `y1`: Y axis end coordinate
132    ///   * optionally includes any of:
133    ///     * `width`: Horizontal resolution of the touch panel, defaults to 1000
134    ///     * `height`: Vertical resolution of the touch panel, defaults to 1000
135    ///     * `tap_event_count`: Number of move events to send in between the down and up events of
136    ///                          the swipe, defaults to `duration / 17` (to emulate a 60 HZ sensor)
137    ///     * `duration`: Duration of the event(s) in milliseconds, default to 300
138    pub async fn swipe(&self, args: Value) -> Result<ActionResult, Error> {
139        info!("Executing Swipe in Input Facade.");
140        let req: SwipeRequest = from_value(args)?;
141        let width = req.width.unwrap_or(DEFAULT_DIMENSION);
142        let height = req.height.unwrap_or(DEFAULT_DIMENSION);
143        let duration = req.duration.map_or(DEFAULT_DURATION, Duration::from_millis);
144        let tap_event_count = req.tap_event_count.unwrap_or({
145            // 17 msec per move event, to emulate a ~60Hz sensor.
146            duration.as_millis() as usize / 17
147        });
148
149        input_synthesis::swipe_command(
150            req.x0,
151            req.y0,
152            req.x1,
153            req.y1,
154            height,
155            width,
156            tap_event_count,
157            duration,
158        )
159        .await?;
160        Ok(ActionResult::Success)
161    }
162
163    /// Swipes multiple fingers from start positions to end positions for a touchscreen.
164    ///
165    /// # Arguments
166    /// * `value`: will be parsed to `MultiFingerSwipeRequest`
167    ///   * must include:
168    ///     * `fingers`: List of `FingerSwipe`s.
169    ///       * All `x0` and `x1` values must be in the range (0, width), regardless of
170    ///         whether the width is defaulted or explicitly specified.
171    ///       * All `y0` and `y1` values must be in the range (0, height), regardless of
172    ///         whether the height is defaulted or explicitly specified.
173    ///   * optionally includes any of:
174    ///     * `width`: Horizontal resolution of the touch panel, defaults to 1000
175    ///     * `height`: Vertical resolution of the touch panel, defaults to 1000
176    ///     * `move_event_count`: Number of move events to send in between the down and up events of
177    ///        the swipe.
178    ///        * Defaults to `duration / 17` (to emulate a 60 HZ sensor).
179    ///        * If 0, only the down and up events will be sent.
180    ///     * `duration`: Duration of the event(s) in milliseconds
181    ///        * Defaults to 300 milliseconds.
182    ///        * Must be large enough to allow for at least one nanosecond per move event.
183    ///
184    /// # Returns
185    /// * `Ok(ActionResult::Success)` if the arguments were successfully parsed and events
186    ///    successfully injected.
187    /// * `Err(Error)` otherwise.
188    ///
189    /// # Example
190    /// To send a two-finger swipe, with four events over two seconds:
191    ///
192    /// ```
193    /// multi_finger_swipe(MultiFingerSwipeRequest {
194    ///   fingers: [
195    ///     FingerSwipe { x0: 0, y0:   0, x1: 100, y1:   0 },
196    ///     FingerSwipe { x0: 0, y0: 100, x1: 100, y1: 100 },
197    ///   ],
198    ///   move_event_count: 4
199    ///   duration: 2000,
200    /// });
201    /// ```
202    pub async fn multi_finger_swipe(&self, args: Value) -> Result<ActionResult, Error> {
203        info!("Executing MultiFingerSwipe in Input Facade.");
204        let req: MultiFingerSwipeRequest = from_value(args)?;
205        let width = req.width.unwrap_or(DEFAULT_DIMENSION);
206        let height = req.height.unwrap_or(DEFAULT_DIMENSION);
207        let duration = req.duration.map_or(DEFAULT_DURATION, Duration::from_millis);
208        let move_event_count = req.move_event_count.unwrap_or({
209            // 17 msec per move event, to emulate a ~60Hz sensor.
210            duration.as_millis() as usize / 17
211        });
212        ensure!(
213            duration.as_nanos()
214                >= u128::try_from(move_event_count)
215                    .context("internal error while validating `duration`")?,
216            "`duration` of {} nsec is too short for `move_event_count` of {}; \
217            all events would have same timestamp",
218            duration.as_nanos(),
219            move_event_count
220        );
221        validate_fingers!(req.fingers, x0 <= width)?;
222        validate_fingers!(req.fingers, x1 <= width)?;
223        validate_fingers!(req.fingers, y0 <= height)?;
224        validate_fingers!(req.fingers, y1 <= height)?;
225
226        let start_fingers =
227            req.fingers.iter().map(|finger| (finger.x0, finger.y0)).collect::<Vec<_>>();
228        let end_fingers =
229            req.fingers.iter().map(|finger| (finger.x1, finger.y1)).collect::<Vec<_>>();
230
231        input_synthesis::multi_finger_swipe_command(
232            start_fingers,
233            end_fingers,
234            width,
235            height,
236            move_event_count,
237            duration,
238        )
239        .await?;
240        Ok(ActionResult::Success)
241    }
242
243    /// Enters `text`, as if typed on a keyboard, with `key_event_duration` between key events.
244    ///
245    /// # Arguments
246    /// * `value`: will be parsed to `TextRequest`
247    ///   * must include:
248    ///     * `text`: the characters to be input.
249    ///        * Must be non-empty.
250    ///        * All characters within `text` must be representable using the current
251    ///          keyboard layout and locale. (At present, it is assumed that the current
252    ///          layout and locale are `US-QWERTY` and `en-US`, respectively.)
253    ///        * If these constraints are violated, returns an `Err`.
254    ///   * optionally includes:
255    ///     * `key_event_duration`: Duration of each event in milliseconds
256    ///        * Serves as a lower bound on the time between key events (actual time may be
257    ///          higher due to system load).
258    ///        * Defaults to 0 milliseconds (each event is sent as quickly as possible).
259    ///        * The number of events is `>= 2 * text.len()`:
260    ///          * To account for both key-down and key-up events for every character.
261    ///          * To account for modifier keys (e.g. capital letters require pressing the
262    ///            shift key).
263    ///
264    /// # Returns
265    /// * `Ok(ActionResult::Success)` if the arguments were successfully parsed and events
266    ///    successfully injected.
267    /// * `Err(Error)` otherwise.
268    ///
269    /// # Example
270    /// To send "hello world", with 1 millisecond between each key event:
271    ///
272    /// ```
273    /// text(TextRequest {
274    ///   text: "hello world",
275    ///   key_event_duration: 1,
276    /// });
277    /// ```
278    pub async fn text(&self, args: Value) -> Result<ActionResult, Error> {
279        info!("Executing Text in Input Facade.");
280        let req: TextRequest = from_value(args)?;
281        let text = match req.text.len() {
282            0 => Err(format_err!("`text` must be non-empty")),
283            _ => Ok(req.text),
284        }?;
285        let key_event_duration =
286            req.key_event_duration.map_or(DEFAULT_KEY_EVENT_DURATION, Duration::from_millis);
287
288        input_synthesis::text_command(text, key_event_duration).await?;
289        Ok(ActionResult::Success)
290    }
291
292    /// Simulates a single key down + up sequence, for the given `hid_usage_id`.
293    ///
294    /// # Arguments
295    /// * `value`: will be parsed to `KeyPressRequest`
296    ///   * must include
297    ///     * `hid_usage_id`: desired HID Usage ID, per [HID Usages and Descriptions].
298    ///       * The Usage ID will be interpreted in the context of "Usage Page" 0x07, which
299    ///         is the "Keyboard/Keypad" page.
300    ///       * Because Usage IDs are defined by an external standard, it is impractical
301    ///         to validate this parameter. As such, any value can be injected successfully.
302    ///         However, the interpretation of unrecognized values is subject to the choices
303    ///         of the system under test.
304    ///   * optionally includes:
305    ///     * `key_press_duration`: time between the down event and the up event, in milliseconds
306    ///        * Serves as a lower bound on the time between the down event and the up event
307    ///          (actual time may be higher due to system load).
308    ///        * Defaults to 0 milliseconds (the up event is sent immediately after the down event)
309    ///
310    /// # Returns
311    /// * `Ok(ActionResult::Success)` if the arguments were successfully parsed and events
312    ///    successfully injected.
313    /// * `Err(Error)` otherwise.
314    ///
315    /// # Future directions
316    /// Per https://fxbug.dev/42142047, this method will be replaced with a method that deals in
317    /// `fuchsia.input.Key`s, instead of HID Usage IDs.
318    ///
319    /// # Example
320    /// To simulate a press of the `ENTER` key, with 1 millisecond between the down and
321    /// up events:
322    ///
323    /// ```
324    /// key_press(KeyPressRequest {
325    ///   hid_usage_id: 40,
326    ///   key_press_duration: 1,
327    /// });
328    /// ```
329    ///
330    /// [HID Usages and Descriptions]: https://www.usb.org/sites/default/files/documents/hut1_12v2.pdf
331    pub async fn key_press(&self, args: Value) -> Result<ActionResult, Error> {
332        info!("Executing KeyboardEvent in Input Facade.");
333        let req: KeyPressRequest = from_value(args)?;
334        let hid_usage_id = req.hid_usage_id;
335        let key_press_duration =
336            req.key_press_duration.map_or(DEFAULT_KEY_PRESS_DURATION, Duration::from_millis);
337
338        input_synthesis::keyboard_event_command(hid_usage_id.into(), key_press_duration).await?;
339        Ok(ActionResult::Success)
340    }
341
342    /// Simulates a sequence of key events (presses and releases) on a keyboard.
343    ///
344    /// Dispatches the supplied `events` into a keyboard device, honoring the timing sequence that is
345    /// requested in them, to the extent possible using the current scheduling system.
346    ///
347    /// Since each individual key press is broken down into constituent pieces (presses, releases,
348    /// pauses), it is possible to dispatch a key event sequence corresponding to multiple keys being
349    /// pressed and released in an arbitrary sequence.  This sequence is usually understood as a timing
350    /// diagram like this:
351    ///
352    /// ```ignore
353    ///           v--- key press   v--- key release
354    /// A: _______/^^^^^^^^^^^^^^^^\__________
355    ///    |<----->|   <-- duration from start for key press.
356    ///    |<--------------------->|   <-- duration from start for key release.
357    ///
358    /// B: ____________/^^^^^^^^^^^^^^^^\_____
359    ///                ^--- key press   ^--- key release
360    ///    |<--------->|   <-- duration from start for key press.
361    ///    |<-------------------------->|   <-- duration for key release.
362    /// ```
363    ///
364    /// You would from there convert the desired timing diagram into a sequence of [KeyEvent]s
365    /// that you would pass into this function. Note that all durations are specified as durations
366    /// from the start of the key event sequence.
367    ///
368    /// Note that due to the way event timing works, it is in practice impossible to have two key
369    /// events happen at exactly the same time even if you so specify.  Do not rely on simultaneous
370    /// asynchronous event processing: it does not work in this code, and it is not how reality works
371    /// either.  Instead, design your key event processing so that it is robust against the inherent
372    /// non-determinism in key event delivery.
373    ///
374    /// # Arguments
375    ///
376    /// The `args` must be a JSON value that can be parsed as [types::KeyEventsRequest].
377    ///
378    /// `types::KeyEventsRequest`, in turn, has a sequence of key events that need to be injected.
379    /// Each key event is a triple of:
380    ///
381    /// * The Fuchsia encoding of the USB HID usage code (see [fuchsia_ui_input::Key]).
382    /// * The duration in milliseconds since the start of the key event sequence when this
383    ///   action must happen.
384    /// * The type of the key event (see [fuchsia_ui_input3::KeyEventType]), encoded as a
385    ///   numeric value.
386    ///
387    /// # Example:
388    ///
389    /// The above diagram would be encoded as the following sequence of events (in pseudocode):
390    ///
391    /// ```ignore
392    /// [
393    ///   { "A", 10, Pressed  },
394    ///   { "B", 10, Pressed  },
395    ///   { "A", 50, Released },
396    ///   { "B", 60, Released },
397    /// ]
398    /// ```
399    ///
400    /// # Returns
401    /// * `Ok(ActionResult::Success)` if the arguments were successfully parsed and events
402    ///    successfully injected.
403    /// * `Err(Error)` otherwise.
404    ///
405    pub async fn key_events(&self, args: Value) -> Result<ActionResult, Error> {
406        info!(args:?; "Executing KeyEvents in Input Facade");
407        let req: types::KeyEventsRequest = from_value(args)?;
408        input_synthesis::dispatch_key_events(&req.key_events[..]).await?;
409        Ok(ActionResult::Success)
410    }
411}