在jQuery实用程序/ ajax方法中设置'this'的匿名函数范围

时间:2010-01-24 18:47:59

标签: javascript jquery scope anonymous-function

this blog post中所述,您可以在Javascript中的匿名函数中设置this的范围。

在AJAX请求的this上的匿名函数调用中是否有更优雅的方法success(即不使用that)?

例如:

var Foo = {

  bar: function(id) {

    var that = this;

    $.ajax({
      url: "www.somedomain.com/ajax_handler",
      success: function(data) {
        that._updateDiv(id, data);
      }
    });

  },

  _updateDiv: function(id, data) {

    $(id).innerHTML = data;

  }

};

var foo = new Foo;
foo.bar('mydiv');

使用调用但仍必须命名父对象范围that

success: function(data) {
    (function() {
      this._updateDiv(id, data);
    }).call(that);
}

2 个答案:

答案 0 :(得分:6)

在jQuery 1.4中,你有$.proxy方法,你可以简单地写:

 //...
 bar: function(id) {
    $.ajax({
      url: "someurl",
      success: $.proxy(this, '_updateDiv')
    });
  },
  //...

$.proxy接受一个对象,它将用作this值,它可以接受一个字符串(该对象的一个​​成员)或一个函数,它将返回一个新函数将永远有一个特定的范围。

另一种选择是bind功能,现在ECMAScript第五版标准的一部分是最好的:

//...
  bar: function(id) {
    $.ajax({
      url: "someurl",
      success: function(data) {
        this._updateDiv(id, data);
      }.bind(this)
    });
  },
//...

当JavaScript引擎完全实现ES5标准时,此功能将很快本地提供,目前,您可以使用以下8行长实现:

// The .bind method from Prototype.js 
if (!Function.prototype.bind) { // check if native implementation available
  Function.prototype.bind = function(){ 
    var fn = this, args = Array.prototype.slice.call(arguments),
        object = args.shift(); 
    return function(){ 
      return fn.apply(object, 
        args.concat(Array.prototype.slice.call(arguments))); 
    }; 
  };
}

答案 1 :(得分:6)

$.ajax()函数提供了一种简洁的方法,以 context 参数的形式执行此操作:

$.ajax({
  url: "www.somedomain.com/ajax_handler",
  context: this,
  success: function(data) {
    this._updateDiv(id, data);
  }
});

虽然技术CMS outlines更适合一般用途。