AngularJS 1.5+组件不支持Watchers,如何解决?


78

我一直在将自定义指令升级到新的组件体系结构。我读过,组件不支持观察者。它是否正确?如果是这样,您如何检测对象的变化?对于一个基本示例,我有一个自定义组件myBox,该组件具有一个子组件游戏,并带有对游戏的绑定。如果游戏组件中有找零游戏,如何在myBox中显示警告消息?我知道有rxJS方法可以纯粹在角度上做到这一点吗?我的JSFiddle

的JavaScript

var app = angular.module('myApp', []);
app.controller('mainCtrl', function($scope) {

   $scope.name = "Tony Danza";

});

app.component("myBox",  {
      bindings: {},
      controller: function($element) {
        var myBox = this;
        myBox.game = 'World Of warcraft';
        //IF myBox.game changes, show alert message 'NAME CHANGE'
      },
      controllerAs: 'myBox',
      templateUrl: "/template",
      transclude: true
})
app.component("game",  {
      bindings: {game:'='},
      controller: function($element) {
        var game = this;


      },
      controllerAs: 'game',
      templateUrl: "/template2"
})

的HTML

<div ng-app="myApp" ng-controller="mainCtrl">
  <script type="text/ng-template" id="/template">
    <div style='width:40%;border:2px solid black;background-color:yellow'>
      Your Favourite game is: {{myBox.game}}
      <game game='myBox.game'></game>
    </div>
  </script>

 <script type="text/ng-template" id="/template2">
    <div>
    </br>
        Change Game
      <textarea ng-model='game.game'></textarea>
    </div>
  </script>

  Hi {{name}}
  <my-box>

  </my-box>

</div><!--end app-->

Answers:


157

在没有观察者的情况下编写组件

该答案概述了不使用观察程序即可用于编写AngularJS 1.5组件的五种技术


使用ng-change指令

有哪些可选方法可以在不使用watch的情况下观察obj状态变化来准备AngularJs2?

您可以使用ng-change指令来响应输入更改。

<textarea ng-model='game.game' 
          ng-change="game.textChange(game.game)">
</textarea>

为了将事件传播到父组件,需要将事件处理程序添加为子组件的属性。

<game game='myBox.game' game-change='myBox.gameChange($value)'></game>

JS

app.component("game",  {
      bindings: {game:'=',
                 gameChange: '&'},
      controller: function() {
        var game = this;
        game.textChange = function (value) {
            game.gameChange({$value: value});
        });

      },
      controllerAs: 'game',
      templateUrl: "/template2"
});

并在父组件中:

myBox.gameChange = function(newValue) {
    console.log(newValue);
});

这是今后的首选方法。AngularJS的使用策略$watch不可扩展,因为它是一种轮询策略。当$watch侦听器的数量达到2000左右时,UI将变得缓慢。Angular 2中的策略是使框架更具反应性,并避免放置$watch在框架上$scope


使用$onChanges生命周期挂钩

1.5.3版中,AngularJS向服务添加了$onChanges生命周期挂钩$compile

从文档中:

控制器可以提供以下用作生命周期挂钩的方法:

  • $ onChanges(changesObj)-每当单向(<)或插值(@)绑定更新时调用。的changesObj是散列的键是已更改的绑定的属性的名称,和值是以下形式的对象{ currentValue: ..., previousValue: ... }。使用此挂钩可触发组件内的更新,例如克隆绑定值,以防止外部值的意外突变。

— AngularJS综合指令API参考-生命周期挂钩

$onChanges钩用于与外部变化引入组分反应<单向绑定。该ng-change指令用于ng-model通过&绑定从组件外部的控制器传播更改。


使用$doCheck生命周期挂钩

1.5.8版中,AngularJS向服务添加了$doCheck生命周期挂钩$compile

从文档中:

控制器可以提供以下用作生命周期挂钩的方法:

  • $doCheck()-在摘要循环的每个回合上调用。提供机会来检测更改并采取措施。您希望对检测到的更改采取的任何操作都必须从此挂钩中调用;实现这一点对何时$onChanges调用没有影响。例如,如果您希望执行深度相等性检查或检查Date对象,而Angular的更改检测器无法检测到该更改,因此不会触发,则此钩子很有用$onChanges。该钩子不带参数调用;如果检测到更改,则必须存储以前的值以与当前值进行比较。

— AngularJS综合指令API参考-生命周期挂钩


组件间通信 require

指令可能需要其他指令的控制器来实现彼此之间的通信。这可以在组件中通过为require属性提供对象映射来实现。对象键指定属性名称,在这些属性名称下,所需的控制器(对象值)将绑定到所需组件的控制器。

app.component('myPane', {
  transclude: true,
  require: {
    tabsCtrl: '^myTabs'
  },
  bindings: {
    title: '@'
  },
  controller: function() {
    this.$onInit = function() {
      this.tabsCtrl.addPane(this);
      console.log(this);
    };
  },
  templateUrl: 'my-pane.html'
});

有关更多信息,请参见《AngularJS开发人员指南》-组件间通信


使用RxJS从服务推送值

例如,在您的服务处于保持状态的情况下该怎么办?我如何将更改推送到该服务,页面上的其他随机组件会意识到这种更改?最近一直在努力解决这个问题

使用RxJS Extensions for Angular构建服务。

<script src="//unpkg.com/angular/angular.js"></script>
<script src="//unpkg.com/rx/dist/rx.all.js"></script>
<script src="//unpkg.com/rx-angular/dist/rx.angular.js"></script>
var app = angular.module('myApp', ['rx']);

app.factory("DataService", function(rx) {
  var subject = new rx.Subject(); 
  var data = "Initial";

  return {
      set: function set(d){
        data = d;
        subject.onNext(d);
      },
      get: function get() {
        return data;
      },
      subscribe: function (o) {
         return subject.subscribe(o);
      }
  };
});

然后只需订阅更改。

app.controller('displayCtrl', function(DataService) {
  var $ctrl = this;

  $ctrl.data = DataService.get();
  var subscription = DataService.subscribe(function onNext(d) {
      $ctrl.data = d;
  });

  this.$onDestroy = function() {
      subscription.dispose();
  };
});

客户可以使用订阅更改,DataService.subscribe而生产者可以使用推送更改DataService.set

上PLNKR DEMO


谢谢,我希望对myBox.game的更改而不是game.gameChange做出反应。由于这不是输入而是标签,因此上述操作可能无效。我想我最终可能不得不求助于rxjs ...
Ka Tech

我添加了将事件传播到父组件的信息。
georgeawg '16

这件事将如何处理myBox.game变量上的程序化值更改?
Pankaj Parkar '02

很好的答案@georgeawg。Service例如,在您拥有保持状态的情况下该怎么办?我如何将更改推送到该服务,页面上的其他随机组件会意识到这种更改?最近一直在努力解决这个问题...
Mark Pieszak-Trilon.io

1
好的答案,只是说您可以使用rx.BehaviorSubject()而不是rx.Subject()来改进RxJS解决方案,后者可以自己存储最后一个值,并且可以像您一样使用默认值初始化为您服务
曼努埃尔·费雷罗

8

$watchobject在$scopeobject内部可用,因此您需要$scope在controller工厂函数内部添加&然后将watcher放在变量上。

$scope.$watch(function(){
    return myBox.game;
}, function(newVal){
   alert('Value changed to '+ newVal)
});

在这里演示

注意:我知道您已经转换directivecomponent,以消除对的依赖,$scope因此您将更接近Angular2。但似乎在这种情况下并没有被删除。

更新资料

基本上Angular 1.5确实添加了.component方法来区分两个不同的功能。就像component.stands执行特定的行为添加一样selector,其中assstands向directiveDOM添加特定的行为。指令只是.directiveDDO(指令定义对象)的包装方法。只能看到的是,它们link/compile在使用.component有能力获得角度编译的DOM的方法时具有删除功能。

请使用Angular组件生命周期钩子的$onChanges/ $doChecklifecycle hook,这些将在Angular 1.5.3+版本之后可用。

$ onChanges(changesObj) -每当绑定更新时调用。changesObj是一个哈希,其键是绑定属性的名称。

$ doCheck() -绑定更改时,在摘要周期的每一轮调用。提供机会来检测更改并采取措施。

通过在组件内部使用相同的功能,将确保您的代码兼容以迁移到Angular 2。


谢谢你,我想现在会坚持下去。您能否将我指向任何链接,这些链接讨论了哪些可用的替代方法来观察obj状态变化而无需使用监视来准备AngularJs2?
Ka Tech

1
@KaTech现在我只能说使用observableRxJS,这将是很好的兼容Angular2
潘卡Parkar

4

对于对我的解决方案感兴趣的任何人,我最终都会使用RXJS Observables,当您使用Angular 2时将必须使用它。这是组件之间通信的有效提琴,它使我可以更好地控制观看内容。

JS FIDDLE RXJS观察值

class BoxCtrl {
    constructor(msgService) {
    this.msgService = msgService
    this.msg = ''

    this.subscription = msgService.subscribe((obj) => {
      console.log('Subscribed')
      this.msg = obj
    })
    }

  unsubscribe() {
    console.log('Unsubscribed')
    msgService.usubscribe(this.subscription)
  }
}

var app = angular
  .module('app', ['ngMaterial'])
  .controller('MainCtrl', ($scope, msgService) => {
    $scope.name = "Observer App Example";
    $scope.msg = 'Message';
    $scope.broadcast = function() {
      msgService.broadcast($scope.msg);
    }
  })
  .component("box", {
    bindings: {},
    controller: 'BoxCtrl',
    template: `Listener: </br>
    <strong>{{$ctrl.msg}}</strong></br>
    <md-button ng-click='$ctrl.unsubscribe()' class='md-warn'>Unsubscribe A</md-button>`
  })
  .factory('msgService', ['$http', function($http) {
    var subject$ = new Rx.ReplaySubject();
    return {
      subscribe: function(subscription) {
        return subject$.subscribe(subscription);
      },
      usubscribe: function(subscription) {
        subscription.dispose();
      },
      broadcast: function(msg) {
        console.log('success');
        subject$.onNext(msg);
      }
    }
  }])

2

关于使用的小提示ng-change,建议使用已接受的答案以及角度为1.5的分量。

如果您需要观看一个组件,ng-model并且ng-change不工作,你可以传递参数:

在其中使用组件的标记:

<my-component on-change="$ctrl.doSth()"
              field-value="$ctrl.valueToWatch">
</my-component>

组件js:

angular
  .module('myComponent')
  .component('myComponent', {
    bindings: {
      onChange: '&',
      fieldValue: '='
    }
  });

组件标记:

<select ng-model="$ctrl.fieldValue"
        ng-change="$ctrl.onChange()">
</select>

0

在IE11中可用,MutationObserver https://developer.mozilla.org/en-US/docs/Web/API/MutationObserver。您需要将$ element服务注入到控制器中,该服务可以半破坏DOM /控制器的分离,但是我觉得这是angularjs中的一个基本例外(即缺陷)。由于hide / show是异步的,因此我们需要on-show回调,而angularjs和angular-bootstrap-tab不提供。它还要求您知道您要观察的特定DOM元素。我将以下代码用于angularjs控制器,以触发显示的Highcharts图表重排。

const myObserver = new MutationObserver(function (mutations) {
    const isVisible = $element.is(':visible') // Requires jquery
    if (!_.isEqual(isVisible, $element._prevIsVisible)) { // Lodash
        if (isVisible) {
            $scope.$broadcast('onReflowChart')
        }
        $element._prevIsVisible = isVisible
    }
})
myObserver.observe($element[0], {
    attributes: true,
    attributeFilter: ['class']
})

为了简化向Angular2 +的迁移,请避免使用$scope$rootScope。考虑将RxJS改为用于事件发射器和订阅器。
georgeawg

0

确实是尼斯接受的答案,但我可能会补充说,您还可以使用事件的功能(如果可以的话,有点像Qt信号/插槽中的功能)。

广播一个事件:$rootScope.$broadcast("clickRow", rowId) 由任何父母(甚至是子控制器)广播。然后,您可以在控制器中处理如下事件:

$scope.$on("clickRow", function(event, data){
    // do a refresh of the view with data == rowId
});

您还可以像这样添加一些日志记录(从此处获取:https : //stackoverflow.com/a/34903433/3147071

var withLogEvent = true; // set to false to avoid events logs
app.config(function($provide) {
    if (withLogEvent)
    {
      $provide.decorator("$rootScope", function($delegate) {
        var Scope = $delegate.constructor;
        var origBroadcast = Scope.prototype.$broadcast;
        var origEmit = Scope.prototype.$emit;

        Scope.prototype.$broadcast = function() {
          console.log("$broadcast was called on $scope " + this.$id + " with arguments:",
                     arguments);
          return origBroadcast.apply(this, arguments);
        };
        Scope.prototype.$emit = function() {
          console.log("$emit was called on $scope " + this.$id + " with arguments:",
                     arguments);
          return origEmit.apply(this, arguments);
        };
        return $delegate;
      });
    }
});

2
使用Angular 2+,事件总线将消失(事件总线存在性能问题。)为了使向Angular2 +的迁移更加容易,请避免使用$scope$rootScope。考虑将RxJS改为用于事件发射器和订阅器。
georgeawg

0

我迟到了。但这可以帮助另一个人。

app.component("headerComponent", {
    templateUrl: "templates/header/view.html",
    controller: ["$rootScope", function ($rootScope) {
        let $ctrl = this;
        $rootScope.$watch(() => {
            return $ctrl.val;
        }, function (newVal, oldVal) {
            // do something
        });
    }]
});

您能解释一下为什么行吗?滥用rootscope是个坏主意吗?
mix3d
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.