Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

React components should return ReactNode, or children should be ReactElement #18051

Closed
4 tasks done
jacobrask opened this issue Jul 14, 2017 · 34 comments · Fixed by #65135
Closed
4 tasks done

React components should return ReactNode, or children should be ReactElement #18051

jacobrask opened this issue Jul 14, 2017 · 34 comments · Fixed by #65135

Comments

@jacobrask
Copy link
Contributor

The following components

const SFC: React.StatelessComponent = (props) => props.children;

class C extends React.Component {
  render() {
    return this.props.children;
  }
}

give the errors

Type '(props: { children?: ReactNode; }) => ReactNode' is not assignable to type 'StatelessComponent<{}>'.
  Type 'ReactNode' is not assignable to type 'ReactElement<any> | null'.
    Type 'undefined' is not assignable to type 'ReactElement<any> | null'.

Class 'C' incorrectly extends base class 'Component<{}, {}>'.
  Types of property 'render' are incompatible.
    Type '() => ReactNode' is not assignable to type '() => false | Element | null'.
      Type 'ReactNode' is not assignable to type 'false | Element | null'.
        Type 'undefined' is not assignable to type 'false | Element | null'.

It works if you wrap children in an Element.

Returning children is quite common when making Provider components that just add something to context.

@jacobrask
Copy link
Contributor Author

jacobrask commented Jul 14, 2017

I tried the following fixes to index.d.ts

-        render(): JSX.Element | null | false;
+        render(): ReactNode;

-        (props: P & { children?: ReactNode }, context?: any): ReactElement<any> | null;
+        (props: P & { children?: ReactNode }, context?: any): ReactNode;

but I got errors all over the place when trying to lint that I'm not sure how to fix.

TypeScript compile error: JSX element type 'ReactNode' is not a constructor function for JSX elements.

@DovydasNavickas
Copy link
Contributor

Nope, this change is incorrect. You cannot return multiple elements in React currently. Even if you do it somewhere, most probably it it is encapsulated in a single one somehow.
Only in React 16 with Fiber this might be possible :)

@pocesar
Copy link
Contributor

pocesar commented Jul 20, 2017

not sure if they changed react behavior, but the redux / react author showcased the ability to return this.props.children for creating thin wrappers (only to add childContext to elements), as seen in https://egghead.io/lessons/javascript-redux-passing-the-store-down-implicitly-via-context

react-native does allow you to return an array of JSX elements from render, though. an work around is to wrap the this.props.children with React.Children.only(this.props.children) and it'll throw if there's more than a single element as root

@jacobrask
Copy link
Contributor Author

Right, you can use React.Children.only but both ReactNode AND ReactElement are valid values of this.props.children.

const Title = props => <h1>{props.children}</h1>;
<Title>Woah</Title>

is valid and reasonable React code.

@zackify
Copy link

zackify commented Oct 18, 2017

You can return an array of elements in react 16, but TS throws an error because it thinks you cant.

Edit: do this children: JSX.Element[]; to fix it

@disintegrator
Copy link

From my experience so far, it seems ReactNode should be valid.

const Id: React.SFC<{}> = (props) => props.children

const App = ()= > <Id>This should work but instead fails</Id>

Is there any chance this will be reflected in @types/react?

@duro
Copy link
Contributor

duro commented Apr 21, 2018

Without this I am unable to type React children

@gausie
Copy link
Contributor

gausie commented Dec 23, 2018

I am currently wrapping children in React.Fragment to get around this.

@miraage
Copy link

miraage commented Mar 13, 2019

Any updates on it?

@airjp73
Copy link

airjp73 commented Apr 20, 2019

Not sure if this is any more or less correct than wrapping children in a React.Fragment, but I have had luck with doing

return (children as React.ReactElement);

jeanregisser added a commit to celo-org/celo-monorepo that referenced this issue Aug 2, 2019
I had to workaround another type issue with this change.
See DefinitelyTyped/DefinitelyTyped#18051
@steida
Copy link

steida commented Aug 9, 2019

return <>{foo(}</>; all night long. <> is a workaround.

@kyrstenkelly
Copy link

kyrstenkelly commented Dec 19, 2019

This is causing issues for me as well.

TL;DR:

I have an HOC that adds props to a given component, and I am trying to use it with a functional component that has return children;. It only works if I use the workaround return <>{children}</>;.

More details:

Here is a simplified version of the HOC:

export interface ExtraProps {
  extraProp1: string;
}

export const withExtraProps = <P extends object>(Component: React.ComponentType<P>) => {
  return class extends React.Component<Omit<P, keyof ExtraProps>> {
    render() {
      const extraProps = {
        extraProp1: 'test'
      };

      return (
        <Component {...this.props as P} {...extraProps} />
      )
    }
  }
}

Here is a simplified version of the functional component:

interface ComponentProps extends ExtraProps {
  children?: React.ReactNode;
  loadingComponent?: ReactElement;
}

export function ExampleComponent(props: ComponentProps) {
  const { children, loadingComponent } = props;

  const [loading, setLoading] = useState(false);

  useEffect(() => {
    const fetchData = async () => {
      setLoading(true);
      await someAsyncCall();
      setLoading(false);
    }

    fetchData();
  });

  if (loading) {
    return loadingComponent || null;
  }

  return children;
}

// This line errors:
export const FeatureFlag = withExtraProps(ExampleComponent);

I get the following error:

Argument of type '(props: ComponentProps) => {} | null | undefined' is not assignable to parameter of type 'ComponentType<ComponentProps>'.
  Type '(props: ComponentProps) => {} | null | undefined' is not assignable to type 'FunctionComponent<ComponentProps>'.
    Type '{} | null | undefined' is not assignable to type 'ReactElement<any, string | ((props: any) => ReactElement<any, string | ... | (new (props: any) => Component<any, any, any>)> | null) | (new (props: any) => Component<any, any, any>)> | null'.
      Type 'undefined' is not assignable to type 'ReactElement<any, string | ((props: any) => ReactElement<any, string | ... | (new (props: any) => Component<any, any, any>)> | null) | (new (props: any) => Component<any, any, any>)> | null'.

If I add a return type of ReactElement | null to the ExampleComponent, it stops complaining about passing it to the HOC, but still errors where I am returning the children:

export function ExampleComponent(props: ComponentProps): ReactElement | null {
  ...
  ...
  return children; // Type 'ReactNode' is not assignable to type 'ReactElement<any, string | ((props: any) => ReactElement<any, string | ... | (new (props: any) => Component<any, any, any>)> | null) | (new (props: any) => Component<any, any, any>)> | null'.

}

As with the others here, if I change it to return <>{children}</>;, it works, but feels gross and unnecessary.

@jamesopti
Copy link

I have the exact same issue as @kyrstenkelly - An HOC function being passed a React.FC which renders it's children.

The <> children(...) </> fix works, but is there a better solution yet?

@nelsondude
Copy link

Also having this problem! Currently doing the suggest solution of wrapping solution with React.Fragment

@CarolineBoyer
Copy link

CarolineBoyer commented Mar 23, 2020

Same here

interface IIntlMessageProps {
    id: string;
    valuesGiven?: {[key:string]:string};
}

// this doesn't work - -- TS2769 Type 'null' is not assignable to type '(nodes:ReactNodeARray) => ReactNode' | ... | undefined
export const IntlMessage: React.FC<IIntlMessageProps> = (props) => {
    return (
        <FormattedMessage id={props.id} values={props.valuesGiven}>
            {props.children}
        </FormattedMessage>
    )
};
//Nope -- TS2769 Type 'Element' is not assignable to type '(nodes:ReactNodeARray) => ReactNode'
export const IntlMessage: React.FC<IIntlMessageProps> = (props) => {
    return (
        <FormattedMessage id={props.id} values={props.valuesGiven}>
            <React.Fragment>{props.children}</React.Fragment>
        </FormattedMessage>
    )
};

// Nope -- TS2769 Type 'Element' is not assignable to type '(nodes:ReactNodeARray) => ReactNode'
export const IntlMessage: React.FC<IIntlMessageProps> | null = (props) => {
    return (
        <FormattedMessage id={props.id} values={props.valuesGiven}>
            <>{props.children}</>
        </FormattedMessage>
    )
};

// Nope -- TS2769 Type '{}' is not assignable to type '(nodes:ReactNodeARray) => ReactNode'
export const IntlMessage: React.FC<IIntlMessageProps> = (props) => {
    return (
        <FormattedMessage id={props.id} values={props.valuesGiven}>
            {props.children ? props.children : undefined}
        </FormattedMessage>
    )
};

I believe I have tried everything that was adviced here... :( Any clue ?

@moseslucas
Copy link

moseslucas commented Jun 16, 2020

The solution is you need to wrap it in fragment.

import React from 'react'

const Something: React.FC = ({ children }) => (
 <> { children } </>
)

this will fix the Type '({ children }: { children?: ReactNode; }) => ReactNode' is not assignable to type 'FunctionComponent error.

@jeffvandyke
Copy link

If possible, I'd like to avoid fragments and make the JSX type system support the same kinds of constructs that JavaScript and Flow React supports, which helps TypeScript work better with 3rd party library patterns.

Another non-ideal I find is that fragments deepen the component tree, especially in utility/wrapper components (case-in-point: react-placeholder). Casting to a React.ReactElement seems like a better approach in these kind of libraries, but I'd rather not need to cast.

I tried an approach to change that type, but ran stuck with JSX typechecking using a functional component of the new type. I still have the branch, could have sworn I made a PR asking for help, can't find it back...

@gbiryukov
Copy link

gbiryukov commented Jul 27, 2020

Okay, if type needs to disallow arrays of nodes it does not mean that it should disallow ReactText, ReactPortal, boolean, null, and undefined as well what usage of ReactElement does.

What the rational of prohibiting these additional types?

@levenleven
Copy link

@balazsorban44
Copy link

Might only be relevant for function components, but here is an advice from Kent C. Dodds:
Don't use React.FC: https://kentcdodds.com/blog/how-to-write-a-react-component-in-typescript

@SC7639
Copy link

SC7639 commented Mar 5, 2021

'({ children }: { children?: ReactNode;

The error is too cryptic to make that an obvious solution. Thanks

@greyscaled
Copy link

In a similar spirit to #18051 (comment)

Using a fragment to wrap children is an unnecessary fragment that does not pass lint rules such as https://github.com/yannickcr/eslint-plugin-react/blob/master/docs/rules/jsx-no-useless-fragment.md

@alexandrebrg
Copy link

Ran into this issue when trying to implement custom rendering for React Testing Library.

The React Fragment around {children} fixed it

@Arelav
Copy link

Arelav commented Apr 23, 2021

Ran into this issue when trying to implement custom rendering for React Testing Library.

The React Fragment around {children} fixed it

It's not a proper fix it's workaround. React can return children array or single child from children prop without fragment and it's totally legit option. Adding fragment sometimes required sometimes it's not necessary. As on @alexandrebrg comment about ESLint warning.

@k-funk
Copy link
Contributor

k-funk commented Aug 30, 2021

For those looking for an eslint solution, allowExpressions option was recently released for jsx-no-useless-fragment:

npm i [email protected]

// .eslintrc
"react/jsx-no-useless-fragment": ["warn", { "allowExpressions":  true }],

@Arelav
Copy link

Arelav commented Aug 30, 2021

For those looking for an eslint solution, allowExpressions option was recently released for jsx-no-useless-fragment:


npm i [email protected]



// .eslintrc

"react/jsx-no-useless-fragment": ["warn", { "allowExpressions":  true }],

What if I want to keep the rule because it's useful but false positives doesn't make sense?

@mattdarveniza
Copy link
Contributor

For those looking for an eslint solution, allowExpressions option was recently released for jsx-no-useless-fragment:

Just a heads up that this has been merged into eslint-plugin-react but not released yet. Hopefully we'll see a release soon but @ljharb is a busy guy with a lot of repos.

@ljharb
Copy link
Contributor

ljharb commented Aug 31, 2021

@mattdarveniza it was released in v7.25.0 3 days ago, but there's a bugfix to it that I'm planning on releasing as a patch in the next week.

@mattdarveniza
Copy link
Contributor

mattdarveniza commented Aug 31, 2021

@ljharb my mistake! I was looking at github releases and didn't actually check the changelog or NPM 😅. Thankyou!

@1valdis
Copy link

1valdis commented Nov 4, 2022

It's almost the end of 2022. Over 5 years at this point! When will <>props.children</> end?...

@suiyun39
Copy link

suiyun39 commented Dec 9, 2022

It only needs to be wrapped when it is not ReactElement

const children = isValidElement(props.children) ? props.children : <Fragment children={props.children} />

dgdavid added a commit to agama-project/agama that referenced this issue Dec 29, 2022
Because at this time TypeScript's React types rejects function components that
does not return null | JSX.Element.

See microsoft/TypeScript#51328 RFC and follow related
links to known more.

Other links:

* DefinitelyTyped/DefinitelyTyped#18051
* DefinitelyTyped/DefinitelyTyped#62876
* https://stackoverflow.com/a/70895599
@dasler-fw
Copy link

dasler-fw commented Feb 3, 2023

Try to not wrap your component in React.FC:
const myComponent = React.FC<Props> = (props) => {}

Define type directly:

image

Not perfect, but still solution to get rid of React.FC

masonmcelvain added a commit to iFixit/react-commerce that referenced this issue Apr 27, 2023
Only renders anchor tags in a compatible device card if a device url is provided.

In the product overview (aka sidebar), we want the whole card to link to #compatibility. In the compatibility section, we want the image and the title to link to a device page.

The fragments in CompatibilityWrapper are used to appease typescript. See more here: DefinitelyTyped/DefinitelyTyped#18051
@eusouoviana
Copy link

I'm still having issues with this.

@gabriel-montrose
Copy link

I migrate from create-react-script to vite + update tsconfig, set min. ES2020 and update package react, type/react, typescript.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment