美文网首页
JavaScript中bind和new共同作用时this的指向问

JavaScript中bind和new共同作用时this的指向问

作者: 绯色流火 | 来源:发表于2017-05-14 18:20 被阅读0次

    本文建议读者先了解JavaScript中this的基本概念再阅读。

    最近一个多月一直加班……都没写东西。。
    之前翻书时偶然看到书中提到了这么一个情景:

    function foo(something) {
      this.a = something
    }
    
    var obj1 = {};
    
    var bar = foo.bind(obj1);
    bar(2);
    
    console.log(obj1.a);  // 2
    
    var baz = new bar(3);
    console.log(obj1.a);  //2
    console.log(baz.a);  //3
    
    

    说白了这个写法就是想比较new绑定和bind谁对this指向的影响优先级更高。

    首先来看bar(2)这句话执行后,obj1.a的输出值为2。对bind这个API稍有了解的读者肯定觉得这显然没有问题。
    var bar = foo.bind(obj1)这行代码返回了一个将this指向obj1的函数对象,并赋值给变量bar。之后执行时,this.a = 2相当于就是obj1.a = 2了。

    不过问题出在接下来的步骤中,new bar(3)在执行后,并没有修改obj1.a的值为3,而是修改了之前bind硬绑定的那个this。因为被构建的新对象baz中,baz.a的值是3。

    这和我之前对bind的理解有些偏差。之后又去重新查看了一遍MDN提供的bind实现:

    if (!Function.prototype.bind) {
      Function.prototype.bind = function (oThis) {
        if (typeof this !== "function") {
          // closest thing possible to the ECMAScript 5
          // internal IsCallable function
          throw new TypeError("Function.prototype.bind - what is trying to be bound is not callable");
        }
    
        var aArgs = Array.prototype.slice.call(arguments, 1), 
            fToBind = this, 
            fNOP = function () {},
            fBound = function () {
              return fToBind.apply(this instanceof fNOP
                                     ? this
                                     : oThis || this,
                                   aArgs.concat(Array.prototype.slice.call(arguments)));
            };
    
        fNOP.prototype = this.prototype;
        fBound.prototype = new fNOP();
    
        return fBound;
      };
    }
    

    new之所以会对bind返回对象的this指向造成影响的关键在于以下这句代码:

    this instanceof fNOP ? this : oThis || this
    

    以上结果对应了apply方法的第一个参数,而apply方法的第一句,就是修改this的指向。ES5中bind方法便是在此基础上进行包装而生成的。

    那么看看bar(2)var baz = new bar(3)在运行时的区别吧。

    这边在Function.prototype上新增了一个命名了一个叫做bd的函数,对应了MDN上自制的bind代码。

    在Function.prototype.bd这个函数中,最后return出的是fBound函数,也就是说,bar(2)也好,new bar(3)也好,执行的实际是这个fBound函数。

    也就是说bar(2)var baz = new bar(3)其实是这样的也可以看成fBound(2)new fBound(3)

    而在fBound的apply中,并没有直接将传递进来的oThis作为要绑定的值绑定,而是做了一层判断。先判断fBound执行时this的指向。如果this指向的是Function对象,那么apply也指向这个Function对象,否则则指向Function.prototype.bd传入的oThis(就是开发者用bind传进去的第一个参数)。
    那么我们来看看fBound在两种情况下的this指向吧。

    fBound(2);  //显然是window,于是apply绑定了用户传入的oThis。一切正常
    new fBound(3);  //new操作符会修改this的指向,使其指向fBound。apply绑定了fBound,因此出现了上述情况
    

    所以归根结底,绝不是说new绑定对this的影响优先级要强过硬绑定,其实是new绑定先改变了this的指向,而bind中硬绑定的操作,会根据当前this的指向而硬绑定不同的对象。##

    相关文章

      网友评论

          本文标题:JavaScript中bind和new共同作用时this的指向问

          本文链接:https://www.haomeiwen.com/subject/zvlptxtx.html