You signed in with another tab or window. Reload to refresh your session.You signed out in another tab or window. Reload to refresh your session.You switched accounts on another tab or window. Reload to refresh your session.Dismiss alert
Adding a note in the ES6 class documentation about function binding. Recommending that you bind your handlers in the constructor so that they are referentially the same function every time render is invoked (helps with child components that might potentially call shouldComponentUpdate)
Methods follow the same semantics as regular ES6 classes, meaning that they don't automatically bind `this` to the instance. You'll have to explicitly use `.bind(this)` or [arrow functions](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/Arrow_functions)`=>`.
227
+
Methods follow the same semantics as regular ES6 classes, meaning that they don't automatically bind `this` to the instance. You'll have to explicitly use `.bind(this)` or [arrow functions](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/Arrow_functions)`=>`:
228
+
229
+
```javascript
230
+
// You can use bind() to preserve `this`
231
+
<div onClick={this.tick.bind(this)}>
232
+
233
+
// Or you can use arrow functions
234
+
<div onClick={() =>this.tick()}>
235
+
```
236
+
237
+
We recommend that you bind your event handlers in the constructor so they are only bound once for every instance:
238
+
239
+
```javascript
240
+
constructor(props) {
241
+
super(props);
242
+
this.state= {count:props.initialCount};
243
+
this.tick=this.tick.bind(this);
244
+
}
245
+
```
246
+
247
+
Now you can use `this.tick` directly as it was bound once in the constructor:
248
+
249
+
```javascript
250
+
// It is already bound in the constructor
251
+
<div onClick={this.tick}>
252
+
```
253
+
254
+
This is better for performance of your application, especially if you implement [shouldComponentUpdate()](/react/docs/component-specs.html#updating-shouldcomponentupdate) with a [shallow comparison](/react/docs/shallow-compare.html) in the child components.
0 commit comments