Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

React - replace child component in props.children

Tags:

reactjs

As seen in another question, it is possible to loop through the child elements using React.Children.map. I am looking for a way to recursively traverse the child tree (props.children.props.children...) and substitute certain elements with another type of element. It would happen in a higher-order-component's render function.

Any help and ideas are greatly appreciated!

like image 707
icetronics Avatar asked Jan 07 '17 15:01

icetronics


1 Answers

You can build a recursive wrapper component that replaces any children it has and wraps its children in the same way. The replacement will continue recursively until child elements have no more children.

Here's an example of such a component. It substitutes <p> elements with <span> elements.

const RecursiveWrapper = props => {
    const wrappedChildren = React.Children.map(
        props.children,
        child => {
            const type = child.type === 'p' ? 'span' : child.type
            if (child.props && child.props.children) {
                return React.cloneElement(
                    {
                        ...child,
                        type // substitute original type
                    },
                    {
                        ...child.props,
                        // Wrap grandchildren too
                        children: (
                            <RecursiveWrapper>
                                {child.props.children}
                            </RecursiveWrapper>
                        )
                    }
                )
            }
            return child
        }
    )
    return (
        <React.Fragment>
            {wrappedChildren}
        </React.Fragment>
    )
}

You can use the same general idea to inject additional props as well.

like image 52
Jemi Salo Avatar answered Oct 16 '22 15:10

Jemi Salo