理解React中es6方法建立組件的this

首發於:https://mingjiezhang.github.io/(轉載請說明此出處)。javascript

在JavaScript中,this對象是運行時基於函數的執行環境(也就是上下文)綁定的。java

從react中的demo提及

Facebook最近一次更新react時,將es6中的class加入了組件的建立方式當中。Facebook也推薦組件建立使用經過定義一個繼承自 React.Component 的class來定義一個組件類。官方的demo:react

class LikeButton extends React.Component {
  constructor() {
    super();
    this.state = {
      liked: false
    };

    this.handleClick = this.handleClick.bind(this);
  }
  handleClick() {
    this.setState({liked: !this.state.liked});
  }
  render() {
    const text = this.state.liked ? 'liked' : 'haven\'t liked';
    return (
      <div onClick={this.handleClick}>
        You {text} this. Click to toggle.
      </div>
    );
  }
}
ReactDOM.render(
  <LikeButton />,
  document.getElementById('example')
);

上面的demo中有大量this的使用,在 class LikeButton extends React.Component 中咱們是聲明該class,由於this具體是由其上下文決定的,所以在類定義中咱們沒法得知this用法。 至關因而new了上面定義的類,首先調用 constructor() 函數, this.state 的this上下文就是該實例對象;同理,render() 函數中 this.state.liked 的this上下文也是該對象。問題在於 onClick={this.handleClick} ,獲取該函數引用是沒有問題,這裏的this上下文就是該對象。git

這時問題來了,在原來 React.createClass 中, handleClick() 在onClick事件觸發的時候,會自動綁定到LikeButton實例上,這時候該函數的this的上下文就是該實例。不過在ES6的class的寫法中,Facebook取消了自動綁定,實例化LikeButton後,handleClick()的上下文是div的支撐實例( backing instance ),而 handleClick() 本來要綁定的上下文是LikeButton的實例。對於該問題,咱們有多種解決方案。es6

使用bind()函數改變this的上下文

能夠在class聲明中的constructor()函數中,使用github

this.handleClick = this.handleClick.bind(this);

該方法是一個bind()綁定,屢次使用。在該方法中,咱們在聲明該實例後,能夠在該實例任何地方使用 handleClick() 函數,而且該 handleClick() 函數的this的上下文都是LikeButton實例對象。編程

除此咱們也能夠在具體使用該函數的地方綁定this的上下文到LikeButton實例對象,代碼以下函數

<div onClick={this.handleClick.bind(this)}>
  You {text} this. Click to toggle.
</div>

這種方法須要咱們每次使用bind()函數綁定到組件對象上。this

es6的箭頭函數

es6中新加入了箭頭函數=>,箭頭函數除了方便以外還有而一個特徵就是將函數的this綁定到其定義時所在的上下文。這個特徵也能夠幫助咱們解決這個問題。使用以下代碼:code

<div onClick={() => this.handleClick()}>
  You {text} this. Click to toggle.
</div>

這樣該 this.handleClick() 的上下文就會被綁定到LikeButton的實例對象上。我的認爲,使用箭頭函數使得JavaScript更加接近面向對象的編程風格。

this的總結

this的本質就是:this跟做用域無關的,只跟執行上下文有關。

歡迎指正交流。

相關文章
相關標籤/搜索