ECMAScript 5(ES5)中bind方法簡介備忘

一直以來對和this有關的東西模糊不清,譬如call、apply等等。此次看到一個和bind有關的筆試題,故記此文以備忘。javascript

  bind和call以及apply同樣,都是能夠改變上下文的this指向的。不一樣的是,call和apply同樣,直接引用在方法上,而bind綁定this後返回一個方法,但內部核心仍是apply。java

  直接看例子:app

1
2
3
4
5
6
7
8
9
10
11
12
var  obj = {
   a: 1,
   b: 2,
   getCount:  function (c, d) {
     return  this .a +  this .b + c + d;
   }
};
 
window.a = window.b = 0;
console.log(obj.getCount(3, 4));   // 10
var  func = obj.getCount;
console.log(func(3, 4));   // 7

  爲什麼會這樣?由於func在上下文中的this是window!bind的存在正是爲了改變this指向獲取想要的值:函數

1
2
3
4
5
6
7
8
9
10
11
var  obj = {
   a: 1,
   b: 2,
   getCount:  function (c, d) {
     return  this .a +  this .b + c + d;
   }
};
 
window.a = window.b = 0;
var  func = obj.getCount.bind(obj);
console.log(func(3, 4));   // 10

  bind是function的一個函數擴展方法,bind之後代碼從新綁定了func內部的this指向(obj),可是不兼容ie6~8,兼容代碼以下:this

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
var  obj = {
   a: 1,
   b: 2,
   getCount:  function (c, d) {
     return  this .a +  this .b + c + d;
   }
};
 
Function.prototype.bind = Function.prototype.bind ||  function (context) {
   var  that =  this ;
   return  function () {
     // console.log(arguments); // console [3,4] if ie<6-8>
     return  that.apply(context, arguments);
 
   }
}
window.a = window.b = 0;
var  func = obj.getCount.bind(obj);
console.log(func(3, 4));   // 10

  其實在我看來bind的核心是返回一個未執行的方法,若是直接使用apply或者call:spa

1
2
var  ans = obj.getCount.apply(obj, [3, 4]);
console.log(ans);  // 10

  沒法使用簡寫的func函數構造,因此用bind傳遞this指向,再返回一個未執行的方法,實現方式至關巧妙。prototype

相關文章
相關標籤/搜索