input_pipeline/
dead_keys_handler.rs

1// Copyright 2021 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//! Implements dead key handling.
6//!
7//! Dead key is a character composition approach where an accented character,
8//! typically from a Western European alphabet, is composed by actuating two
9//! keys on the keyboard:
10//!
11//! 1. A "dead key" which determines which diacritic is to be placed on the
12//!    character, and which produces no immediate output; and
13//! 2. The character onto which the diacritic is to be placed.
14//!
15//! The resulting two successive key actuations produce an effect of single
16//! accented character being emitted.
17//!
18//! The dead key handler relies on keymap already having been applied, and the
19//! use of key meanings.
20//!
21//! This means that the dead key handler must be added to the input pipeline
22//! after the keymap handler in the input pipeline.
23//!
24//! The dead key handler can delay or modify the key meanings, but it never delays nor
25//! modifies key events.  This ensures that clients which require key events see the
26//! key events as they come in.  The key meanings may be delayed because of the delayed
27//! effect of composition.
28//!
29//! The state machine of the dead key handler is watching for dead key and "live" key
30//! combinations, and handles all their possible interleaving. The event sequences
31//! vary from the "obvious" ones such as "dead key press and release followed
32//! by a live key press and release", to not so obvious ones such as: "dead key
33//! press and hold, shift press, live key press and hold followed by another
34//! live key press, followed by arbitrary sequence of key releases".
35//!
36//! See the documentation for [Handler] for some more detail.
37
38use crate::input_device::{
39    Handled, InputDeviceDescriptor, InputDeviceEvent, InputEvent, UnhandledInputEvent,
40};
41use crate::input_handler::{InputHandlerStatus, UnhandledInputHandler};
42use crate::keyboard_binding::KeyboardEvent;
43use async_trait::async_trait;
44use core::fmt;
45use fidl_fuchsia_ui_input3::{KeyEventType, KeyMeaning};
46use fuchsia_inspect::health::Reporter;
47use std::cell::RefCell;
48use std::rc::Rc;
49use {rust_icu_sys as usys, rust_icu_unorm2 as unorm};
50
51// There probably is a more general method of determining whether the characters
52// are combining characters. But somehow it escapes me now.
53const GRAVE: u32 = 0x300;
54const ACUTE: u32 = 0x301;
55const CIRCUMFLEX: u32 = 0x302;
56const TILDE: u32 = 0x303;
57
58/// Returns true if `c` is one of the dead keys we support.
59///
60/// This should likely be some ICU library function, but I'm not sure which one.
61fn is_dead_key(c: u32) -> bool {
62    match c {
63        GRAVE | ACUTE | CIRCUMFLEX | TILDE => true,
64        _ => false,
65    }
66}
67
68/// Removes the combining effect from a combining code point, leaving only
69/// the diacritic.
70///
71/// This should likely be some ICU library function, but I'm not sure which one.
72fn remove_combination(c: u32) -> u32 {
73    match c {
74        GRAVE => '`' as u32,
75        ACUTE => '\'' as u32,
76        CIRCUMFLEX => '^' as u32,
77        TILDE => '~' as u32,
78        _ => c,
79    }
80}
81
82/// StoredEvent is an InputEvent which is known to be a keyboard event.
83#[derive(Debug, Clone)]
84struct StoredEvent {
85    event: KeyboardEvent,
86    device_descriptor: InputDeviceDescriptor,
87    event_time: zx::MonotonicInstant,
88}
89
90impl fmt::Display for StoredEvent {
91    // Implement a compact [Display], as the device descriptor is not
92    // normally very interesting to see.
93    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
94        write!(f, "event: {:?}, event_time: {:?}", &self.event, &self.event_time)
95    }
96}
97
98impl Into<InputEvent> for StoredEvent {
99    /// Converts [StoredEvent] into [InputEvent].
100    fn into(self) -> InputEvent {
101        InputEvent {
102            device_event: InputDeviceEvent::Keyboard(self.event),
103            device_descriptor: self.device_descriptor,
104            event_time: self.event_time,
105            handled: Handled::No,
106            trace_id: None,
107        }
108    }
109}
110
111impl Into<Vec<InputEvent>> for StoredEvent {
112    fn into(self) -> Vec<InputEvent> {
113        vec![self.into()]
114    }
115}
116
117/// Whether a [StoredEvent] corresponds to a live key or a dead key.
118enum Liveness {
119    /// The key is dead.
120    Dead,
121    /// The key is live.
122    Live,
123}
124
125/// Whether two events are the same or different by key.
126enum Sameness {
127    /// Two events are the same by key.
128    Same,
129    /// Two events are different.
130    Other,
131}
132
133impl StoredEvent {
134    /// Repackages self into a new [StoredEvent], with `event` replaced as supplied.
135    fn into_with_event(self, event: KeyboardEvent) -> Self {
136        StoredEvent {
137            event,
138            device_descriptor: self.device_descriptor,
139            event_time: self.event_time,
140        }
141    }
142
143    /// Returns the code point contained in this [StoredEvent].
144    fn code_point(&self) -> u32 {
145        match self.event.get_key_meaning() {
146            Some(KeyMeaning::Codepoint(c)) => c,
147            _ => panic!("programming error: requested code point for an event that has none"),
148        }
149    }
150
151    /// Modifies this [StoredEvent] to contain a new code point instead of whatever was there.
152    fn into_with_code_point(self, code_point: u32) -> Self {
153        let new_event =
154            self.event.clone().into_with_key_meaning(Some(KeyMeaning::Codepoint(code_point)));
155        self.into_with_event(new_event)
156    }
157
158    /// Returns true if [StoredEvent] contains a valid code point.
159    fn is_code_point(&self) -> bool {
160        match self.event.get_key_meaning() {
161            // Some nonprintable keys have the code point value set to 0.
162            Some(KeyMeaning::Codepoint(c)) => c != 0,
163            _ => false,
164        }
165    }
166
167    /// Returns whether the key is a dead key or not.  The return value is an enum
168    /// to make the state machine match arms more readable.
169    fn key_liveness(&self) -> Liveness {
170        match self.event.get_key_meaning() {
171            Some(KeyMeaning::Codepoint(c)) if is_dead_key(c) => Liveness::Dead,
172            _ => Liveness::Live,
173        }
174    }
175
176    /// Returns the key event type (pressed, released, or something else)
177    fn e_type(&self) -> KeyEventType {
178        self.event.get_event_type_folded()
179    }
180
181    /// Returns a new [StoredEvent] based on `Self`, but with the combining effect removed.
182    fn into_base_character(self) -> Self {
183        let key_meaning = self.event.get_key_meaning();
184        match key_meaning {
185            Some(KeyMeaning::Codepoint(c)) => {
186                let new_event = self
187                    .event
188                    .clone()
189                    .into_with_key_meaning(Some(KeyMeaning::Codepoint(remove_combination(c))));
190                self.into_with_event(new_event)
191            }
192            _ => self,
193        }
194    }
195
196    /// Returns a new [StoredEvent], but with key meaning removed.
197    fn remove_key_meaning(self) -> Self {
198        let mut event = self.event.clone();
199        // A zero code point means a KeyEvent for which its edit effect should
200        // be ignored. In contrast, an event with an unset code point has by
201        // definition the same effect as if the US QWERTY keymap were applied.
202        // See discussion at:
203        // https://groups.google.com/a/fuchsia.dev/g/ui-input-dev/c/ITYKvbJS6_o/m/8kK0DRccDAAJ
204        event = event.into_with_key_meaning(Some(KeyMeaning::Codepoint(0)));
205        self.into_with_event(event)
206    }
207
208    /// Returns whether the two keys `this` and `that` are in fact the same key
209    /// as per the USB HID usage reported.  The return value is an enum to make
210    /// the state machine match arms more readable.
211    fn key_sameness(this: &StoredEvent, that: &StoredEvent) -> Sameness {
212        match this.event.get_key() == that.event.get_key() {
213            true => Sameness::Same,
214            false => Sameness::Other,
215        }
216    }
217}
218
219#[allow(clippy::large_enum_variant)] // TODO(https://fxbug.dev/401086995)
220/// State contains the current observed state of the dead key state machine.
221///
222/// The dead key composition is started by observing a key press that amounts
223/// to a dead key.  The first non-dead key that gets actuated thereafter becomes
224/// the "live" key that we will attempt to add a diacritic to.  When such a live
225/// key is actuated, we will emit a key meaning equivalent to producing an
226/// accented character.
227///
228/// A complication here is that composition can unfold in any number of ways.
229/// The user could press and release the dead key, then press and release
230/// the live key.  The user could, also, press and hold the dead key, then
231/// press any number of live or dead keys in an arbitrary order.
232///
233/// Another complication is that the user could press the dead key twice, which
234/// should also be handled correctly. In this case, "correct" handling implies
235/// emitting the dead key as an accented character.  Similarly, two different
236/// dead keys pressed in succession are handled by (1) emitting the first as
237/// an accented character, and restarting composition with the second. It is
238/// worth noting that the key press and key release events could be arbitrarily
239/// interleaved for the two dead keys, and that should be handled correctly too.
240///
241/// A third complication is that, while all the composition is taking place,
242/// the pipeline must emit the `KeyEvent`s consistent with the key event protocol,
243/// but keep key meanings suppressed until the time that the key meanings have
244/// been resolved by the combination.
245///
246/// The elements of state are as follows:
247///
248///   * Did we see a dead key press event? (bit `a`)
249///   * Did we see a dead key release event? (bit `b`)
250///   * Did we see a live key press event? (bit `c`)
251///   * Did we see a live key release event? (bit `d`)
252///
253/// Almost any variation of the above elements is possible and allowed.  Even
254/// the states that ostensibly shouldn't be possible (e.g. observed a release
255/// event before a press) should be accounted for in order to implement
256/// self-correcting behavior if needed.  The [State] enum below encodes each
257/// state as a name `Sdcba`, where each of `a..d` are booleans, encoded
258/// as characters `0` and `1` as conventional. So for example, `S0101`
259/// is a state where we observed a dead key press event, and a live key press
260/// event.  I made an experiment where I tried to use more illustrative state
261/// names, but the number of variations didn't make the resulting names any more
262/// meaningful compared to the current state name encoding scheme. So compact
263/// naming it is.
264#[derive(Debug, Clone)]
265enum State {
266    /// We have yet to see a key to act on.
267    S0000,
268
269    /// We saw an actuation of a dead key.
270    S0001 { dead_key_down: StoredEvent },
271
272    /// A dead key was pressed and released.
273    S0011 { dead_key_down: StoredEvent, dead_key_up: StoredEvent },
274
275    /// A dead key was pressed and released, followed by a live key press.
276    S0111 { dead_key_down: StoredEvent, dead_key_up: StoredEvent, live_key_down: StoredEvent },
277
278    /// A dead key was pressed, followed by a live key press.
279    S0101 { dead_key_down: StoredEvent, live_key_down: StoredEvent },
280
281    /// A dead key was pressed, then a live key was pressed and released.
282    S1101 { dead_key_down: StoredEvent },
283}
284
285#[derive(Debug)]
286pub struct DeadKeysHandler {
287    /// Tracks the current state of the dead key composition.
288    state: RefCell<State>,
289
290    /// The unicode normalizer used for composition.
291    normalizer: unorm::UNormalizer,
292
293    /// This handler requires ICU data to be live. This is ensured by holding
294    /// a reference to an ICU data loader.
295    _data: icu_data::Loader,
296
297    /// The inventory of this handler's Inspect status.
298    pub inspect_status: InputHandlerStatus,
299}
300
301/// This trait implementation allows the [Handler] to be hooked up into the input
302/// pipeline.
303#[async_trait(?Send)]
304impl UnhandledInputHandler for DeadKeysHandler {
305    async fn handle_unhandled_input_event(
306        self: Rc<Self>,
307        unhandled_input_event: UnhandledInputEvent,
308    ) -> Vec<InputEvent> {
309        self.handle_unhandled_input_event_internal(unhandled_input_event)
310    }
311
312    fn set_handler_healthy(self: std::rc::Rc<Self>) {
313        self.inspect_status.health_node.borrow_mut().set_ok();
314    }
315
316    fn set_handler_unhealthy(self: std::rc::Rc<Self>, msg: &str) {
317        self.inspect_status.health_node.borrow_mut().set_unhealthy(msg);
318    }
319}
320
321impl DeadKeysHandler {
322    /// Creates a new instance of the dead keys handler.
323    pub fn new(
324        icu_data: icu_data::Loader,
325        input_handlers_node: &fuchsia_inspect::Node,
326    ) -> Rc<Self> {
327        let inspect_status = InputHandlerStatus::new(
328            input_handlers_node,
329            "dead_keys_handler",
330            /* generates_events */ false,
331        );
332        let handler = DeadKeysHandler {
333            state: RefCell::new(State::S0000),
334            // The NFC normalizer performs the needed composition and is not
335            // lossy.
336            normalizer: unorm::UNormalizer::new_nfc().unwrap(),
337            _data: icu_data,
338            inspect_status,
339        };
340        Rc::new(handler)
341    }
342
343    fn handle_unhandled_input_event_internal(
344        self: Rc<Self>,
345        unhandled_input_event: UnhandledInputEvent,
346    ) -> Vec<InputEvent> {
347        match unhandled_input_event.clone() {
348            UnhandledInputEvent {
349                device_event: InputDeviceEvent::Keyboard(event),
350                device_descriptor,
351                event_time,
352                trace_id: _,
353            } => {
354                self.inspect_status.count_received_event(InputEvent::from(unhandled_input_event));
355                let event = StoredEvent { event, device_descriptor, event_time };
356                // Separated into two statements to ensure the logs are not truncated.
357                log::debug!("state: {:?}", self.state.borrow());
358                log::debug!("event: {}", &event);
359                let result = self.process_keyboard_event(event);
360                log::debug!("result: {:?}", &result);
361                result
362            }
363
364            // Pass other events unchanged.
365            _ => vec![InputEvent::from(unhandled_input_event)],
366        }
367    }
368
369    /// Sets the internal handler state to `new_state`.
370    fn set_state(self: &Rc<Self>, new_state: State) {
371        *(self.state.borrow_mut()) = new_state;
372    }
373
374    /// Attaches a key meaning to each passing keyboard event.
375    ///
376    /// Underlying this function is a state machine which registers the flow of dead and live keys
377    /// after each reported event, and modifies the input event stream accordingly.  For example,
378    /// a sequence of events where a dead key is pressed and released, followed by a live key
379    /// press and release, results in a composed character being emitted.  The state machine
380    /// takese care of this sequence, but also of other less obvious sequences and their effects.
381    fn process_keyboard_event(self: &Rc<Self>, event: StoredEvent) -> Vec<InputEvent> {
382        if !event.is_code_point() {
383            // Pass through any non-codepoint events.
384            return event.into();
385        }
386        let old_state = self.state.borrow().clone();
387        match old_state {
388            // We are waiting for the composition to begin.
389            State::S0000 => match (event.key_liveness(), event.e_type()) {
390                // A dead key press starts composition.  We advance to the next
391                // state machine state, and eliminate any key meaning from the
392                // key event, since we anticipate its use in composition.
393                (Liveness::Dead, KeyEventType::Pressed) => {
394                    self.set_state(State::S0001 { dead_key_down: event.clone() });
395                    event.remove_key_meaning().into()
396                }
397
398                // A dead key release while we're waiting for a dead key press,
399                // this is probably a remnant of an earlier double press, remove the
400                // combining from it and forward.  Keep waiting for composition
401                // to begin.
402                (Liveness::Dead, KeyEventType::Released) => event.into_base_character().into(),
403
404                // Any other events can be forwarded unmodified.
405                _ => event.into(),
406            },
407
408            // We have seen a dead key press, but not release.
409            State::S0001 { dead_key_down } => {
410                match (
411                    event.key_liveness(),
412                    StoredEvent::key_sameness(&event, &dead_key_down),
413                    event.e_type(),
414                ) {
415                    // The same dead key that was pressed the other time was released.
416                    // Emit a stripped version, and start waiting for a live key.
417                    (Liveness::Dead, Sameness::Same, KeyEventType::Released) => {
418                        self.set_state(State::S0011 { dead_key_down, dead_key_up: event.clone() });
419                        event.remove_key_meaning().into()
420                    }
421
422                    // Another dead key was released at this point.  Since
423                    // we can not start a new combination here, we must forward
424                    // it with meaning stripped.
425                    (Liveness::Dead, Sameness::Other, KeyEventType::Released) => {
426                        event.remove_key_meaning().into()
427                    }
428
429                    // The same dead key was pressed again, while we have seen
430                    // it pressed before.  This can happen when autorepeat kicks
431                    // in.  We treat this the same as two successive actuations
432                    // i.e. we send a stripped version of the character, and
433                    // go back to waiting.
434                    (Liveness::Dead, Sameness::Same, KeyEventType::Pressed) => {
435                        self.set_state(State::S0000);
436                        event.into_base_character().into()
437                    }
438
439                    // A different dead key was pressed.  This stops the ongoing
440                    // composition, and starts a new one with a new dead key.  However,
441                    // what we emit is a bit subtle: we emit a key press event
442                    // for the *new* key, but with a key meaning of the stripped
443                    // version of the current key.
444                    (Liveness::Dead, Sameness::Other, KeyEventType::Pressed) => {
445                        let current_removed = dead_key_down.clone().into_base_character();
446                        self.set_state(State::S0001 { dead_key_down: event.clone() });
447                        event.into_with_code_point(current_removed.code_point()).into()
448                    }
449
450                    // A live key was pressed while the dead key is held down. Yay!
451                    //
452                    // Compose and ship out the live key with attached new meaning.
453                    //
454                    // A very similar piece of code happens in the state `State::S0011`,
455                    // except we get there through a different sequence of events.
456                    // Please refer to that code for the details about composition.
457                    (Liveness::Live, _, KeyEventType::Pressed) => {
458                        let maybe_composed = self.normalizer.compose_pair(
459                            event.code_point() as usys::UChar32,
460                            dead_key_down.code_point() as usys::UChar32,
461                        );
462
463                        if maybe_composed >= 0 {
464                            // Composition was a success.
465                            let composed_event = event.into_with_code_point(maybe_composed as u32);
466                            self.set_state(State::S0101 {
467                                dead_key_down,
468                                live_key_down: composed_event.clone(),
469                            });
470                            return composed_event.into();
471                        } else {
472                            // FAIL!
473                            self.set_state(State::S0101 {
474                                dead_key_down,
475                                live_key_down: event.clone(),
476                            });
477                            return event.into();
478                        }
479                    }
480                    // All other key events are forwarded unmodified.
481                    _ => event.into(),
482                }
483            }
484
485            // The dead key was pressed and released, the first live key that
486            // gets pressed after that now will be used for the composition.
487            State::S0011 { dead_key_down, dead_key_up } => {
488                match (event.key_liveness(), event.e_type()) {
489                    // We observed a dead key actuation.
490                    (Liveness::Dead, KeyEventType::Pressed) => {
491                        match StoredEvent::key_sameness(&dead_key_down, &event) {
492                            // The user pressed the same dead key again.  Let's "compose" it by
493                            // stripping its diacritic and making that a compose key.
494                            Sameness::Same => {
495                                let event = event.into_base_character();
496                                self.set_state(State::S0111 {
497                                    dead_key_down,
498                                    dead_key_up,
499                                    live_key_down: event.clone(),
500                                });
501                                event.into()
502                            }
503                            // The user pressed a different dead key. It would have been nice
504                            // to start a new composition, but we can not express that with the
505                            // KeyEvent API, since that would require emitting spurious press and
506                            // release key events for the dead key press and release.
507                            //
508                            // Instead, forward the key unmodified and cancel
509                            // the composition.  We may revisit this if the KeyEvent API is
510                            // changed to allow decoupling key events from key meanings.
511                            Sameness::Other => {
512                                self.set_state(State::S0000);
513                                event.into_base_character().into()
514                            }
515                        }
516                    }
517
518                    // We observed a dead key release.  This is likely a dead key
519                    // from the *previous* composition attempt.  Nothing to do here,
520                    // except forward it stripped of key meaning.
521                    (Liveness::Dead, KeyEventType::Released) => event.remove_key_meaning().into(),
522
523                    // Oh, frabjous day! Someone pressed a live key that may be
524                    // possible to combine!  Let's try it out!  If composition is
525                    // a success, emit the current key with the meaning set to
526                    // the composed character.
527                    (Liveness::Live, KeyEventType::Pressed) => {
528                        let maybe_composed = self.normalizer.compose_pair(
529                            event.code_point() as usys::UChar32,
530                            dead_key_down.code_point() as usys::UChar32,
531                        );
532
533                        if maybe_composed >= 0 {
534                            // Composition was a success.
535                            // Emit the composed event, remember it also when
536                            // transitioning to S0111, so we can recover the key meaning
537                            // when the live key is released.
538                            let composed_event = event.into_with_code_point(maybe_composed as u32);
539                            self.set_state(State::S0111 {
540                                dead_key_down,
541                                dead_key_up,
542                                live_key_down: composed_event.clone(),
543                            });
544                            return composed_event.into();
545                        } else {
546                            log::debug!("compose failed for: {}\n", &event);
547                            // FAIL!
548                            // Composition failed, what now?  We would need to
549                            // emit TWO characters - one for the now-defunct
550                            // dead key, and another for the current live key.
551                            // But this is not possible, since we may not emit
552                            // more combining key events, but must always emit
553                            // both the key and the key meaning since that is
554                            // how our protocol works.  Well, we reached the
555                            // limit of what key event composition may do, so
556                            // let's simply agree to emit the current event
557                            // unmodified and forget we had the dead key.
558                            self.set_state(State::S0111 {
559                                dead_key_down,
560                                dead_key_up,
561                                live_key_down: event.clone(),
562                            });
563                            return event.into();
564                        }
565                    }
566
567                    // All other key events are forwarded unmodified.
568                    _ => event.into(),
569                }
570            }
571
572            // We already combined the live key with the dead key, and are
573            // now waiting for the live key to be released.
574            State::S0111 { dead_key_down, dead_key_up, live_key_down } => {
575                match (
576                    event.key_liveness(),
577                    // Here we compare the current key with the live key down,
578                    // unlike in prior states.
579                    StoredEvent::key_sameness(&event, &live_key_down),
580                    event.e_type(),
581                ) {
582                    // This is what we've been waiting for: the live key is now
583                    // lifted.  Emit the live key release using the same code point
584                    // as we used when the key went down, and we're done.
585                    (Liveness::Live, Sameness::Same, KeyEventType::Released) => {
586                        self.set_state(State::S0000);
587                        event.into_with_code_point(live_key_down.code_point()).into()
588                    }
589
590                    // A second press of the live key we're combining.  This is
591                    // probably a consequence of autorepeat.  The effect should
592                    // be to complete the composition and continue emitting the
593                    // "base" key meaning for any further repeats; but also
594                    // continue waiting for a key release.
595                    (Liveness::Live, Sameness::Same, KeyEventType::Pressed) => {
596                        let base_codepoint = event.code_point();
597                        let combined_event =
598                            event.clone().into_with_code_point(live_key_down.code_point());
599                        // We emit a combined key, but further repeats will use the
600                        // base code point and not combine.
601                        self.set_state(State::S0111 {
602                            dead_key_down,
603                            dead_key_up,
604                            live_key_down: event.into_with_code_point(base_codepoint),
605                        });
606                        combined_event.into()
607                    }
608
609                    // If another live key event comes in, just forward it, and
610                    // continue waiting for the last live key release.
611                    (Liveness::Live, Sameness::Other, _) => event.into(),
612
613                    // Another dead key has been pressed in addition to what
614                    // had been pressed before. So now, we are waiting for the
615                    // user to release the live key we already composed, but the
616                    // user is again pressing a compose key instead.
617                    //
618                    // Ideally, we'd want to start new composition with the
619                    // new dead key.  But, there's still the issue with the
620                    // live key that is still being pressed: when it is eventually
621                    // released, we want to have it have exactly the same key
622                    // meaning as what we emitted for when it was pressed.  But,
623                    // that may happen arbitrarily late afterwards, and we'd
624                    // prefer not to keep any composition state for that long.
625                    //
626                    // That suggests that we must not honor this new dead key
627                    // as composition.  But, also, we must not drop the key
628                    // event on the floor, since the clients that read key
629                    // events must receive it.  So, we just *turn* off
630                    // the combining effect on this key, forward it like that,
631                    // and continue waiting for the key release.
632                    (Liveness::Dead, _, KeyEventType::Pressed) => event.remove_key_meaning().into(),
633
634                    (Liveness::Dead, _, KeyEventType::Released) => {
635                        match StoredEvent::key_sameness(&event, &live_key_down) {
636                            // Special: if the released key a dead key and the same as the
637                            // "live" composing key, then we're seeing a release of a doubly-
638                            // pressed dead key.  This one needs to be emitted as a diacritic.
639                            Sameness::Same => {
640                                self.set_state(State::S0000);
641                                event.into_base_character().into()
642                            }
643
644                            // All other dead keys are forwarded with stripped key meanings.
645                            // We have no way to handle them further.
646                            Sameness::Other => event.remove_key_meaning().into(),
647                        }
648                    }
649
650                    // Forward any other events unmodified.
651                    _ => event.into(),
652                }
653            }
654
655            // The user pressed and is holding the dead key; and pressed and
656            // is holding a live key.
657            State::S0101 { dead_key_down, live_key_down } => {
658                match (event.key_liveness(), event.e_type()) {
659                    // The same dead key we're already holding is pressed.  Just forward
660                    // the key event, but not meaning.
661                    (Liveness::Dead, KeyEventType::Pressed) => event.remove_key_meaning().into(),
662
663                    (Liveness::Dead, KeyEventType::Released) => {
664                        // The dead key that we are using for combining is released.
665                        // Emit its release event without a key meaning and go to a
666                        // state that expects a release of the live key.
667                        match StoredEvent::key_sameness(&dead_key_down, &event) {
668                            Sameness::Same => {
669                                self.set_state(State::S0111 {
670                                    dead_key_down,
671                                    dead_key_up: event.clone(),
672                                    live_key_down,
673                                });
674                                event.remove_key_meaning().into()
675                            }
676
677                            // Other dead key is released.  Remove its key meaning, but forward.
678                            Sameness::Other => event.remove_key_meaning().into(),
679                        }
680                    }
681                    (Liveness::Live, KeyEventType::Pressed) => {
682                        match StoredEvent::key_sameness(&live_key_down, &event) {
683                            // The currently pressed live key is pressed again.
684                            // This is autorepeat.  We emit one composed key, but any
685                            // further emitted keys will not compose.  This
686                            // should be similar to `State::S0111`, except the
687                            // transition is back to *this* state.
688                            Sameness::Same => {
689                                let base_codepoint = event.code_point();
690                                let combined_event =
691                                    event.clone().into_with_code_point(live_key_down.code_point());
692                                self.set_state(State::S0101 {
693                                    dead_key_down,
694                                    live_key_down: event.into_with_code_point(base_codepoint),
695                                });
696                                combined_event.into()
697                            }
698                            Sameness::Other => event.into(),
699                        }
700                    }
701                    (Liveness::Live, KeyEventType::Released) => {
702                        match StoredEvent::key_sameness(&live_key_down, &event) {
703                            Sameness::Same => {
704                                self.set_state(State::S1101 { dead_key_down });
705                                event.into_with_code_point(live_key_down.code_point()).into()
706                            }
707
708                            // Any other release just gets forwarded.
709                            Sameness::Other => event.into(),
710                        }
711                    }
712
713                    // Forward any other events unmodified
714                    _ => event.into(),
715                }
716            }
717
718            // The dead key is still actuated, but we already sent out the
719            // combined versions of the live key.
720            State::S1101 { dead_key_down } => {
721                match (event.key_liveness(), event.e_type()) {
722                    (Liveness::Dead, KeyEventType::Pressed) => {
723                        // Two possible cases here, but the outcome is the
724                        // same:
725                        //
726                        // The same dead key is pressed again.  Let's not
727                        // do any more compositions here.
728                        //
729                        // A different dead key has been pressed.  We can
730                        // not start a new composition while we have not
731                        // closed out the current composition.  For this
732                        // reason we ignore the other key.
733                        //
734                        // A real compositioning API would perhaps allow us
735                        // to stack compositions on top of each other, but
736                        // we will require any such consumers to go talk to
737                        // the text editing API instead.
738                        event.remove_key_meaning().into()
739                    }
740
741                    (Liveness::Dead, KeyEventType::Released) => {
742                        match StoredEvent::key_sameness(&dead_key_down, &event) {
743                            // The dead key is released, the composition is
744                            // done, let's close up shop.
745                            Sameness::Same => {
746                                self.set_state(State::S0000);
747                                event.remove_key_meaning().into()
748                            }
749                            // A dead key was released, but not the one that we
750                            // are combining by.  Forward with the combining
751                            // effect stripped.
752                            Sameness::Other => event.remove_key_meaning().into(),
753                        }
754                    }
755
756                    // Any additional live keys, no matter if they are the same
757                    // as the one currently being composed, will *not* be composed,
758                    // we forward them unmodified as we wait to close off this
759                    // composition.
760                    //
761                    // Forward any other events unmodified.
762                    _ => event.into(),
763                }
764            }
765        }
766    }
767}
768
769#[cfg(test)]
770mod tests {
771    use super::*;
772    use crate::testing_utilities;
773    use fidl_fuchsia_input::Key;
774    use fidl_fuchsia_input_report::ConsumerControlButton;
775
776    use pretty_assertions::assert_eq;
777    use std::convert::TryFrom as _;
778
779    // Creates a new keyboard event for testing.
780    fn new_event(
781        key: Key,
782        event_type: KeyEventType,
783        key_meaning: Option<KeyMeaning>,
784    ) -> UnhandledInputEvent {
785        UnhandledInputEvent::try_from(testing_utilities::create_keyboard_event_with_handled(
786            key,
787            event_type,
788            /*modifiers=*/ None,
789            /*event_time*/ zx::MonotonicInstant::ZERO,
790            &InputDeviceDescriptor::Fake,
791            /*keymap=*/ None,
792            key_meaning,
793            /*handled=*/ Handled::No,
794        ))
795        .unwrap()
796    }
797
798    // Tests some common keyboard input use cases with dead keys actuation.
799    #[test]
800    fn test_input_processing() {
801        // A zero codepoint is a way to let the consumers know that this key
802        // event should have no effect on the edited text; even though its
803        // key event may have other effects, such as moving the hero across
804        // the screen in a game.
805        const ZERO_CP: Option<KeyMeaning> = Some(KeyMeaning::Codepoint(0));
806
807        #[derive(Debug)]
808        struct TestCase {
809            name: &'static str,
810            // The sequence of input events at the input of the dead keys
811            // handler.
812            inputs: Vec<UnhandledInputEvent>,
813            // The expected sequence of input events, after being transformed
814            // by the dead keys handler.
815            expected: Vec<UnhandledInputEvent>,
816        }
817        let tests: Vec<TestCase> = vec![
818            TestCase {
819                name: "passthrough",
820                inputs: vec![
821                    new_event(
822                        Key::A,
823                        KeyEventType::Pressed,
824                        Some(KeyMeaning::Codepoint('A' as u32)),
825                    ),
826                    new_event(
827                        Key::A,
828                        KeyEventType::Released,
829                        Some(KeyMeaning::Codepoint('A' as u32)),
830                    ),
831                ],
832                expected: vec![
833                    new_event(
834                        Key::A,
835                        KeyEventType::Pressed,
836                        Some(KeyMeaning::Codepoint('A' as u32)),
837                    ),
838                    new_event(
839                        Key::A,
840                        KeyEventType::Released,
841                        Some(KeyMeaning::Codepoint('A' as u32)),
842                    ),
843                ],
844            },
845            TestCase {
846                name: "A circumflex - dead key first, then live key",
847                inputs: vec![
848                    new_event(
849                        Key::Key5,
850                        KeyEventType::Pressed,
851                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
852                    ),
853                    new_event(
854                        Key::Key5,
855                        KeyEventType::Released,
856                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
857                    ),
858                    new_event(
859                        Key::A,
860                        KeyEventType::Pressed,
861                        Some(KeyMeaning::Codepoint('A' as u32)),
862                    ),
863                    new_event(
864                        Key::A,
865                        KeyEventType::Released,
866                        Some(KeyMeaning::Codepoint('A' as u32)),
867                    ),
868                ],
869                expected: vec![
870                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
871                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
872                    new_event(
873                        Key::A,
874                        KeyEventType::Pressed,
875                        Some(KeyMeaning::Codepoint('Â' as u32)),
876                    ),
877                    new_event(
878                        Key::A,
879                        KeyEventType::Released,
880                        Some(KeyMeaning::Codepoint('Â' as u32)),
881                    ),
882                ],
883            },
884            TestCase {
885                name: "A circumflex - dead key held all the way through composition",
886                inputs: vec![
887                    new_event(
888                        Key::Key5,
889                        KeyEventType::Pressed,
890                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
891                    ),
892                    new_event(
893                        Key::A,
894                        KeyEventType::Pressed,
895                        Some(KeyMeaning::Codepoint('A' as u32)),
896                    ),
897                    new_event(
898                        Key::A,
899                        KeyEventType::Released,
900                        Some(KeyMeaning::Codepoint('A' as u32)),
901                    ),
902                    new_event(
903                        Key::Key5,
904                        KeyEventType::Released,
905                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
906                    ),
907                ],
908                expected: vec![
909                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
910                    new_event(
911                        Key::A,
912                        KeyEventType::Pressed,
913                        Some(KeyMeaning::Codepoint('Â' as u32)),
914                    ),
915                    new_event(
916                        Key::A,
917                        KeyEventType::Released,
918                        Some(KeyMeaning::Codepoint('Â' as u32)),
919                    ),
920                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
921                ],
922            },
923            TestCase {
924                name: "A circumflex - dead key held until the live key was down",
925                inputs: vec![
926                    new_event(
927                        Key::Key5,
928                        KeyEventType::Pressed,
929                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
930                    ),
931                    new_event(
932                        Key::A,
933                        KeyEventType::Pressed,
934                        Some(KeyMeaning::Codepoint('A' as u32)),
935                    ),
936                    new_event(
937                        Key::Key5,
938                        KeyEventType::Released,
939                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
940                    ),
941                    new_event(
942                        Key::A,
943                        KeyEventType::Released,
944                        Some(KeyMeaning::Codepoint('A' as u32)),
945                    ),
946                ],
947                expected: vec![
948                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
949                    new_event(
950                        Key::A,
951                        KeyEventType::Pressed,
952                        Some(KeyMeaning::Codepoint('Â' as u32)),
953                    ),
954                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
955                    new_event(
956                        Key::A,
957                        KeyEventType::Released,
958                        Some(KeyMeaning::Codepoint('Â' as u32)),
959                    ),
960                ],
961            },
962            TestCase {
963                name: "Combining character pressed twice - results in a single diacritic",
964                inputs: vec![
965                    new_event(
966                        Key::Key5,
967                        KeyEventType::Pressed,
968                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
969                    ),
970                    new_event(
971                        Key::Key5,
972                        KeyEventType::Released,
973                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
974                    ),
975                    new_event(
976                        Key::Key5,
977                        KeyEventType::Pressed,
978                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
979                    ),
980                    new_event(
981                        Key::Key5,
982                        KeyEventType::Released,
983                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
984                    ),
985                ],
986                expected: vec![
987                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
988                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
989                    new_event(
990                        Key::Key5,
991                        KeyEventType::Pressed,
992                        Some(KeyMeaning::Codepoint('^' as u32)),
993                    ),
994                    new_event(
995                        Key::Key5,
996                        KeyEventType::Released,
997                        Some(KeyMeaning::Codepoint('^' as u32)),
998                    ),
999                ],
1000            },
1001            TestCase {
1002                name: "A circumflex - dead key spans live key",
1003                inputs: vec![
1004                    new_event(
1005                        Key::Key5,
1006                        KeyEventType::Pressed,
1007                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1008                    ),
1009                    new_event(
1010                        Key::A,
1011                        KeyEventType::Pressed,
1012                        Some(KeyMeaning::Codepoint('A' as u32)),
1013                    ),
1014                    new_event(
1015                        Key::A,
1016                        KeyEventType::Released,
1017                        Some(KeyMeaning::Codepoint('A' as u32)),
1018                    ),
1019                    new_event(
1020                        Key::Key5,
1021                        KeyEventType::Released,
1022                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1023                    ),
1024                ],
1025                expected: vec![
1026                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
1027                    new_event(
1028                        Key::A,
1029                        KeyEventType::Pressed,
1030                        Some(KeyMeaning::Codepoint('Â' as u32)),
1031                    ),
1032                    new_event(
1033                        Key::A,
1034                        KeyEventType::Released,
1035                        Some(KeyMeaning::Codepoint('Â' as u32)),
1036                    ),
1037                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
1038                ],
1039            },
1040            TestCase {
1041                name: "Only the first key after the dead key actuation is composed",
1042                inputs: vec![
1043                    new_event(
1044                        Key::Key5,
1045                        KeyEventType::Pressed,
1046                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1047                    ),
1048                    new_event(
1049                        Key::Key5,
1050                        KeyEventType::Released,
1051                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1052                    ),
1053                    new_event(
1054                        Key::A,
1055                        KeyEventType::Pressed,
1056                        Some(KeyMeaning::Codepoint('A' as u32)),
1057                    ),
1058                    new_event(
1059                        Key::E,
1060                        KeyEventType::Pressed,
1061                        Some(KeyMeaning::Codepoint('E' as u32)),
1062                    ),
1063                    new_event(
1064                        Key::A,
1065                        KeyEventType::Released,
1066                        Some(KeyMeaning::Codepoint('A' as u32)),
1067                    ),
1068                    new_event(
1069                        Key::E,
1070                        KeyEventType::Released,
1071                        Some(KeyMeaning::Codepoint('E' as u32)),
1072                    ),
1073                ],
1074                expected: vec![
1075                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
1076                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
1077                    new_event(
1078                        Key::A,
1079                        KeyEventType::Pressed,
1080                        Some(KeyMeaning::Codepoint('Â' as u32)),
1081                    ),
1082                    new_event(
1083                        Key::E,
1084                        KeyEventType::Pressed,
1085                        Some(KeyMeaning::Codepoint('E' as u32)),
1086                    ),
1087                    new_event(
1088                        Key::A,
1089                        KeyEventType::Released,
1090                        Some(KeyMeaning::Codepoint('Â' as u32)),
1091                    ),
1092                    new_event(
1093                        Key::E,
1094                        KeyEventType::Released,
1095                        Some(KeyMeaning::Codepoint('E' as u32)),
1096                    ),
1097                ],
1098            },
1099            TestCase {
1100                name: "Modifier keys are not affected",
1101                inputs: vec![
1102                    new_event(
1103                        Key::Key5,
1104                        KeyEventType::Pressed,
1105                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1106                    ),
1107                    new_event(
1108                        Key::Key5,
1109                        KeyEventType::Released,
1110                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1111                    ),
1112                    new_event(Key::LeftShift, KeyEventType::Pressed, ZERO_CP),
1113                    new_event(
1114                        Key::A,
1115                        KeyEventType::Pressed,
1116                        Some(KeyMeaning::Codepoint('A' as u32)),
1117                    ),
1118                    new_event(
1119                        Key::A,
1120                        KeyEventType::Released,
1121                        Some(KeyMeaning::Codepoint('A' as u32)),
1122                    ),
1123                    new_event(Key::LeftShift, KeyEventType::Released, ZERO_CP),
1124                ],
1125                expected: vec![
1126                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
1127                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
1128                    new_event(Key::LeftShift, KeyEventType::Pressed, ZERO_CP),
1129                    new_event(
1130                        Key::A,
1131                        KeyEventType::Pressed,
1132                        Some(KeyMeaning::Codepoint('Â' as u32)),
1133                    ),
1134                    new_event(
1135                        Key::A,
1136                        KeyEventType::Released,
1137                        Some(KeyMeaning::Codepoint('Â' as u32)),
1138                    ),
1139                    new_event(Key::LeftShift, KeyEventType::Released, ZERO_CP),
1140                ],
1141            },
1142            TestCase {
1143                name: "Two dead keys in succession - no compose",
1144                inputs: vec![
1145                    new_event(
1146                        Key::Key5,
1147                        KeyEventType::Pressed,
1148                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1149                    ),
1150                    new_event(
1151                        Key::Key5,
1152                        KeyEventType::Released,
1153                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1154                    ),
1155                    new_event(
1156                        Key::A,
1157                        KeyEventType::Pressed,
1158                        Some(KeyMeaning::Codepoint(GRAVE as u32)),
1159                    ),
1160                    new_event(
1161                        Key::A,
1162                        KeyEventType::Released,
1163                        Some(KeyMeaning::Codepoint(GRAVE as u32)),
1164                    ),
1165                ],
1166                expected: vec![
1167                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
1168                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
1169                    new_event(
1170                        Key::A,
1171                        KeyEventType::Pressed,
1172                        Some(KeyMeaning::Codepoint('`' as u32)),
1173                    ),
1174                    new_event(
1175                        Key::A,
1176                        KeyEventType::Released,
1177                        Some(KeyMeaning::Codepoint('`' as u32)),
1178                    ),
1179                ],
1180            },
1181            TestCase {
1182                name: "Compose with capital letter",
1183                inputs: vec![
1184                    new_event(
1185                        Key::Key5,
1186                        KeyEventType::Pressed,
1187                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1188                    ),
1189                    new_event(
1190                        Key::Key5,
1191                        KeyEventType::Released,
1192                        Some(KeyMeaning::Codepoint(CIRCUMFLEX as u32)),
1193                    ),
1194                    new_event(
1195                        Key::LeftShift,
1196                        KeyEventType::Pressed,
1197                        Some(KeyMeaning::Codepoint(0)),
1198                    ),
1199                    new_event(
1200                        Key::A,
1201                        KeyEventType::Pressed,
1202                        Some(KeyMeaning::Codepoint('A' as u32)),
1203                    ),
1204                    new_event(
1205                        Key::A,
1206                        KeyEventType::Released,
1207                        Some(KeyMeaning::Codepoint('A' as u32)),
1208                    ),
1209                    new_event(
1210                        Key::LeftShift,
1211                        KeyEventType::Released,
1212                        Some(KeyMeaning::Codepoint(0)),
1213                    ),
1214                ],
1215                expected: vec![
1216                    new_event(Key::Key5, KeyEventType::Pressed, ZERO_CP),
1217                    new_event(Key::Key5, KeyEventType::Released, ZERO_CP),
1218                    new_event(
1219                        Key::LeftShift,
1220                        KeyEventType::Pressed,
1221                        Some(KeyMeaning::Codepoint(0)),
1222                    ),
1223                    new_event(
1224                        Key::A,
1225                        KeyEventType::Pressed,
1226                        Some(KeyMeaning::Codepoint('Â' as u32)),
1227                    ),
1228                    new_event(
1229                        Key::A,
1230                        KeyEventType::Released,
1231                        Some(KeyMeaning::Codepoint('Â' as u32)),
1232                    ),
1233                    new_event(
1234                        Key::LeftShift,
1235                        KeyEventType::Released,
1236                        Some(KeyMeaning::Codepoint(0)),
1237                    ),
1238                ],
1239            },
1240        ];
1241        let inspector = fuchsia_inspect::Inspector::default();
1242        let test_node = inspector.root().create_child("test_node");
1243        let loader = icu_data::Loader::new().unwrap();
1244        let handler = super::DeadKeysHandler::new(loader, &test_node);
1245        for test in tests {
1246            let actuals: Vec<InputEvent> = test
1247                .inputs
1248                .into_iter()
1249                .map(|event| handler.clone().handle_unhandled_input_event_internal(event))
1250                .flatten()
1251                .collect();
1252            assert_eq!(
1253                test.expected.into_iter().map(InputEvent::from).collect::<Vec<_>>(),
1254                actuals,
1255                "in test: {}",
1256                test.name
1257            );
1258        }
1259    }
1260
1261    #[test]
1262    fn dead_keys_handler_initialized_with_inspect_node() {
1263        let loader = icu_data::Loader::new().unwrap();
1264        let inspector = fuchsia_inspect::Inspector::default();
1265        let fake_handlers_node = inspector.root().create_child("input_handlers_node");
1266        let _handler = DeadKeysHandler::new(loader, &fake_handlers_node);
1267        diagnostics_assertions::assert_data_tree!(inspector, root: {
1268            input_handlers_node: {
1269                dead_keys_handler: {
1270                    events_received_count: 0u64,
1271                    events_handled_count: 0u64,
1272                    last_received_timestamp_ns: 0u64,
1273                    "fuchsia.inspect.Health": {
1274                        status: "STARTING_UP",
1275                        // Timestamp value is unpredictable and not relevant in this context,
1276                        // so we only assert that the property is present.
1277                        start_timestamp_nanos: diagnostics_assertions::AnyProperty
1278                    },
1279                }
1280            }
1281        });
1282    }
1283
1284    #[test]
1285    fn dead_keys_handler_inspect_counts_events() {
1286        let loader = icu_data::Loader::new().unwrap();
1287        let inspector = fuchsia_inspect::Inspector::default();
1288        let fake_handlers_node = inspector.root().create_child("input_handlers_node");
1289        let handler = DeadKeysHandler::new(loader, &fake_handlers_node);
1290
1291        // Inspect should count unhandled key events and ignore irrelevent InputEvent types.
1292        let events = vec![
1293            new_event(Key::A, KeyEventType::Pressed, Some(KeyMeaning::Codepoint('A' as u32))),
1294            UnhandledInputEvent::try_from(testing_utilities::create_consumer_controls_event(
1295                vec![ConsumerControlButton::VolumeUp],
1296                zx::MonotonicInstant::ZERO,
1297                &testing_utilities::consumer_controls_device_descriptor(),
1298            ))
1299            .unwrap(),
1300            new_event(Key::A, KeyEventType::Released, Some(KeyMeaning::Codepoint('A' as u32))),
1301        ];
1302        let _res: Vec<InputEvent> = events
1303            .into_iter()
1304            .map(|event| handler.clone().handle_unhandled_input_event_internal(event))
1305            .flatten()
1306            .collect();
1307        diagnostics_assertions::assert_data_tree!(inspector, root: {
1308            input_handlers_node: {
1309                dead_keys_handler: {
1310                    events_received_count: 2u64,
1311                    events_handled_count: 0u64,
1312                    last_received_timestamp_ns: 0u64,
1313                    "fuchsia.inspect.Health": {
1314                        status: "STARTING_UP",
1315                        // Timestamp value is unpredictable and not relevant in this context,
1316                        // so we only assert that the property is present.
1317                        start_timestamp_nanos: diagnostics_assertions::AnyProperty
1318                    },
1319                }
1320            }
1321        });
1322    }
1323}