AngularJS:在服务的间隔函数中使用 "this"

AngularJS: Using "this" in an interval function within a service

当通过 $interval 调用时,如何让 "this" 关键字为 periodicFetch() 工作?

这是我的 angular 应用程序的代码:

angular.module('myapp', []);

var MyService = function($rootScope, $http, $interval) {
    this.variables = {};

    this.registerVariable = function(varName) {
        this.variables[varName] = null;
    };

    this.periodicFetch = function() {
        console.log(this.variables);
    };

    this.run = function() {
        this.periodicFetch();
        $interval(this.periodicFetch, 1000);
    };
};

angular.module('myapp').service('myService',
        ['$rootScope', '$http', '$interval', MyService]);

angular.module('myapp').run(function(myService) {
    myService.registerVariable('foo');
    myService.run();
});

当前输出为:

Object {foo: null}
undefined
undefined
undefined
...

它似乎适用于没有 $interval 的第一次调用。但是在 $intervalthis.variables 的值似乎是 undefined

尝试使用 .bind,像这样

$interval(this.periodicFetch.bind(this), 1000);

Example

this指的是函数作用域。一种选择是将对它的引用存储在变量中,通常命名为 self。 var self = this;,但是使用 bind 是正确的答案。