mozilla
您的搜索结果

    bind

    JavaScript 1.8.5 引入

    概述

    bind方法会创建一个新函数,称为绑定函数.当调用这个绑定函数时,绑定函数会以创建它时传入bind方法的第一个参数作为this,传入bind方法的第二个以及以后的参数加上绑定函数运行时本身的参数按照顺序作为原函数的参数来调用原函数.

    Method of Function
    Implemented in JavaScript 1.8.5
    ECMAScript Edition ECMAScript 5th Edition

    语法

    fun.bind(thisArg[, arg1[, arg2[, ...]]])

    参数

    thisArg
    当绑定函数被调用时,该参数会作为原函数运行时的this指向.当使用new 操作符调用绑定函数时,该参数无效.
    arg1, arg2, ...
    当绑定函数被调用时,这些参数加上绑定函数本身的参数会按照顺序作为原函数运行时的参数.

    描述

    The bind() function creates a new function (a bound function) with the same function body (internal Call attribute in ECMAScript 5 terms) as the function it is being called on (the bound function's target function) with the this value bound to the first argument of bind(), which cannot be overridden. bind() also accepts leading default arguments to provide to the target function when the bound function is called.  A bound function may also be constructed using the new operator: doing so acts as though the target function had instead been constructed.  The provided this value is ignored, while prepended arguments are provided to the emulated function.

    兼容性

    The bind function is a recent addition to ECMA-262, 5th edition; as such it may not be present in all browsers. You can partially work around this by inserting the following code at the beginning of your scripts, allowing use of much of the functionality of bind() in implementations that do not natively support it.

    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 && oThis
                                     ? this
                                     : oThis || window,
                                   aArgs.concat(Array.prototype.slice.call(arguments)));
            };
    
        fNOP.prototype = this.prototype;
        fBound.prototype = new fNOP();
    
        return fBound;
      };
    }
    

    Some of the many differences (there may well be others, as this list does not seriously attempt to be exhaustive) between this algorithm and the specified algorithm are:

    • The partial implementation relies Array.prototype.slice, Array.prototype.concat, Function.prototype.call and Function.prototype.apply, built-in methods to have their original values.
    • The partial implementation creates functions that do not have immutable "poison pill" caller and arguments properties that throw a TypeError upon get, set, or deletion. (This could be added if the implementation supports Object.defineProperty, or partially implemented [without throw-on-delete behavior] if the implementation supports the __defineGetter__ and __defineSetter__ extensions.)
    • The partial implementation creates functions that have a prototype property. (Proper bound functions have none.)
    • The partial implementation creates bound functions whose length property does not agree with that mandated by ECMA-262: it creates functions with length 0, while a full implementation, depending on the length of the target function and the number of pre-specified arguments, may return a non-zero length.

    If you choose to use this partial implementation, you must not rely on those cases where behavior deviates from ECMA-262, 5th edition! With some care, however (and perhaps with additional modification to suit specific needs), this partial implementation may be a reasonable bridge to the time when bind() is widely implemented according to the specification.

    例子

    创建一个绑定函数

    The simplest use of bind() is to make a function that, no matter how it is called, is called with a particular this value.  A common mistake for new JavaScript programmers is to extract a method from an object, then to later call that function and expect it to use the original object as its this (e.g. by using that method in callback-based code).  Without special care, however, the original object is usually lost.  Creating a bound function from the function, using the original object, neatly solves this problem:

    var x = 9; 
    var module = {
      x: 81,
      getX: function() { return this.x; }
    };
    
    module.getX(); // 81
    
    var getX = module.getX;
    getX(); // 9, because in this case, "this" refers to the global object
    
    // create a new function with 'this' bound to module
    var boundGetX = getX.bind(module);
    boundGetX(); // 81
    

    Currying

    The next simplest use of bind() is to make a function with pre-specified initial arguments. These arguments (if any) follow the provided this value and are then inserted at the start of the arguments passed to the target function, followed by the arguments passed to the bound function, whenever the bound function is called.

    function list() {
      return Array.prototype.slice.call(arguments);
    }
    
    var list1 = list(1, 2, 3); // [1, 2, 3]
    
    //  Create a function with a preset leading argument
    var leadingZeroList = list.bind(undefined, 37);
    
    var list2 = leadingZeroList(); // [37]
    var list3 = leadingZeroList(1, 2, 3); // [37, 1, 2, 3]
    

    使用setTimeout

    By default within window.setTimeout(), the this keyword will be set to the window (or global) object. When working with class methods that require this to refer to class instances, you may explicitly bind this to the callback function, in order to maintain the instance.

    function LateBloomer() {
      this.petalCount = Math.ceil( Math.random() * 12 ) + 1;
    }
    
    // declare bloom after a delay of 1 second
    LateBloomer.prototype.bloom = function() {
      window.setTimeout( this.declare.bind( this ), 1000 );
    };
    
    LateBloomer.prototype.declare = function() {
      console.log('I am a beautiful flower with ' + this.petalCount + ' petals!');
    };
    

    使用构造函数绑定函数

    Warning: This section is demonstrates the abilities of browsers and documents some edge cases of the bind() method. The methods shown below are not the best way to do things and probably should not be used in any production environment.

    Bound functions are automatically suitable for use with the new operator to construct new instances created by the target function. When a bound function is used to construct a value, the provided this is ignored. However, provided arguments are still prepended to the constructor call:

    function Point(x, y) {
      this.x = x;
      this.y = y;
    }
    
    Point.prototype.toString = function() { 
      return this.x + "," + this.y; 
    };
    
    var p = new Point(1, 2);
    p.toString(); // "1,2"
    
    
    var emptyObj = {};
    var YAxisPoint = Point.bind(emptyObj, 0 /* x */);
    
    var axisPoint = new YAxisPoint(5);
    axisPoint.toString(); //  "0,5"
    
    axisPoint instanceof Point; // true
    axisPoint instanceof YAxisPoint; // true
    new Point(17, 42) instanceof YAxisPoint; // false with native bind // true, when using the above polyfill
    

    Note that you need do nothing special to create a bound function for use with new. The corollary is that you need do nothing special to create a bound function to be called plainly, even if you would rather require the bound function to only be called using new. If you wish to support use of a bound function only using new, or only by calling it, the target function must enforce that restriction.

    // Example can be run directly in your JavaScript console
    // ...continuing from above
    
    // Can still be called as a normal function (although usually this is undesired)
    YAxisPoint(13);
    
    emptyObj.x + "," + emptyObj.y;
    // >  "0,13"
    

    Creating shortcuts

    bind() is also helpful in cases where you want to create a shortcut to a function which requires a specific this value.

    Take Array.prototype.slice, for example, which you want to use for converting an array-like object to a real array. You could create a shortcut like this:

    var slice = Array.prototype.slice;
    
    // ...
    
    slice.call(arguments);

    With bind(), this can be simplified. In the following piece of code, slice is a bound function to the call() function of Function.prototype, with the this value set to the slice() function of Array.prototype. This means that additional call() calls can be eliminated:

    var unboundSlice = Array.prototype.slice; // same as "slice" in the previous example
    var slice = Function.prototype.call.bind(unboundSlice);
    
    // ...
    
    slice(arguments);
    

    浏览器兼容性

    Feature Firefox (Gecko) Chrome Internet Explorer Opera Safari
    Basic support 4.0 (2) 7 9 11.60 5.1.4
    Feature Chrome for Android Firefox Mobile (Gecko) Android IE Mobile Opera Mobile Safari Mobile
    Basic support 0.16 4.0 (2) 4.0 ? 11.50 Not supported

    Based on Kangax's compat tables.

    相关链接

    文档标签和贡献者

    对本页有贡献的人: ziyunfei, teoli, stylechen
    最后编辑者: ziyunfei,