1.) JSX.Element、ReactNode 和 ReactElement 有什么区别?
ReactElement 和 JSX.Element
是React.createElement
直接调用或通过 JSX 转译调用的结果。它是一个带有type
,props
和的对象key
。JSX.Element
is ReactElement
, whichprops
和type
have type any
,所以它们或多或少是一样的。
const jsx = <div>hello</div>
const ele = React.createElement("div", null, "hello");
ReactNode用作render()
类组件的返回类型。它也是children
属性的默认类型PropsWithChildren
。
const Comp: FunctionComponent = props => <div>{props.children}</div>
// children?: React.ReactNode
它在React 类型声明中看起来更复杂,但等效于:
type ReactNode = {} | null | undefined;
// super type `{}` has absorbed *all* other types, which are sub types of `{}`
// so it is a very "broad" type (I don't want to say useless...)
您几乎可以将所有内容分配给ReactNode
. 我通常更喜欢更强的类型,但可能有一些有效的情况可以使用它。
2.) 为什么类组件的render方法返回ReactNode,而函数组件返回ReactElement?
tl;dr:这是与核心 React 无关的当前 TS 类型不兼容。
原则上,render()
React/JS 类组件支持与函数组件相同的返回类型。对于TS,不同类型是由于历史原因和向后兼容的需要仍然保持的类型不一致。
理想情况下,有效的返回类型可能看起来更像这样:
type ComponentReturnType = ReactElement | Array<ComponentReturnType> | string | number
| boolean | null // Note: undefined is invalid
3.) 我该如何解决 null 的问题?
一些选项:
// Use type inference; inferred return type is `JSX.Element | null`
const MyComp1 = ({ condition }: { condition: boolean }) =>
condition ? <div>Hello</div> : null
// Use explicit function return types; Add `null`, if needed
const MyComp2 = (): JSX.Element => <div>Hello</div>;
const MyComp3 = (): React.ReactElement => <div>Hello</div>;
// Option 3 is equivalent to 2 + we don't need to use a global (JSX namespace)
// Use built-in `FunctionComponent` or `FC` type
const MyComp4: React.FC<MyProps> = () => <div>Hello</div>;
注意:避免React.FC
不会使您免于JSX.Element | null
返回类型限制。
Create React App 最近从其模板中删除React.FC
,因为它有一些像隐式{children?: ReactNode}
类型定义这样的怪癖。因此,React.FC
谨慎使用可能更可取。
在边缘情况下,您可以添加类型断言或片段作为解决方法:
const MyCompFragment: FunctionComponent = () => <>"Hello"</>
const MyCompCast: FunctionComponent = () => "Hello" as any
// alternative to `as any`: `as unknown as JSX.Element | null`