ECMAScript 5(ES5)中bind方法简介

 
/*ECMAScript 5(ES5)中bind方法简介*/
/*bind和call以及apply一样,都是可以改变上下文的this指向的。
    不同的是,call和apply一样,直接引用在方法上,
    而bind绑定this后返回一个方法,但内部核心还是apply。*/
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指向获取想要的值:
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,兼容代码如下:
var obj = {
      a: 1,
      b: 2,
      getCount: function(c, d) {
        return this.a + this.b + c + d;
      }
    };
    Function.prototype.bind = Function.prototype.bind || function(obj) {
      var fun = this;
      return function() {
        // console.log(arguments);
	return fun.apply(obj, arguments);
      }
    };
    window.a = window.b = 0;
    var func = obj.getCount.bind(obj);
    console.log(func(3, 4));  // 10
//    其实在我看来bind的核心是返回一个未执行的方法,如果直接使用apply或者call:
    var ans = obj.getCount.apply(obj, [3, 4]);
    console.log(ans); // 10
//    无法使用简写的func函数构造,所以用bind传递this指向,再返回一个未执行的方法,实现方式相当巧妙。

猜你喜欢

转载自go2here.iteye.com/blog/2285254