web-dev-qa-db-ja.com

AngularJSがトリガーし、コントローラーからのサービスのオブジェクト値の変化を監視します

コントローラーからサービスの変更を監視しようとしています。ここで多くのqnsに基づいてさまざまなことを試しましたが、私はそれを機能させることができませんでした。

html:

<div ng-app="myApp">
    <div ng-controller="MyCtrl">
        <div ng-click="setFTag()">Click Me</div>
    </div> 
</div>

javascript:

var myApp = angular.module('myApp',[]);

myApp.service('myService', function() {
    this.tags = {
        a: true,
        b: true
    };


    this.setFalseTag = function() {
        alert("Within myService->setFalseTag");
        this.tags.a = false;
        this.tags.b = false;

        //how do I get the watch in MyCtrl to be triggered?
    };
});


myApp.controller('MyCtrl', function($scope, myService) {

    $scope.setFTag = function() {
        alert("Within MyCtrl->setFTag");
        myService.setFalseTag();
    };        

    $scope.$watch(myService.tags, function(newVal, oldVal) {
        alert("Inside watch");
        console.log(newVal);
        console.log(oldVal);
    }, true);

});

コントローラでウォッチをトリガーするにはどうすればよいですか?

jsfiddle

35
sathishvj

$watchこの方法で:

myApp.controller('MyCtrl', function($scope, myService) {


    $scope.setFTag = function() {
       myService.setFalseTag();
    };        

    $scope.$watch(function () {
       return myService.tags;
     },                       
      function(newVal, oldVal) {
        /*...*/
    }, true);

});

デモ Fiddle

[編集]

サードパーティからサービスが更新されている場合は特に、この方法が機能しない場合があります。

動作させるには、helpto angular to digest digest cycle。

以下に例を示します。

サービス側でtags値を更新する場合は、次のように記述します。

if($rootScope.$root.$$phase != '$apply' && $rootScope.$root.$$phase != '$digest'){
   $rootScope.$apply(function() {
     self.tags = true;
   });
 }
 else {
   self.tags = true;
  }
75
Maxim Shoustin