Aurelia - 事件聚合器


当您的事件需要附加到更多侦听器或需要观察应用程序的某些功能并等待数据更新时,应使用事件聚合器。

Aurelia 事件聚合器具有三种方法。发布方法将触发事件并且可供多个订阅使用。为了订阅事件,我们可以使用subscribe方法。最后,我们可以使用dispose方法来分离订阅者。以下示例演示了这一点。

我们的视图将只有三个按钮用于这三个功能。

应用程序.html

<template>
   <button click.delegate = "publish()">PUBLISH</button><br/>
   <button click.delegate = "subscribe()">SUBSCRIBE</button><br/>
   <button click.delegate = "dispose()">DISPOSE</button>
</template>

我们需要导入eventAggregator并注入它,然后才能使用它。

应用程序.js

import {inject} from 'aurelia-framework';
import {EventAggregator} from 'aurelia-event-aggregator';

@inject(EventAggregator)
export class App {
   constructor(eventAggregator) {
      this.eventAggregator = eventAggregator;
   }
   publish() {
      var payload = 'This is some data...';
      this.eventAggregator.publish('myEventName', payload);
   }
   subscribe() {
      this.subscriber = this.eventAggregator.subscribe('myEventName', payload => {
         console.log(payload);
      });
   }
   dispose() {
      this.subscriber.dispose();
      console.log('Disposed!!!');
   }
}

我们需要点击订阅按钮来监听未来将发布的数据。连接订阅者后,每当发送新数据时,控制台都会记录它。如果我们单击“发布”按钮五次,我们将看到每次都会记录它。

Aurelia 事件聚合器示例

我们还可以通过单击“DISPOSE”按钮来分离我们的订阅者。