forwardRef 的泛型错误:类型“IntrinsicAttributes”上不存在属性“ref”

新手上路,请多包涵

将 forwardRef 与泛型一起使用时,我得到 Property 'children' does not exist on type 'IntrinsicAttributes'Property 'ref' does not exist on type 'IntrinsicAttributes'

https://codesandbox.io/s/react-typescript-0dt6d?fontsize=14

上面 CodeSandbox 链接中的相关代码在此处复制:

 interface SimpleProps<T extends string>
  extends React.HTMLProps<HTMLButtonElement> {
  random: T;
}

interface Props {
  ref?: React.RefObject<HTMLButtonElement>;
  children: React.ReactNode;
}

function WithGenericsButton<T extends string>() {
  return React.forwardRef<HTMLButtonElement, Props & SimpleProps<T>>(
    ({ children, ...otherProps }, ref) => (
      <button ref={ref} className="FancyButton" {...otherProps}>
        {children}
      </button>
    )
  );
}

() => (
  <WithGenericsButton<string> ref={ref} color="green">
    Click me! // Errors: Property 'children' does not exist on type 'IntrinsicAttributes'
  </WithGenericsButton>
)

这里建议了一个潜在的解决方案,但不确定如何在这种情况下实施: https ://github.com/microsoft/TypeScript/pull/30215(来自 https://stackoverflow.com/a/51898192/9973558

原文由 Stephen Koo 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 3.7k
2 个回答

所以这里的主要问题是您在渲染中返回 React.forwardRef 的结果,这不是渲染函数的有效返回类型。您需要将 forwardRef 结果定义为它自己的组件,然后在您的 WithGenericsButton 高阶组件中呈现它,如下所示:

 import * as React from "react";

interface SimpleProps<T extends string> {
  random: T;
}

interface Props {
  children: React.ReactNode;
  color: string;
}

function WithGenericsButton<T extends string>(
  props: Props & SimpleProps<T> & { ref: React.Ref<HTMLButtonElement> }
) {
  type CombinedProps = Props & SimpleProps<T>;
  const Button = React.forwardRef<HTMLButtonElement, CombinedProps>(
    ({ children, ...otherProps }, ref) => (
      <button ref={ref} className="FancyButton" {...otherProps}>
        {children}
      </button>
    )
  );
  return <Button {...props} />;
}

const App: React.FC = () => {
  const ref = React.useRef<HTMLButtonElement>(null);
  return (
    <WithGenericsButton<string> ref={ref} color="green" random="foo">
      Click me!
    </WithGenericsButton>
  );
};

如果你把它放在沙盒或操场上,你会看到 props 现在输入正确,包括一个 random T

原文由 Matt D 发布,翻译遵循 CC BY-SA 4.0 许可协议

您遇到的问题是因为此功能:

 function WithGenericsButton<T extends string>() {
  return React.forwardRef<HTMLButtonElement, Props & SimpleProps<T>>(
    ({ children, ...otherProps }, ref) => (
      <button ref={ref} className="FancyButton" {...otherProps}>
        {children}
      </button>
    )
  );
}

WithGenericsButton 不是组件。它是一个返回组件的js函数。 TS 基本上是在告诉您:嘿组件 WithGenericsButton (因为您将其作为一个组件使用)没有名为 children 的道具,它是正确的,它没有。

在您的情况下,要获得可以呈现的组件,您需要执行以下操作: const StringButton = WithGenericsButton<string>();

原文由 Johnny Zabala 发布,翻译遵循 CC BY-SA 4.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进