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.