前提 es6寫法的類方法預設沒有綁定this,不手動綁定this值為undefined。 因此討論以下幾種綁定方式。 一、構造函數constructor中用bind綁定 二、在調用的時候使用bind綁定this 三、在調用的時候使用箭頭函數綁定this 四、使用屬性初始化器語法綁定this 附加:: ...
前提
es6寫法的類方法預設沒有綁定this,不手動綁定this值為undefined。
因此討論以下幾種綁定方式。
一、構造函數constructor中用bind綁定
class App extends Component {
constructor (props) {
super(props)
this.state = {
t: 't'
}
// this.bind1 = this.bind1.bind(this) 無參寫法
this.bind1 = this.bind1.bind(this, this.state.t)
}
// 無參寫法
// bind1 () {
// console.log('bind1', this)
// }
bind1 (t, event) {
console.log('bind1', this, t, event)
}
render () {
return (
<div>
<button onClick={this.bind1}>列印1</button>
</div>
)
}
}
二、在調用的時候使用bind綁定this
bind2 (t, event) {
console.log('bind2', this, t, event)
}
render () {
return (
<div>
<button onClick={this.bind2.bind(this, this.state.t)}>列印2</button>
</div>
)
}
// 無參寫法同第一種
三、在調用的時候使用箭頭函數綁定this
bind3 (t, event) {
console.log('bind3', this, t, event)
}
render () {
return (
<div>
// <button onClick={() => this.bind3()}>列印3</button> 無參寫法
<button onClick={(event) => this.bind3(this.state.t, event)}>列印3</button>
</div>
)
}
四、使用屬性初始化器語法綁定this
bind4 = () =>{
console.log('bind4', this)
}
render () {
return (
<div>
<button onClick={this.bind4}>列印4</button>
// 帶參需要使用第三種方法包一層箭頭函數
</div>
)
}
附加::方法(不能帶參,stage 0草案中提供了一個便捷的方案——雙冒號語法)
bind5(){
console.log('bind5', this)
}
render() {
return (
<div>
<button onClick={::this.bind5}></button>
</div>
)
}
方法一優缺點
優點:
只會生成一個方法實例;
並且綁定一次之後如果多次用到這個方法也不需要再綁定。
缺點:
即使不用到state,也需要添加類構造函數來綁定this,代碼量多;
添加參數要在構造函數中bind時指定,不在render中。
方法二、三優缺點
優點:
寫法比較簡單,當組件中沒有state的時候就不需要添加類構造函數來綁定this。
缺點:
每一次調用的時候都會生成一個新的方法實例,因此對性能有影響;
當這個函數作為屬性值傳入低階組件的時候,這些組件可能會進行額外的重新渲染,因為每一次都是新的方法實例作為的新的屬性傳遞。
方法四優缺點
優點:
創建方法就綁定this,不需要在類構造函數中綁定,調用的時候不需要再作綁定;
結合了方法一、二、三的優點。
缺點:
帶參就會和方法三相同,這樣代碼量就會比方法三多了。
總結
方法一是官方推薦的綁定方式,也是性能最好的方式。
方法二和方法三會有性能影響,並且當方法作為屬性傳遞給子組件的時候會引起重新渲染問題。
方法四和附加方法不做評論。
大家根據是否需要傳參和具體情況選擇適合自己的方法就好。
謝謝閱讀。