其他分享
首页 > 其他分享> > React事件处理的方式/绑定this的5种方式/事件回调函数传递参数

React事件处理的方式/绑定this的5种方式/事件回调函数传递参数

作者:互联网

在这里插入图片描述

一、在React元素绑定事件要注意的三点

二、React.js绑定this的5种方法

1、使用React.createClass

如果你使用的是React 15及以下的版本,你可能使用过React.createClass函数来创建一个组件。你在里面创建的所有函数的this将会自动绑定到组件上

const App = React.createClass({
 handleClick() {
  console.log('this > ', this); // this 指向App组件本身
 },
 render() {
  return (
   <div onClick={this.handleClick}>test</div>
  );
 }
});

注意⚠️:但是需要注意随着React 16版本的发布官方已经将改方法从React中移除

2、render方法中使用bind

如果你使用React.Component创建一个组件,在其中给某个组件/元素一个onClick属性,它现在并不会自动绑定其this到当前组件,解决这个问题的方法是在事件函数后使用.bing(this)将this绑定到当前组件中。

class App extends React.Component {
 handleClick() {
  console.log('this > ', this);
 }
 render() {
  return (
   <div onClick={this.handleClick.bind(this)}>test</div>
  )
 }
}

组件每次执行render将会重新分配函数这将会影响性能。特别是在你做了一些性能优化之后,它会破坏PureComponent性能。不推荐使用

3、render方法中使用箭头函数

这种方法使用了ES6的上下文绑定来让this指向当前组件。

class App extends React.Component {
 handleClick() {
  console.log('this > ', this);
 }
 render() {
  return (
   <div onClick={e => this.handleClick(e)}>test</div>
  )
 }
}

每次render调用时都会创建一个新的事件处理函数,给组件带来额外的开销,当组件的层级越低,开销就越大,组件的任何上一层级组件的变化都会触发这个组件的render方法(一般可以忽略)。

4、构造函数中使用bind绑定

为了避免在render中绑定this引发可能的性能问题,我们可以在constructor中预先进行绑定。

class App extends React.Component {
 constructor(props) {
  super(props);
  // 构造函数中预先绑定
  this.handleClick = this.handleClick.bind(this);
 }
 handleClick() {
  console.log('this > ', this);
 }
 render() {
  return (
   <div onClick={this.handleClick}>test</div>
  )
 }
}

这种方法的好处是每次render渲染都不会重新创建一个回调函数,没有额外的性能损失,但是如果在一个组件中有很多的事件函数时这种在构造函数中绑定this的方法会显得繁琐。

5、在定义阶段使用箭头函数绑定

class App extends React.Component {
 constructor(props) {
  super(props);
 }
 handleClick = () => {
  console.log('this > ', this);
 }
 render() {
  return (
   <div onClick={this.handleClick}>test</div>
  )
 }
}

这种方法有很多优化:

  • 箭头函数会自动绑定到当前组件的作用域中,不会被call改变
  • 它避免了在render中通过bind或者箭头函数绑定的性能问题
  • 它避免了在构造函数中预先声明绑定时,可能出现大量重复的代码

总结:
如果你使用ES6和React 16以上的版本,最佳实践是使用第5种方法来绑定this

三、React中事件回调函数传递参数

React.js绑定this的5种方法:

事件函数参数的传递可以分为两大类:

  1. render方法中使用bind
  2. render方法中使用箭头函数
  3. 构造函数中bind,render中通过this引用
  4. 在定义阶段使用箭头函数绑定,render中通过this引用

第一类:在render函数中通过使用bind或者箭头函数绑定this,参数传递。

第二类:在构造函数中绑定或定义阶段使用箭头函数绑定,render中通过this引用

react如果直接在点击事件里传参,则不会在触发点击时进行触发,而是在渲染时直接调用。
在这里插入图片描述

测试后发现,该事件会在初始化时直接触发,而不是点击时触发。解决该问题方案为:箭头函数+间接调用
在这里插入图片描述

总结:
事件处理函数需要传递参数时,可以在render函数中通过使用bind或者箭头函数传递参数。

标签:事件处理,函数,render,handleClick,绑定,React,组件
来源: https://blog.csdn.net/qq_39207948/article/details/113105136