• bind()实现


    bind()函数是在 ECMA-262 第五版才被加入;它可能无法在所有浏览器上运行。这就需要我们自己实现bind()函数了

    简单实现bind()方法:

    Function.prototype.bind = function(context){
      self = this;  //保存this,即调用bind方法的目标函数
      return function(){
          return self.apply(context,arguments);
      };
    };

    考虑到函数柯里化的情况,我们可以构建一个更加健壮的bind()

    Function.prototype.bind = function(context){
      var args = Array.prototype.slice.call(arguments, 1),
      self = this;
      return function(){
          var innerArgs = Array.prototype.slice.call(arguments);
          var finalArgs = args.concat(innerArgs);
          return self.apply(context,finalArgs);
      };
    };

    这次的bind()方法可以绑定对象,也支持在绑定的时候传参。

    继续,Javascript的函数还可以作为构造函数,那么绑定后的函数用这种方式调用时,情况就比较微妙了,需要涉及到原型链的传递:

    Function.prototype.bind = function(context){
      var args = Array.prototype.slice(arguments, 1),
      F = function(){},
      self = this,
      bound = function(){
          var innerArgs = Array.prototype.slice.call(arguments);
          var finalArgs = args.concat(innerArgs);
          return self.apply((this instanceof F ? this : context), finalArgs);
      };
    
      F.prototype = self.prototype;
      bound.prototype = new F();
      retrun bound;
    }

    这是《JavaScript Web Application》一书中对bind()的实现:通过设置一个中转构造函数F,使绑定后的函数与调用bind()的函数处于同一原型链上,用new操作符调用绑定后的函数,返回的对象也能正常使用instanceof,因此这是最严谨的bind()实现。

    对于为了在浏览器中能支持bind()函数,只需要对上述函数稍微修改即可:

    Function.prototype.bind = function (oThis) {
        if (typeof this !== "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 && oThis ? this : oThis || window,
                  aArgs.concat(Array.prototype.slice.call(arguments))
              );
            };
    
        fNOP.prototype = this.prototype;
        fBound.prototype = new fNOP();
    
        return fBound;
      };
  • 相关阅读:
    Codeforces Round #394 (Div. 2) A. Dasha and Stairs
    HDU 1410 PK武林盟主
    HDU 3362 Fix(状压dp)
    P678-vect2.cpp
    Qt5获取本机网络信息
    Qt5标准文件对话框类
    nRF52832无法加载协议栈文件
    Debug记录(1)
    大小端模式
    nRF52832的SAADC
  • 原文地址:https://www.cnblogs.com/liucanhao/p/5717780.html
Copyright © 2020-2023  润新知