Dismiss
  • Toggle Theme
  • View as Mobile

Render Children Markup from in Parent Components in React

A couple weeks ago I saw Michael Jackson present his new library http-client at the ReactJS meetup in SF.

During his live demo, He showed an interesting component rendering pattern where the parent is handling the markup for the child component.

The child component manages it's state and passes that back up to the parent via the this.props.children as a function call.

whatchu talkin bout willis? Watch this

This pattern comes with pros and cons.

Pro: You can easily see exactly what markup your parent component will render.

Con: It couples children and parent together.

Is it good or bad? You decide!

I wanted to share because it's definitely an interesting idea and I love seeing experimentation happening in the React community.

// ParentComponent handles the markup rendering of Child via this.props.children
class ParentComponent extends React.Component {
  render () {
    return (
      <div>
        <h1>Render child markup w/ state in parent</h1>
        <Child start={Date.now()}>
          {(elapsed) => {
            <h1>{elapsed}</h1>
          }}
        </Child>
      </div>
    )
  }
}

// Child 'renders' this.props.children as a function call
class Child extends React.Component {
  constructor (props, context) {
    super(props, context)
    this.state = { elapsed: 0 }
    this.tick = this.tick.bind(this)
  }
  componentDidMount () {
    this.timer = setInterval(this.tick, 1000)
  }
  tick () {
    this.setState({
      elapsed: new Date() - this.props.start
    })
  }
  render () {
    const time = Math.round(this.state.elapsed / 1000)
    // use children as a function call
    return this.props.children(time)
  }
}

Live Demo

See the Pen Render Children State from Parent Component by DavidWells (@DavidWells) on CodePen.