--- id: faq-functions title: Passing Functions to Components permalink: docs/faq-functions.html layout: docs category: FAQ --- ### How do I pass an event handler (like onClick) to a component? Pass event handlers and other functions as props to child components: ```jsx } } ``` #### Class Properties (Stage 3 Proposal) ```jsx class Foo extends Component { handleClick = () => { console.log('Click happened') } render() { return } } ``` #### Bind in Render ```jsx class Foo extends Component { handleClick () { console.log('Click happened') } render() { return } } ``` **Note**: Using an arrow function or binding in render creates a new function each time the component renders, which may have performance implications (see below). #### Arrow Function in Render ```jsx class Foo extends Component { handleClick () { console.log('Click happened') } render() { return } } ``` **Note**: Using an arrow function or binding in render creates a new function each time the component renders, which may have performance implications (see below). ### Is it OK to use arrow functions in render methods? Generally speaking, yes, it is OK, and it is often the easiest way to pass parameters to callback functions. If you do have performance issues, by all means, optimize! ### Why is my function being called every time the component re-renders? Make sure you aren't _calling the function_ when you pass it to the component: ```jsx render() { {/* handleClick is called instead of passed as a reference! */} return } ``` ### How do I pass a parameter to an event handler or callback? You can use an arrow function to wrap around an event handler and pass parameters: ```jsx this.handleClick(id)} /> ``` This is equivalent to calling `.bind`: ```jsx ``` #### Example: Passing params using arrow functions ```jsx const A = 65 // ASCII character code class Alphabet extends React.Component { state = { justClicked: null, letters: Array.from({length: 26}, (_, i) => String.fromCharCode(A + i)) } handleClick = letter => this.setState({ justClicked: letter }) render () { return (
Just clicked: {this.state.justClicked}
    { this.state.letters.map(letter =>
  • this.handleClick(letter)}> {letter}
  • ) }
) } } ``` #### Example: Passing params using data-attributes Alternately, you can use DOM APIs to store data needed for event handlers. Consider this approach if you need to optimize a large number of elements or have a render tree that relies on React.PureComponent equality checks. ```jsx const A = 65 // ASCII character code class Alphabet extends React.Component { state = { justClicked: null, letters: Array.from({length: 26}, (_, i) => String.fromCharCode(A + i)) } handleClick = event => { this.setState({ justClicked: event.target.dataset.letter }) } render () { return (
Just clicked: {this.state.justClicked}
    { this.state.letters.map(letter =>
  • {letter}
  • ) }
) } } ```