一、是什麼
在react
應用中,事件名都是用小駝峰格式進行書寫,例如onclick
要改寫成onClick
最簡單的事件繫結如下:
class ShowAlert extends React.Component { showAlert() { console.log("Hi"); } render() { return <button onClick={this.showAlert}>show</button>; } }
從上面可以看到,事件繫結的方法需要使用{}
包住
上述的程式碼看似沒有問題,但是當將處理函式輸出程式碼換成console.log(this)
的時候,點選按鈕,則會發現控制檯輸出undefined
二、如何繫結
為了解決上面正確輸出this
的問題,常見的繫結方式有如下:
- render方法中使用bind
- render方法中使用箭頭函式
- constructor中bind
- 定義階段使用箭頭函式繫結
render方法中使用bind
如果使用一個類元件,在其中給某個元件/元素一個onClick
屬性,它現在並會自定繫結其this
到當前元件,解決這個問題的方法是在事件函式後使用.bind(this)
將this
繫結到當前元件中
class App extends React.Component { handleClick() { console.log('this > ', this); } render() { return ( <div onClick={this.handleClick.bind(this)}>test</div> ) } }
這種方式在元件每次render
渲染的時候,都會重新進行bind
的操作,影響效能
render方法中使用箭頭函式
通過ES6
的上下文來將this
的指向繫結給當前元件,同樣在每一次render
的時候都會生成新的方法,影響效能
class App extends React.Component { handleClick() { console.log('this > ', this); } render() { return ( <div onClick={e => this.handleClick(e)}>test</div> ) } }
constructor中bind
在constructor
中預先bind
當前元件,可以避免在render
操作中重複繫結
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
操作中重複繫結,實現也非常的簡單,如下:
class App extends React.Component { constructor(props) { super(props); } handleClick = () => { console.log('this > ', this); } render() { return ( <div onClick={this.handleClick}>test</div> ) } }
三、區別
上述四種方法的方式,區別主要如下:
- 編寫方面:方式一、方式二寫法簡單,方式三的編寫過於冗雜
- 效能方面:方式一和方式二在每次元件render的時候都會生成新的方法例項,效能問題欠缺。若該函式作為屬性值傳給子元件的時候,都會導致額外的渲染。而方式三、方式四隻會生成一個方法例項
綜合上述,方式四是最優的事件繫結方式