次の例では、メソッド「lostThis」オブジェクト「instObj」にパラメータとして送信するために、「this」はウィンドウオブジェクトです。
var obj = function() {};
obj.prototype.lostThis = function() {
console.log('lostThis', this instanceof obj, this);
};
var instObj = new obj;
var caller = {
runFn: function(fn) {
fn();
}
};
caller.runFn(instObj.lostThis);
コンソールの応答:
lostThis false Window
次の例(もう少し複雑)では、「instObj」のメソッドを呼び出す方法がいくつかあり、同じ場合と「this」オブジェクトを保持できる場合があります。
var obj = function() {};
obj.prototype.methodRefHasThis = function() {
var t = this;
return function() {
console.log('methodRefHasThis ', t instanceof obj, t);
};
};
obj.prototype.methodRefLostThis = function() {
console.log('methodRefLostThis ', this instanceof obj, this);
};
obj.prototype.methodRefMaybeThis = function() {
console.log('methodRefMaybeThis ', this instanceof obj, this);
};
var instObj = new obj;
var caller = {
runFn: function(fn) {
fn();
}
};
// width jQuery
$('button')
.bind('click', instObj.methodRefHasThis())
.bind('click', instObj.methodRefLostThis);
caller.runFn(instObj.methodRefHasThis());
caller.runFn(instObj.methodRefLostThis);
caller.runFn(function() {
instObj.methodRefMaybeThis();
});
コンソールの応答:
methodRefHasThis true obj
methodRefLostThis false Window
methodRefMaybeThis true obj
methodRefHasThis true obj
methodRefLostThis false <button>press here</button>
これは、メソッドをイベントに割り当てるjQueryで発生することを理解していますが、メソッド「methodRefLostThis」を呼び出して、参照によって渡される「this」オブジェクトを失うことはありませんか?
ありがとう
@ am_not_i_am、@ Dan_Davies_Brackett、@Ben_Leeによる解決策
var obj = function() {};
obj.prototype.lostThis = function() {
console.log('lostThis', this instanceof obj, this);
};
var instObj = new obj;
var caller = {
runFn: function(fn) {
fn();
}
};
caller.runFn(instObj.lostThis.bind(instObj));
caller.runFn($.proxy(instObj.lostThis, instObj));
コンソールの応答:
lostThis true obj
lostThis true obj