手动设置电流时,我使用 useRef() 钩子的typescript类型是什么?

IT技术 reactjs typescript react-hooks
2021-05-24 07:32:21

如何在 Typescript 中使用 React ref 作为可变实例?当前属性似乎是只读的。

我正在使用 React + Typescript 开发一个与 React 未呈现的输入字段交互的库。我想捕获对 HTML 元素的引用,然后将 React 事件绑定到它。

  const inputRef = useRef<HTMLInputElement>();
  const { elementId, handler } = props;

  // Bind change handler on mount/ unmount
  useEffect(() => {
    inputRef.current = document.getElementById(elementId);
    if (inputRef.current === null) {
      throw new Exception(`Input with ID attribute ${elementId} not found`);
    }
    handler(inputRef.current.value);

    const callback = debounce((e) => {
      eventHandler(e, handler);
    }, 200);

    inputRef.current.addEventListener('keypress', callback, true);

    return () => {
      inputRef.current.removeEventListener('keypress', callback, true);
    };
  });

它生成编译器错误: semantic error TS2540: Cannot assign to 'current' because it is a read-only property.

我也试过const inputRef = useRef<{ current: HTMLInputElement }>();这导致这个编译器错误:

Type 'HTMLElement | null' is not assignable to type '{ current: HTMLInputElement; } | undefined'.

  Type 'null' is not assignable to type '{ current: HTMLInputElement; } | undefined'.
1个回答

是的,这是打字方式的一个怪癖:

function useRef<T>(initialValue: T): MutableRefObject<T>;
function useRef<T>(initialValue: T|null): RefObject<T>;

如果初始值包含null,但指定的类型参数不包含,则将其视为不可变的RefObject

当您这样做时useRef<HTMLInputElement>(null),您会遇到这种情况,因为T被指定为HTMLInputElement,并被null推断为HTMLInputElement | null

您可以通过执行以下操作来解决此问题:

useRef<HTMLInputElement | null>(null)

然后Tis HTMLInputElement | null,它匹配第一个参数的类型,因此您点击第一个覆盖并获得可变引用。