Pass event handlers and other functions as props to child components:
<buttononClick={this.handleClick}>If you need to have access to the parent component in the handler, you also need to bind the function to the component instance (see below).
There are several ways to make sure functions have access to component attributes likethis.props andthis.state, depending on which syntax and build steps you are using.
classFooextendsComponent{constructor(props){super(props);this.handleClick=this.handleClick.bind(this);}handleClick(){ console.log('Click happened');}render(){return<buttononClick={this.handleClick}>Click Me</button>;}}classFooextendsComponent{handleClick=()=>{ console.log('Click happened');};render(){return<buttononClick={this.handleClick}>Click Me</button>;}}classFooextendsComponent{handleClick(){ console.log('Click happened');}render(){return<buttononClick={this.handleClick.bind(this)}>Click Me</button>;}}Note:
Using
Function.prototype.bindin render creates a new function each time the component renders, which may have performance implications (see below).
classFooextendsComponent{handleClick(){ console.log('Click happened');}render(){return<buttononClick={()=>this.handleClick()}>Click Me</button>;}}Note:
Using an arrow function in render creates a new function each time the component renders, which may break optimizations based on strict identity comparison.
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!
In JavaScript, these two code snippets arenot equivalent:
obj.method();var method= obj.method;method();Binding methods helps ensure that the second snippet works the same way as the first one.
With React, typically you only need to bind the methods youpass to other components. For example,<button onClick={this.handleClick}> passesthis.handleClick so you want to bind it. However, it is unnecessary to bind therender method or the lifecycle methods: we don’t pass them to other components.
This post by Yehuda Katz explains what binding is, and how functions work in JavaScript, in detail.
Make sure you aren’tcalling the function when you pass it to the component:
render(){// Wrong: handleClick is called instead of passed as a reference!return<buttononClick={this.handleClick()}>Click Me</button>}Instead,pass the function itself (without parens):
render(){// Correct: handleClick is passed as a reference!return<buttononClick={this.handleClick}>Click Me</button>}You can use an arrow function to wrap around an event handler and pass parameters:
<buttononClick={()=>this.handleClick(id)}/>This is equivalent to calling.bind:
<buttononClick={this.handleClick.bind(this, id)}/>constA=65// ASCII character codeclassAlphabetextendsReact.Component{constructor(props){super(props);this.state={justClicked:null,letters: Array.from({length:26},(_, i)=> String.fromCharCode(A+ i))};}handleClick(letter){this.setState({justClicked: letter});}render(){return(<div> Just clicked:{this.state.justClicked}<ul>{this.state.letters.map(letter=><likey={letter}onClick={()=>this.handleClick(letter)}>{letter}</li>)}</ul></div>)}}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.
constA=65// ASCII character codeclassAlphabetextendsReact.Component{constructor(props){super(props);this.handleClick=this.handleClick.bind(this);this.state={justClicked:null,letters: Array.from({length:26},(_, i)=> String.fromCharCode(A+ i))};}handleClick(e){this.setState({justClicked: e.target.dataset.letter});}render(){return(<div> Just clicked:{this.state.justClicked}<ul>{this.state.letters.map(letter=><likey={letter}data-letter={letter}onClick={this.handleClick}>{letter}</li>)}</ul></div>)}}If you have an event handler such asonClick oronScroll and want to prevent the callback from being fired too quickly, then you can limit the rate at which callback is executed. This can be done by using:
_.throttle)_.debounce)requestAnimationFrame throttling: sample changes based onrequestAnimationFrame (egraf-schd)Seethis visualization for a comparison ofthrottle anddebounce functions.
Note:
_.debounce,_.throttleandraf-schdprovide acancelmethod to cancel delayed callbacks. You should either call this method fromcomponentWillUnmountor check to ensure that the component is still mounted within the delayed function.
Throttling prevents a function from being called more than once in a given window of time. The example below throttles a “click” handler to prevent calling it more than once per second.
import throttlefrom'lodash.throttle';classLoadMoreButtonextendsReact.Component{constructor(props){super(props);this.handleClick=this.handleClick.bind(this);this.handleClickThrottled=throttle(this.handleClick,1000);}componentWillUnmount(){this.handleClickThrottled.cancel();}render(){return<buttononClick={this.handleClickThrottled}>Load More</button>;}handleClick(){this.props.loadMore();}}Debouncing ensures that a function will not be executed until after a certain amount of time has passed since it was last called. This can be useful when you have to perform some expensive calculation in response to an event that might dispatch rapidly (eg scroll or keyboard events). The example below debounces text input with a 250ms delay.
import debouncefrom'lodash.debounce';classSearchboxextendsReact.Component{constructor(props){super(props);this.handleChange=this.handleChange.bind(this);this.emitChangeDebounced=debounce(this.emitChange,250);}componentWillUnmount(){this.emitChangeDebounced.cancel();}render(){return(<inputtype="text"onChange={this.handleChange}placeholder="Search..."defaultValue={this.props.value}/>);}handleChange(e){this.emitChangeDebounced(e.target.value);}emitChange(value){this.props.onChange(value);}}requestAnimationFrame throttlingrequestAnimationFrame is a way of queuing a function to be executed in the browser at the optimal time for rendering performance. A function that is queued withrequestAnimationFrame will fire in the next frame. The browser will work hard to ensure that there are 60 frames per second (60 fps). However, if the browser is unable to it will naturallylimit the amount of frames in a second. For example, a device might only be able to handle 30 fps and so you will only get 30 frames in that second. UsingrequestAnimationFrame for throttling is a useful technique in that it prevents you from doing more than 60 updates in a second. If you are doing 100 updates in a second this creates additional work for the browser that the user will not see anyway.
Note:
Using this technique will only capture the last published value in a frame. You can see an example of how this optimization works on
MDN
import rafSchedulefrom'raf-schd';classScrollListenerextendsReact.Component{constructor(props){super(props);this.handleScroll=this.handleScroll.bind(this);// Create a new function to schedule updates.this.scheduleUpdate=rafSchedule(point=>this.props.onScroll(point));}handleScroll(e){// When we receive a scroll event, schedule an update.// If we receive many updates within a frame, we'll only publish the latest value.this.scheduleUpdate({x: e.clientX,y: e.clientY});}componentWillUnmount(){// Cancel any pending updates since we're unmounting.this.scheduleUpdate.cancel();}render(){return(<divstyle={{overflow:'scroll'}}onScroll={this.handleScroll}><imgsrc="/my-huge-image.jpg"/></div>);}}When testing your rate limiting code works correctly it is helpful to have the ability to fast forward time. If you are usingjest then you can usemock timers to fast forward time. If you are usingrequestAnimationFrame throttling then you may findraf-stub to be a useful tool to control the ticking of animation frames.