A bind
call or arrow function in a JSX prop will create a brand new function on every single render. This is bad for performance, as it may cause unnecessary re-renders if a brand new function is passed as a prop to a component that uses reference equality check on the prop to determine if it should update.
The following patterns are considered warnings:
<Foo onClick={this._handleClick.bind(this)}></Foo>
<Foo onClick={() => console.log('Hello!')}></Foo>
The following patterns are not considered warnings:
<Foo onClick={this._handleClick}></Foo>
"react/jsx-no-bind": [<enabled>, {
"ignoreDOMComponents": <boolean> || false,
"ignoreRefs": <boolean> || false,
"allowArrowFunctions": <boolean> || false,
"allowFunctions": <boolean> || false,
"allowBind": <boolean> || false
}]
When true
the following are not considered warnings:
<div onClick={this._handleClick.bind(this) />
<span onClick={() => console.log("Hello!")} />
<button onClick={function() { alert("1337") }} />
When true
the following are not considered warnings:
<Foo ref={c => this._div = c} />
<Foo ref={this._refCallback.bind(this)} />
When true
the following is not considered a warning:
<Foo onClick={() => alert("1337")} />
When true
the following is not considered a warning:
<Foo onClick={function () { alert("1337") }} />
When true
the following is not considered a warning:
<Foo onClick={this._handleClick.bind(this)} />
A common use case of bind
in render is when rendering a list, to have a separate callback per list item:
var List = createReactClass({
render() {
return (
<ul>
{this.props.items.map(item =>
<li key={item.id} onClick={this.props.onItemClick.bind(null, item.id)}>
...
</li>
)}
</ul>
);
}
});
Rather than doing it this way, pull the repeated section into its own component:
var List = createReactClass({
render() {
return (
<ul>
{this.props.items.map(item =>
<ListItem key={item.id} item={item} onItemClick={this.props.onItemClick} />
)}
</ul>
);
}
});
var ListItem = createReactClass({
render() {
return (
<li onClick={this._onClick}>
...
</li>
);
},
_onClick() {
this.props.onItemClick(this.props.item.id);
}
});
This will speed up rendering, as it avoids the need to create new functions (through bind
calls) on every render.
Unfortunately React ES6 classes do not autobind their methods like components created with the older createReactClass
syntax. There are several approaches to binding methods for ES6 classes. A basic approach is to just manually bind the methods in the constructor:
class Foo extends React.Component {
constructor(...args) {
super(...args);
this._onClick = this._onClick.bind(this);
}
render() {
return (
<div onClick={this._onClick}>
Hello!
</div>
);
}
_onClick() {
// Do whatever you like, referencing "this" as appropriate
}
}
A more sophisticated approach would be to use something like an autobind ES7 decorator or property initializers.
If you do not use JSX or do not want to enforce that bind
or arrow functions are not used in props, then you can disable this rule.