Files
outline/app/hooks/useKeyDown.ts
Tom Moor 15b1069bcc chore: Move to Typescript (#2783)
This PR moves the entire project to Typescript. Due to the ~1000 ignores this will lead to a messy codebase for a while, but the churn is worth it – all of those ignore comments are places that were never type-safe previously.

closes #1282
2021-11-29 06:40:55 -08:00

73 lines
1.8 KiB
TypeScript

import * as React from "react";
import isTextInput from "~/utils/isTextInput";
export type KeyFilter = ((event: KeyboardEvent) => boolean) | string;
type Callback = (event: KeyboardEvent) => void;
// Registered keyboard event callbacks
let callbacks: Callback[] = [];
// Track if IME input suggestions are open so we can ignore keydown shortcuts
// in this case, they should never be triggered from mobile keyboards.
let imeOpen = false;
// Based on implementation in react-use
// https://github.com/streamich/react-use/blob/master/src/useKey.ts#L15-L22
const createKeyPredicate = (keyFilter: KeyFilter) =>
typeof keyFilter === "function"
? keyFilter
: typeof keyFilter === "string"
? (event: KeyboardEvent) =>
event.key === keyFilter ||
event.code === `Key${keyFilter.toUpperCase()}`
: keyFilter
? (_event: KeyboardEvent) => true
: (_event: KeyboardEvent) => false;
export default function useKeyDown(key: KeyFilter, fn: Callback): void {
const predicate = createKeyPredicate(key);
React.useEffect(() => {
const handler = (event: KeyboardEvent) => {
if (predicate(event)) {
fn(event);
}
};
callbacks.push(handler);
return () => {
callbacks = callbacks.filter((cb) => cb !== handler);
};
}, []);
}
window.addEventListener("keydown", (event) => {
if (imeOpen) {
return;
}
// reverse so that the last registered callbacks get executed first
for (const callback of callbacks.reverse()) {
if (event.defaultPrevented === true) {
break;
}
if (
!isTextInput(event.target as HTMLElement) ||
event.ctrlKey ||
event.metaKey
) {
callback(event);
}
}
});
window.addEventListener("compositionstart", () => {
imeOpen = true;
});
window.addEventListener("compositionend", () => {
imeOpen = false;
});