我有一个服务,说:

factory('aService', ['$rootScope', '$resource', function ($rootScope, $resource) {
  var service = {
    foo: []
  };

  return service;
}]);

我想用foo来控制一个在HTML中呈现的列表:

<div ng-controller="FooCtrl">
  <div ng-repeat="item in foo">{{ item }}</div>
</div>

以便控制器检测aService。我已经拼凑了这个模式,其中我添加aService到控制器的$scope,然后使用$scope.$watch():

function FooCtrl($scope, aService) {                                                                                                                              
  $scope.aService = aService;
  $scope.foo = aService.foo;

  $scope.$watch('aService.foo', function (newVal, oldVal, scope) {
    if(newVal) { 
      scope.foo = newVal;
    }
  });
}

这感觉有点冗长,我一直在每个使用服务变量的控制器中重复这一点。有没有更好的方法来监视共享变量?


当前回答

你可以在$rootScope中插入服务,然后观察:

myApp.run(function($rootScope, aService){
    $rootScope.aService = aService;
    $rootScope.$watch('aService', function(){
        alert('Watch');
    }, true);
});

在你的控制器中:

myApp.controller('main', function($scope){
    $scope.aService.foo = 'change';
});

另一个选择是使用外部库,例如:https://github.com/melanke/Watch.JS

"发射架:IE +, f4 +,稳定基金5+

您可以观察一个、多个或所有对象属性的变化。

例子:

var ex3 = {
    attr1: 0,
    attr2: "initial value of attr2",
    attr3: ["a", 3, null]
};   
watch(ex3, function(){
    alert("some attribute of ex3 changes!");
});
ex3.attr3.push("new value");​

其他回答

我在寻找类似的东西时偶然发现了这个问题,但我认为它值得对正在发生的事情进行彻底的解释,以及一些额外的解决方案。

当你使用的angular表达式出现在HTML中时,angular会自动为$scope设置一个$watch。每当$scope. foo时,它都会更新HTML。foo的变化。

<div ng-controller="FooCtrl">
  <div ng-repeat="item in foo">{{ item }}</div>
</div>

这里没有提到的问题是,有两件事正在影响aService。Foo使更改不会被检测到。这两种可能性是:

项服务。Foo每次都被设置为一个新的数组,导致对它的引用过时。 项服务。Foo的更新方式是在更新时不会触发$digest循环。


问题1:过时的引用

考虑第一种可能性,假设应用了$摘要,如果aService。Foo总是相同的数组,自动设置的$watch将检测到变化,如下面的代码片段所示。

解决方案1-a:确保数组或对象在每次更新时都是相同的对象

angular.module('myApp', []) .factory('aService', [ '$interval', function($interval) { var service = { foo: [] }; // Create a new array on each update, appending the previous items and // adding one new item each time $interval(function() { if (service.foo.length < 10) { var newArray = [] Array.prototype.push.apply(newArray, service.foo); newArray.push(Math.random()); service.foo = newArray; } }, 1000); return service; } ]) .factory('aService2', [ '$interval', function($interval) { var service = { foo: [] }; // Keep the same array, just add new items on each update $interval(function() { if (service.foo.length < 10) { service.foo.push(Math.random()); } }, 1000); return service; } ]) .controller('FooCtrl', [ '$scope', 'aService', 'aService2', function FooCtrl($scope, aService, aService2) { $scope.foo = aService.foo; $scope.foo2 = aService2.foo; } ]); <!DOCTYPE html> <html> <head> <script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.23/angular.min.js"></script> <link rel="stylesheet" href="style.css" /> <script src="script.js"></script> </head> <body ng-app="myApp"> <div ng-controller="FooCtrl"> <h1>Array changes on each update</h1> <div ng-repeat="item in foo">{{ item }}</div> <h1>Array is the same on each udpate</h1> <div ng-repeat="item in foo2">{{ item }}</div> </div> </body> </html>

如您所见,ng-repeat应该附加到aService。当aService. foo不更新。但是ng-repeat附加到aService2. foo上。foo。这是因为我们引用了aService。foo已经过时,但是我们对aService2. foo的引用。Foo不是。我们用$scope创建了对初始数组的引用。foo = aService.foo;,然后被服务在下一次更新时丢弃,这意味着$scope。Foo不再引用我们想要的数组。

然而,虽然有几种方法可以确保初始引用保持适当,但有时可能需要更改对象或数组。或者,如果服务属性引用字符串或数字之类的原语,该怎么办?在这种情况下,我们不能仅仅依靠参考资料。那么我们能做什么呢?

前面给出的几个答案已经给出了这个问题的一些解决方案。然而,我个人更倾向于使用Jin和评论中的tallweeks所建议的简单方法:

引用aService即可。Foo在HTML标记中

解决方案1-b:将服务附加到作用域,并引用{service}。HTML中的{property}。

意思是,只要这样做:

HTML:

<div ng-controller="FooCtrl">
  <div ng-repeat="item in aService.foo">{{ item }}</div>
</div>

JS:

function FooCtrl($scope, aService) {
    $scope.aService = aService;
}

angular.module('myApp', []) .factory('aService', [ '$interval', function($interval) { var service = { foo: [] }; // Create a new array on each update, appending the previous items and // adding one new item each time $interval(function() { if (service.foo.length < 10) { var newArray = [] Array.prototype.push.apply(newArray, service.foo); newArray.push(Math.random()); service.foo = newArray; } }, 1000); return service; } ]) .controller('FooCtrl', [ '$scope', 'aService', function FooCtrl($scope, aService) { $scope.aService = aService; } ]); <!DOCTYPE html> <html> <head> <script data-require="angular.js@1.4.7" data-semver="1.4.7" src="https://ajax.googleapis.com/ajax/libs/angularjs/1.4.7/angular.js"></script> <link rel="stylesheet" href="style.css" /> <script src="script.js"></script> </head> <body ng-app="myApp"> <div ng-controller="FooCtrl"> <h1>Array changes on each update</h1> <div ng-repeat="item in aService.foo">{{ item }}</div> </div> </body> </html>

这样,$watch将解析aService。Foo在每个$digest上,它将得到正确更新的值。

这就是你想要的变通方法,但是不那么迂回。你在控制器中添加了一个不必要的$watch,它会在foo发生变化时显式地将它放在$scope上。当你附加aService而不是aService时,你不需要额外的$watch。foo到$scope,并显式绑定到aService。Foo的标记。


现在,假设应用了$digest周期,这一切都很好。在上面的例子中,我使用了Angular的$interval服务来更新数组,它会在每次更新后自动启动一个$digest循环。但是,如果服务变量(不管出于什么原因)在“Angular世界”中没有得到更新呢?换句话说,我们没有一个$digest周期被自动激活每当服务属性改变?


问题2:缺少$摘要

这里的许多解决方案都可以解决这个问题,但我同意Code Whisperer的观点:

我们使用Angular这样的框架的原因是不需要自己编造观察者模式

因此,我更愿意继续使用aService。在HTML标记中引用foo,如上面的第二个例子所示,并且不必在Controller中注册一个额外的回调。

解决方案2:在$rootScope中使用setter和getter。

我很惊讶还没有人建议使用setter和getter。这个功能是在ECMAScript5中引入的,因此到现在已经存在了很多年。当然,这意味着,如果出于某种原因,您需要支持非常老的浏览器,那么这个方法将不起作用,但我觉得getter和setter在JavaScript中没有得到充分利用。在这种特殊情况下,它们可能非常有用:

factory('aService', [
  '$rootScope',
  function($rootScope) {
    var realFoo = [];

    var service = {
      set foo(a) {
        realFoo = a;
        $rootScope.$apply();
      },
      get foo() {
        return realFoo;
      }
    };
  // ...
}

angular.module('myApp', []) .factory('aService', [ '$rootScope', function($rootScope) { var realFoo = []; var service = { set foo(a) { realFoo = a; $rootScope.$apply(); }, get foo() { return realFoo; } }; // Create a new array on each update, appending the previous items and // adding one new item each time setInterval(function() { if (service.foo.length < 10) { var newArray = []; Array.prototype.push.apply(newArray, service.foo); newArray.push(Math.random()); service.foo = newArray; } }, 1000); return service; } ]) .controller('FooCtrl', [ '$scope', 'aService', function FooCtrl($scope, aService) { $scope.aService = aService; } ]); <!DOCTYPE html> <html> <head> <script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.23/angular.min.js"></script> <link rel="stylesheet" href="style.css" /> <script src="script.js"></script> </head> <body ng-app="myApp"> <div ng-controller="FooCtrl"> <h1>Using a Getter/Setter</h1> <div ng-repeat="item in aService.foo">{{ item }}</div> </div> </body> </html>

这里我在服务函数中添加了一个“私有”变量:realFoo。这个get分别使用get foo()和set foo()函数在服务对象上更新和检索。

注意set函数中使用了$rootScope.$apply()。这确保了Angular能够感知service.foo的任何变化。如果你得到'inprog'错误,请参阅这个有用的参考页面,或者如果你使用Angular >= 1.3,你可以使用$rootScope.$applyAsync()。

同样,如果aService。Foo的更新非常频繁,因为这会严重影响性能。如果性能是一个问题,您可以使用setter设置一个类似于这里其他答案的观察者模式。

我在另一个线程上找到了一个非常好的解决方案,有类似的问题,但方法完全不同。当$rootScope值被改变时,$watch within指令将无法正常工作

基本上解决方案告诉不要使用$watch,因为它是非常沉重的解决方案。相反,他们建议使用$emit和$on。

我的问题是在我的服务中观察一个变量并在指令中做出反应。用上面的方法就很简单了!

我的模块/服务示例:

angular.module('xxx').factory('example', function ($rootScope) {
    var user;

    return {
        setUser: function (aUser) {
            user = aUser;
            $rootScope.$emit('user:change');
        },
        getUser: function () {
            return (user) ? user : false;
        },
        ...
    };
});

所以基本上我观察我的用户-每当它被设置为新值时I $emit一个user:change status。

在我的例子中,在我使用的指令中:

angular.module('xxx').directive('directive', function (Auth, $rootScope) {
    return {
        ...
        link: function (scope, element, attrs) {
            ...
            $rootScope.$on('user:change', update);
        }
    };
});

现在在指令中,我监听$rootScope和给定的更改-我分别做出反应。非常简单和优雅!

据我所知,你不需要做那么复杂的事情。您已经将foo从服务分配到作用域,并且由于foo是一个数组(反过来又是一个对象,它是通过引用分配的!). 所以,你所需要做的就是这样:

function FooCtrl($scope, aService) {                                                                                                                              
  $scope.foo = aService.foo;

 }

如果这个Ctrl中的其他变量依赖于foo的变化,那么是的,你需要一个手表来观察foo并对该变量进行更改。但只要是简单的参考观看是不必要的。希望这能有所帮助。

我编写了两个简单的实用程序服务,它们帮助我跟踪服务属性的更改。

如果您想跳过冗长的解释,可以直接访问jsfiddle

WatchObj

mod.service('WatchObj', ['$rootScope', WatchObjService]); function WatchObjService($rootScope) { // returns watch function // obj: the object to watch for // fields: the array of fields to watch // target: where to assign changes (usually it's $scope or controller instance) // $scope: optional, if not provided $rootScope is use return function watch_obj(obj, fields, target, $scope) { $scope = $scope || $rootScope; //initialize watches and create an array of "unwatch functions" var watched = fields.map(function(field) { return $scope.$watch( function() { return obj[field]; }, function(new_val) { target[field] = new_val; } ); }); //unregister function will unregister all our watches var unregister = function unregister_watch_obj() { watched.map(function(unregister) { unregister(); }); }; //automatically unregister when scope is destroyed $scope.$on('$destroy', unregister); return unregister; }; }

该服务在控制器中的使用方式如下: 假设你有一个服务“testService”,它的属性是“prop1”,“prop2”,“prop3”。您希望监视并将其分配给范围“prop1”和“prop2”。对于手表服务,它看起来像这样:

应用程序控制器(“检测”、“检测服务”、“观察”、“检测”); 功能测试表 扫帚美元。prop1 =测试服务。 扫帚美元。prop2 =测试服务。 扫帚美元。prop3 =测试服务。 观察(测试服务,[prop1, prop2], $scope, $scope]); )

应用 Watch obj很棒,但如果您的服务中有异步代码,它就不够了。在这种情况下,我使用了第二个实用程序,如下所示:

mod.service('apply', ['$timeout', ApplyService]); 函数ApplyService($timeout) { 返回函数apply() { 美元超时(函数(){}); }; }

我将在异步代码的末尾触发它以触发$digest循环。 像这样:

app.service('TestService', ['apply', TestService]); 函数TestService(应用){ 这一点。Apply = Apply; } TestService.prototype。Test3 =函数(){ setTimeout(函数(){ 这一点。Prop1 = 'changed_test_2'; 这一点。Prop2 = 'changed2_test_2'; 这一点。Prop3 = 'changed3_test_2'; this.apply ();//触发$digest循环 } .bind ()); }

所以,所有这些加在一起看起来就像这样(你可以运行它或打开小提琴):

// TEST app code var app = angular.module('app', ['watch_utils']); app.controller('TestWatch', ['$scope', 'TestService', 'WatchObj', TestWatchCtrl]); function TestWatchCtrl($scope, testService, watch) { $scope.prop1 = testService.prop1; $scope.prop2 = testService.prop2; $scope.prop3 = testService.prop3; watch(testService, ['prop1', 'prop2'], $scope, $scope); $scope.test1 = function() { testService.test1(); }; $scope.test2 = function() { testService.test2(); }; $scope.test3 = function() { testService.test3(); }; } app.service('TestService', ['apply', TestService]); function TestService(apply) { this.apply = apply; this.reset(); } TestService.prototype.reset = function() { this.prop1 = 'unchenged'; this.prop2 = 'unchenged2'; this.prop3 = 'unchenged3'; } TestService.prototype.test1 = function() { this.prop1 = 'changed_test_1'; this.prop2 = 'changed2_test_1'; this.prop3 = 'changed3_test_1'; } TestService.prototype.test2 = function() { setTimeout(function() { this.prop1 = 'changed_test_2'; this.prop2 = 'changed2_test_2'; this.prop3 = 'changed3_test_2'; }.bind(this)); } TestService.prototype.test3 = function() { setTimeout(function() { this.prop1 = 'changed_test_2'; this.prop2 = 'changed2_test_2'; this.prop3 = 'changed3_test_2'; this.apply(); }.bind(this)); } //END TEST APP CODE //WATCH UTILS var mod = angular.module('watch_utils', []); mod.service('apply', ['$timeout', ApplyService]); function ApplyService($timeout) { return function apply() { $timeout(function() {}); }; } mod.service('WatchObj', ['$rootScope', WatchObjService]); function WatchObjService($rootScope) { // target not always equals $scope, for example when using bindToController syntax in //directives return function watch_obj(obj, fields, target, $scope) { // if $scope is not provided, $rootScope is used $scope = $scope || $rootScope; var watched = fields.map(function(field) { return $scope.$watch( function() { return obj[field]; }, function(new_val) { target[field] = new_val; } ); }); var unregister = function unregister_watch_obj() { watched.map(function(unregister) { unregister(); }); }; $scope.$on('$destroy', unregister); return unregister; }; } <script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script> <script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.23/angular.min.js"></script> <div class='test' ng-app="app" ng-controller="TestWatch"> prop1: {{prop1}} <br>prop2: {{prop2}} <br>prop3 (unwatched): {{prop3}} <br> <button ng-click="test1()"> Simple props change </button> <button ng-click="test2()"> Async props change </button> <button ng-click="test3()"> Async props change with apply </button> </div>

我使用类似的方法@dtheodot,但使用角承诺而不是传递回调

app.service('myService', function($q) {
    var self = this,
        defer = $q.defer();

    this.foo = 0;

    this.observeFoo = function() {
        return defer.promise;
    }

    this.setFoo = function(foo) {
        self.foo = foo;
        defer.notify(self.foo);
    }
})

然后只要使用myService.setFoo(foo)方法来更新服务上的foo。在你的控制器中,你可以这样使用它:

myService.observeFoo().then(null, null, function(foo){
    $scope.foo = foo;
})

then的前两个参数是成功和错误回调,第三个参数是通知回调。

$q的参考。