1

我有以下导出的对象:

module.exports = {
    value: 0,

    startTimer: function() {
        setInterval(function() {
            value++;
        }, 1000);
    }
}

如何value从该 setInterval 函数访问?提前致谢。

4

1 回答 1

2

您可以指定值的完整路径:

module.exports = {
    value: 0,

    startTimer: function() {
        setInterval(function() {
            module.exports.value++;
        }, 1000);
    }
}

或者,如果将调用的函数绑定setTimeoutthis,则可以使用this

module.exports = {
    value: 0,

    startTimer: function() {
        setInterval(function() {
            this.value++;
        }.bind(this), 1000);
    }
}

这类似于这样的代码,您会不时看到:

module.exports = {
    value: 0,

    startTimer: function() {
        var self = this;
        setInterval(function() {
            self.value++;
        }, 1000);
    }
}
于 2012-11-25T19:14:23.733 回答