5

Sorry for my english. Here is example code:

/**
 * @constructor
 */
function MyNewClass(){
  this.$my_new_button = $('<button>Button</button>');
  this.my_value = 5;

  this.init = function (){
    $('body').append(this.$my_new_button);
    this.$my_new_button.click(
      function (){
        // Its always alerts "undefined"
        alert(this.my_value);
      }
    )
  }
}

How can i access objects my_value property inside jQuery click event function? Is it possible?

4

2 回答 2

6

您可以执行以下操作

function MyNewClass(){
    this.$my_new_button = $('<button>Button</button>');
    this.my_value = 5;
    var self = this; //add in a reference to this
    this.init = function (){
        $('body').append(this.$my_new_button);
        this.$my_new_button.click(
            function (){
                //This will now alert 5.
                alert(self.my_value);
            }
        );
    };
}

这是 javascript 中的一个小模式(虽然我不知道这个名字)。它允许您在内部函数中访问函数的顶级成员。在嵌套函数中,您不能使用“this”来引用顶级成员,因为它只会引用您所在的函数。因此需要将顶级函数“this”值声明为它自己的变量(在这种情况下称为 self)。

于 2013-09-25T12:22:25.717 回答
4

Jquery 有一个方法,jQuery.proxy( function, context )

function MyNewClass(){ 
  this.$my_new_button = $('<button>Button</button>');
  this.my_value = 5;

  this.init = function (){
    $('body').append(this.$my_new_button);
    this.$my_new_button.click(
      $.proxy(function (){
        // Its always alerts "undefined"
        alert(this.my_value);
      },this)
    )
  }
}

演示

于 2013-09-25T12:30:19.020 回答