在对象原型方法中引用setInterval / setTimeout中的“this”

时间:2011-10-25 14:15:41

标签: javascript scope lexical-scope

通常我会在setInterval中引用“this”时指定一个替代的“self”引用。是否有可能在原型方法的上下文中完成类似的事情?以下代码错误。

function Foo() {}
Foo.prototype = {
    bar: function () {
        this.baz();
    },
    baz: function () {
        this.draw();
        requestAnimFrame(this.baz);
    }
};

2 个答案:

答案 0 :(得分:63)

与Python之类的语言不同,Javascript方法会在您提取并将其传递到其他位置后忘记它。你可以

将方法调用包含在匿名函数

这样,访问baz属性并同时调用它,这是在方法调用中正确设置this所必需的。

您需要将外部函数中的this保存在辅助变量中,因为内部函数将引用不同的this对象。

var that = this;
setInterval(function(){
    return that.baz();
}, 1000);

将方法调用包含在胖箭头函数

在实现arrow functions功能的Javascript实现中,可以使用胖箭头语法以更简洁的方式编写上述解决方案:

setInterval( () => this.baz(), 1000 );

胖箭头匿名函数保留周围函数的this,因此无需使用var that = this技巧。要查看您是否可以使用此功能,请参阅兼容性表格,如this one

使用绑定功能

最后一种方法是使用Function.prototype.bind等函数或您喜欢的Javascript库中的等效函数。

setInterval( this.baz.bind(this), 1000 );

//dojo toolkit example:
setInterval( dojo.hitch(this, 'baz'), 100);

答案 1 :(得分:0)

我做了一个代理课:)

function callback_proxy(obj, obj_method_name)
{
    instance_id = callback_proxy.instance_id++;
    callback_proxy.instances[instance_id] = obj;
    return eval('fn = function() { callback_proxy.instances['+instance_id+'].'+obj_method_name+'(); }');
}
callback_proxy.instance_id = 0;
callback_proxy.instances = new Array();

function Timer(left_time)
{
    this.left_time = left_time; //second
    this.timer_id;

    this.update = function()
    {
        this.left_time -= 1;

        if( this.left_time<=0 )
        {
            alert('fin!');
            clearInterval(this.timer_id);
            return;
        }
    }

    this.timer_id = setInterval(callback_proxy(this, 'update'), 1000);
}

new Timer(10);