input_testing/
input_device_registry.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
5use crate::input_device::InputDevice;
6use crate::new_fake_device_info;
7use anyhow::{Context as _, Error};
8use async_utils::event::Event as AsyncEvent;
9use fidl::endpoints;
10use fidl_fuchsia_input::Key;
11use fidl_fuchsia_input_injection::InputDeviceRegistryProxy;
12use fidl_fuchsia_input_report::{
13    Axis, ConsumerControlButton, ConsumerControlDescriptor, ConsumerControlInputDescriptor,
14    ContactInputDescriptor, DeviceDescriptor, InputDeviceMarker, KeyboardDescriptor,
15    KeyboardInputDescriptor, MouseDescriptor, MouseInputDescriptor, Range, TouchDescriptor,
16    TouchInputDescriptor, TouchType, Unit, UnitType, TOUCH_MAX_CONTACTS,
17};
18use fidl_fuchsia_ui_test_input::MouseButton;
19
20/// Implements the client side of the `fuchsia.input.injection.InputDeviceRegistry` protocol.
21pub(crate) struct InputDeviceRegistry {
22    proxy: InputDeviceRegistryProxy,
23    got_input_reports_reader: AsyncEvent,
24}
25
26impl InputDeviceRegistry {
27    pub fn new(proxy: InputDeviceRegistryProxy, got_input_reports_reader: AsyncEvent) -> Self {
28        Self { proxy, got_input_reports_reader }
29    }
30
31    /// Registers a touchscreen device, with in injection coordinate space that spans [-1000, 1000]
32    /// on both axes.
33    /// # Returns
34    /// A `input_device::InputDevice`, which can be used to send events to the
35    /// `fuchsia.input.report.InputDevice` that has been registered with the
36    /// `fuchsia.input.injection.InputDeviceRegistry` service.
37    pub async fn add_touchscreen_device(
38        &mut self,
39        min_x: i64,
40        max_x: i64,
41        min_y: i64,
42        max_y: i64,
43    ) -> Result<InputDevice, Error> {
44        self.add_device(DeviceDescriptor {
45            touch: Some(TouchDescriptor {
46                input: Some(TouchInputDescriptor {
47                    contacts: Some(
48                        std::iter::repeat(ContactInputDescriptor {
49                            position_x: Some(Axis {
50                                range: Range { min: min_x, max: max_x },
51                                unit: Unit { type_: UnitType::Other, exponent: 0 },
52                            }),
53                            position_y: Some(Axis {
54                                range: Range { min: min_y, max: max_y },
55                                unit: Unit { type_: UnitType::Other, exponent: 0 },
56                            }),
57                            contact_width: Some(Axis {
58                                range: Range { min: min_x, max: max_x },
59                                unit: Unit { type_: UnitType::Other, exponent: 0 },
60                            }),
61                            contact_height: Some(Axis {
62                                range: Range { min: min_y, max: max_y },
63                                unit: Unit { type_: UnitType::Other, exponent: 0 },
64                            }),
65                            ..Default::default()
66                        })
67                        .take(
68                            usize::try_from(TOUCH_MAX_CONTACTS)
69                                .context("usize is impossibly small")?,
70                        )
71                        .collect(),
72                    ),
73                    max_contacts: Some(TOUCH_MAX_CONTACTS),
74                    touch_type: Some(TouchType::Touchscreen),
75                    buttons: Some(vec![]),
76                    ..Default::default()
77                }),
78                ..Default::default()
79            }),
80            ..Default::default()
81        })
82        .await
83    }
84
85    /// Registers a media buttons device.
86    /// # Returns
87    /// A `input_device::InputDevice`, which can be used to send events to the
88    /// `fuchsia.input.report.InputDevice` that has been registered with the
89    /// `fuchsia.input.injection.InputDeviceRegistry` service.
90    pub async fn add_media_buttons_device(&mut self) -> Result<InputDevice, Error> {
91        self.add_device(DeviceDescriptor {
92            consumer_control: Some(ConsumerControlDescriptor {
93                input: Some(ConsumerControlInputDescriptor {
94                    buttons: Some(vec![
95                        ConsumerControlButton::VolumeUp,
96                        ConsumerControlButton::VolumeDown,
97                        ConsumerControlButton::Pause,
98                        ConsumerControlButton::FactoryReset,
99                        ConsumerControlButton::MicMute,
100                        ConsumerControlButton::Reboot,
101                        ConsumerControlButton::CameraDisable,
102                    ]),
103                    ..Default::default()
104                }),
105                ..Default::default()
106            }),
107            ..Default::default()
108        })
109        .await
110    }
111
112    /// Registers a keyboard device.
113    /// # Returns
114    /// An `input_device::InputDevice`, which can be used to send events to the
115    /// `fuchsia.input.report.InputDevice` that has been registered with the
116    /// `fuchsia.input.injection.InputDeviceRegistry` service.
117    pub async fn add_keyboard_device(&mut self) -> Result<InputDevice, Error> {
118        // Generate a `Vec` of all known keys.
119        // * Because there is no direct way to iterate over enum values, we iterate
120        //   over the values corresponding to `Key::A` and `Key::MediaVolumeDecrement`.
121        // * Some values in the range have no corresponding enum value. For example,
122        //   the value 0x00070065 sits between `NonUsBackslash` (0x00070064), and
123        //   `KeypadEquals` (0x00070067). Such primitives are removed by `filter_map()`.
124        //
125        // TODO(https://fxbug.dev/42059900): Extend to include all values of the Key enum.
126        let all_keys: Vec<Key> = (Key::A.into_primitive()
127            ..=Key::MediaVolumeDecrement.into_primitive())
128            .filter_map(Key::from_primitive)
129            .collect();
130        self.add_device(DeviceDescriptor {
131            // Required for DeviceDescriptor.
132            device_information: Some(new_fake_device_info()),
133            keyboard: Some(KeyboardDescriptor {
134                input: Some(KeyboardInputDescriptor {
135                    keys3: Some(all_keys),
136                    ..Default::default()
137                }),
138                ..Default::default()
139            }),
140            ..Default::default()
141        })
142        .await
143    }
144
145    pub async fn add_mouse_device(&mut self) -> Result<InputDevice, Error> {
146        self.add_device(DeviceDescriptor {
147            // Required for DeviceDescriptor.
148            device_information: Some(new_fake_device_info()),
149            mouse: Some(MouseDescriptor {
150                input: Some(MouseInputDescriptor {
151                    movement_x: Some(Axis {
152                        range: Range { min: -1000, max: 1000 },
153                        unit: Unit { type_: UnitType::Other, exponent: 0 },
154                    }),
155                    movement_y: Some(Axis {
156                        range: Range { min: -1000, max: 1000 },
157                        unit: Unit { type_: UnitType::Other, exponent: 0 },
158                    }),
159                    // `scroll_v` and `scroll_h` are range of tick number on
160                    // driver's report. [-100, 100] should be enough for
161                    // testing.
162                    scroll_v: Some(Axis {
163                        range: Range { min: -100, max: 100 },
164                        unit: Unit { type_: UnitType::Other, exponent: 0 },
165                    }),
166                    scroll_h: Some(Axis {
167                        range: Range { min: -100, max: 100 },
168                        unit: Unit { type_: UnitType::Other, exponent: 0 },
169                    }),
170                    // Match to the values of fuchsia.ui.test.input.MouseButton.
171                    buttons: Some(
172                        (MouseButton::First.into_primitive()..=MouseButton::Third.into_primitive())
173                            .map(|b| {
174                                b.try_into().expect("failed to convert mouse button to primitive")
175                            })
176                            .collect(),
177                    ),
178                    position_x: None,
179                    position_y: None,
180                    ..Default::default()
181                }),
182                ..Default::default()
183            }),
184            ..Default::default()
185        })
186        .await
187    }
188
189    /// Adds a device to the `InputDeviceRegistry` FIDL server connected to this
190    /// `InputDeviceRegistry` struct.
191    ///
192    /// # Returns
193    /// A `input_device::InputDevice`, which can be used to send events to the
194    /// `fuchsia.input.report.InputDevice` that has been registered with the
195    /// `fuchsia.input.injection.InputDeviceRegistry` service.
196    async fn add_device(&self, descriptor: DeviceDescriptor) -> Result<InputDevice, Error> {
197        let (client_end, request_stream) = endpoints::create_request_stream::<InputDeviceMarker>();
198        let mut device: InputDevice =
199            InputDevice::new(request_stream, descriptor, self.got_input_reports_reader.clone());
200
201        let res = self.proxy.register_and_get_device_info(client_end).await?;
202        let device_id = res.device_id.expect("missing device_id");
203        device.device_id = device_id;
204
205        Ok(device)
206    }
207}
208
209#[cfg(test)]
210mod tests {
211    use super::*;
212    use fidl_fuchsia_input_injection::{
213        InputDeviceRegistryMarker, InputDeviceRegistryRegisterAndGetDeviceInfoResponse,
214        InputDeviceRegistryRequest,
215    };
216    use fidl_fuchsia_input_report::InputReportsReaderMarker;
217    use fuchsia_async as fasync;
218    use futures::StreamExt;
219    use test_case::test_case;
220
221    enum TestDeviceType {
222        TouchScreen,
223        MediaButtons,
224        Keyboard,
225        Mouse,
226    }
227
228    async fn add_device_for_test(
229        registry: &mut InputDeviceRegistry,
230        ty: TestDeviceType,
231    ) -> Result<InputDevice, Error> {
232        match ty {
233            TestDeviceType::TouchScreen => registry.add_touchscreen_device(1, 1000, 1, 1000).await,
234            TestDeviceType::MediaButtons => registry.add_media_buttons_device().await,
235            TestDeviceType::Keyboard => registry.add_keyboard_device().await,
236            TestDeviceType::Mouse => registry.add_mouse_device().await,
237        }
238    }
239
240    #[test_case(TestDeviceType::TouchScreen =>
241                matches Ok(DeviceDescriptor {
242                    touch: Some(TouchDescriptor {
243                        input: Some(TouchInputDescriptor { .. }),
244                        ..
245                    }),
246                    .. });
247                "touchscreen_device")]
248    #[test_case(TestDeviceType::MediaButtons =>
249                matches Ok(DeviceDescriptor {
250                    consumer_control: Some(ConsumerControlDescriptor {
251                        input: Some(ConsumerControlInputDescriptor { .. }),
252                        ..
253                    }),
254                    .. });
255                "media_buttons_device")]
256    #[test_case(TestDeviceType::Keyboard =>
257                matches Ok(DeviceDescriptor {
258                    keyboard: Some(KeyboardDescriptor { .. }),
259                    ..
260                });
261                "keyboard_device")]
262    #[test_case(TestDeviceType::Mouse =>
263                matches Ok(DeviceDescriptor {
264                    mouse: Some(MouseDescriptor { .. }),
265                    ..
266                });
267                "mouse_device")]
268    #[fasync::run_singlethreaded(test)]
269    async fn add_device_registers_correct_device_type(
270        device_type: TestDeviceType,
271    ) -> Result<DeviceDescriptor, Error> {
272        let (registry_proxy, mut registry_request_stream) =
273            endpoints::create_proxy_and_stream::<InputDeviceRegistryMarker>();
274        let mut input_device_registry = InputDeviceRegistry {
275            proxy: registry_proxy,
276            got_input_reports_reader: AsyncEvent::new(),
277        };
278
279        let add_device_fut = add_device_for_test(&mut input_device_registry, device_type);
280
281        let input_device_proxy_fut = async {
282            // `input_device_registry` should send a `Register` messgage to `registry_request_stream`.
283            // Use `registry_request_stream` to grab the `ClientEnd` of the device added above,
284            // and convert the `ClientEnd` into an `InputDeviceProxy`.
285            //
286            // Here only handle InputDeviceRegistryRequest once.
287            let input_device_proxy = match registry_request_stream
288                .next()
289                .await
290                .expect("stream read should yield Some")
291                .expect("fidl read")
292            {
293                InputDeviceRegistryRequest::Register { .. } => {
294                    unreachable!("InputDeviceRegistryRequest::Register should not be called");
295                }
296                InputDeviceRegistryRequest::RegisterAndGetDeviceInfo {
297                    device, responder, ..
298                } => {
299                    responder
300                        .send(InputDeviceRegistryRegisterAndGetDeviceInfoResponse {
301                            device_id: Some(1),
302                            ..Default::default()
303                        })
304                        .expect("RegisterAndGetDeviceInfo send response failed");
305
306                    device
307                }
308            }
309            .into_proxy();
310
311            input_device_proxy
312        };
313
314        let (add_device_res, input_device_proxy) =
315            futures::join!(add_device_fut, input_device_proxy_fut);
316
317        let input_device = add_device_res.expect("add_device failed");
318        assert_ne!(input_device.device_id, 0);
319
320        let input_device_get_descriptor = input_device_proxy.get_descriptor().await;
321
322        let input_device_server_fut = input_device.flush();
323
324        // Avoid unrelated `panic()`: `InputDevice` requires clients to get an input
325        // reports reader, to help debug integration test failures where no component
326        // read events from the fake device.
327        let (_input_reports_reader_proxy, input_reports_reader_server_end) =
328            endpoints::create_proxy::<InputReportsReaderMarker>();
329        let _ = input_device_proxy.get_input_reports_reader(input_reports_reader_server_end);
330
331        std::mem::drop(input_device_proxy); // Terminate stream served by `input_device_server_fut`.
332        input_device_server_fut.await;
333
334        input_device_get_descriptor.map_err(anyhow::Error::from)
335    }
336}