当前位置:  开发笔记 > 编程语言 > 正文

Angular中的全球事件

如何解决《Angular中的全球事件》经验,为你挑选了5个好方法。

有没有相当于$scope.emit()$scope.broadcast()在角?

我知道EventEmitter功能,但据我所知,它只会向父HTML元素发出一个事件.

如果我需要在fx之间进行通信怎么办?兄弟姐妹或DOM根目录中的一个组件和一个嵌套了几层深层的元素?



1> pixelbits..:

没有等同于$scope.emit()$scope.broadcast()来自AngularJS.组件内部的EventEmitter接近,但正如您所提到的,它只会向直接父组件发出一个事件.

在Angular中,还有其他替代方案,我将在下面解释.

@Input()绑定允许应用程序模型在有向对象图(根到叶)中连接.组件的更改检测器策略的默认行为是将所有更改传播到应用程序模型,以用于来自任何连接组件的所有绑定.

旁白:有两种类型的模型:视图模型和应用程序模型.应用程序模型通过@Input()绑定连接.视图模型只是一个组件属性(未使用@Input()修饰),它绑定在组件的模板中.

回答你的问题:

如果我需要在兄弟组件之间进行通信怎么办?

    共享应用程序模型:兄弟姐妹可以通过共享应用程序模型进行通信(就像角度1一样).例如,当一个兄弟对模型进行更改时,另一个绑定到同一模型的兄弟会自动更新.

    组件事件:子组件可以使用@Output()绑定向父组件发出事件.父组件可以处理事件,并操纵应用程序模型或它自己的视图模型.对应用程序模型的更改会自动传播到直接或间接绑定到同一模型的所有组件.

    服务事件:组件可以订阅服务事件.例如,两个兄弟组件可以订阅相同的服务事件,并通过修改其各自的模型进行响应.更多关于此的信息.

如何在Root组件和嵌套多个级别的组件之间进行通信?

    共享应用程序模型:应用程序模型可以通过@Input()绑定从Root组件传递到深层嵌套的子组件.从任何组件对模型的更改将自动传播到共享同一模型的所有组件.

    服务事件:您还可以将EventEmitter移动到共享服务,该服务允许任何组件注入服务并订阅事件.这样,Root组件可以调用服务方法(通常是改变模型),然后发出一个事件.几个层,一个也注入了服务并订阅同一事件的grand-child组件可以处理它.任何更改共享应用程序模型的事件处理程序都将自动传播到依赖于它的所有组件.这可能是$scope.broadcast()与Angular 1 最接近的等价物.下一节将更详细地描述这个想法.

使用服务事件传播更改的可观察服务的示例

以下是使用服务事件传播更改的可观察服务的示例.添加TodoItem时,服务会发出通知其组件订阅者的事件.

export class TodoItem {
    constructor(public name: string, public done: boolean) {
    }
}
export class TodoService {
    public itemAdded$: EventEmitter;
    private todoList: TodoItem[] = [];

    constructor() {
        this.itemAdded$ = new EventEmitter();
    }

    public list(): TodoItem[] {
        return this.todoList;
    }

    public add(item: TodoItem): void {
        this.todoList.push(item);
        this.itemAdded$.emit(item);
    }
}

以下是根组件订阅事件的方式:

export class RootComponent {
    private addedItem: TodoItem;
    constructor(todoService: TodoService) {
        todoService.itemAdded$.subscribe(item => this.onItemAdded(item));
    }

    private onItemAdded(item: TodoItem): void {
        // do something with added item
        this.addedItem = item;
    }
}

嵌套了几个级别的子组件将以相同的方式订阅该事件:

export class GrandChildComponent {
    private addedItem: TodoItem;
    constructor(todoService: TodoService) {
        todoService.itemAdded$.subscribe(item => this.onItemAdded(item));
    }

    private onItemAdded(item: TodoItem): void {
        // do something with added item
        this.addedItem = item;
    }
}

以下是调用服务以触发事件的组件(它可以驻留在组件树中的任何位置):

@Component({
    selector: 'todo-list',
    template: `
         
  • {{ item.name }}

Add Item ` }) export class TriggeringComponent{ private model: TodoItem[]; constructor(private todoService: TodoService) { this.model = todoService.list(); } add(value: string) { this.todoService.add(new TodoItem(value, false)); } }

参考:角度变化检测


我已经看到了几个帖子中的尾随$现在是一个observable或EventEmitter - 例如,`itemAdded $`.这是一个RxJS约定还是什么?这是从哪里来的?
您可能希望更新您的答案,以便在服务中使用Observable而不是EventEmitter.请参阅http://stackoverflow.com/a/35568924/215945和http://stackoverflow.com/questions/36076700
你不应该手动订阅eventemitter.它可能不是最终版本中的一个可观察者!见:http://www.bennadel.com/blog/3038-eventemitter-is-an-rxjs-observable-stream-in-angular-2-beta-6.htm#comments_47949
是的,后缀$是Cycle.js流行的RxJS约定。http://cycle.js.org/basic-examples.html#what-does-the-suffixed-dollar-sign-mean

2> jim.taylor.1..:

以下代码作为使用共享服务处理事件的Angular 2中$ scope.emit()$ scope.broadcast()的替换示例.

import {Injectable} from 'angular2/core';
import * as Rx from 'rxjs/Rx';

@Injectable()
export class EventsService {
    constructor() {
        this.listeners = {};
        this.eventsSubject = new Rx.Subject();

        this.events = Rx.Observable.from(this.eventsSubject);

        this.events.subscribe(
            ({name, args}) => {
                if (this.listeners[name]) {
                    for (let listener of this.listeners[name]) {
                        listener(...args);
                    }
                }
            });
    }

    on(name, listener) {
        if (!this.listeners[name]) {
            this.listeners[name] = [];
        }

        this.listeners[name].push(listener);
    }

    off(name, listener) {
        this.listeners[name] = this.listeners[name].filter(x => x != listener);
    }

    broadcast(name, ...args) {
        this.eventsSubject.next({
            name,
            args
        });
    }
}

用法示例:

广播:

function handleHttpError(error) {
    this.eventsService.broadcast('http-error', error);
    return ( Rx.Observable.throw(error) );
}

监听器:

import {Inject, Injectable} from "angular2/core";
import {EventsService}      from './events.service';

@Injectable()
export class HttpErrorHandler {
    constructor(eventsService) {
        this.eventsService = eventsService;
    }

    static get parameters() {
        return [new Inject(EventsService)];
    }

    init() {
        this.eventsService.on('http-error', function(error) {
            console.group("HttpErrorHandler");
            console.log(error.status, "status code detected.");
            console.dir(error);
            console.groupEnd();
        });
    }
}

它可以支持多个参数:

this.eventsService.broadcast('something', "Am I a?", "Should be b", "C?");

this.eventsService.on('something', function (a, b, c) {
   console.log(a, b, c);
});


真棒,使用它但是如果感兴趣的话还添加了off函数:`off(name,listener){this.listeners [name] = this.listeners [name] .filter(x => x!= listener); }`

3> t.888..:

我正在使用包装rxjs的消息服务Subject(TypeScript)

Plunker示例:消息服务

import { Injectable } from '@angular/core';
import { Subject } from 'rxjs/Subject';
import { Subscription } from 'rxjs/Subscription';
import 'rxjs/add/operator/filter'
import 'rxjs/add/operator/map'

interface Message {
  type: string;
  payload: any;
}

type MessageCallback = (payload: any) => void;

@Injectable()
export class MessageService {
  private handler = new Subject();

  broadcast(type: string, payload: any) {
    this.handler.next({ type, payload });
  }

  subscribe(type: string, callback: MessageCallback): Subscription {
    return this.handler
      .filter(message => message.type === type)
      .map(message => message.payload)
      .subscribe(callback);
  }
}

组件可以订阅和广播事件(发件人):

import { Component, OnDestroy } from '@angular/core'
import { MessageService } from './message.service'
import { Subscription } from 'rxjs/Subscription'

@Component({
  selector: 'sender',
  template: ...
})
export class SenderComponent implements OnDestroy {
  private subscription: Subscription;
  private messages = [];
  private messageNum = 0;
  private name = 'sender'

  constructor(private messageService: MessageService) {
    this.subscription = messageService.subscribe(this.name, (payload) => {
      this.messages.push(payload);
    });
  }

  send() {
    let payload = {
      text: `Message ${++this.messageNum}`,
      respondEvent: this.name
    }
    this.messageService.broadcast('receiver', payload);
  }

  clear() {
    this.messages = [];
  }

  ngOnDestroy() {
    this.subscription.unsubscribe();
  }
}

(接收器)

import { Component, OnDestroy } from '@angular/core'
import { MessageService } from './message.service'
import { Subscription } from 'rxjs/Subscription'

@Component({
  selector: 'receiver',
  template: ...
})
export class ReceiverComponent implements OnDestroy {
  private subscription: Subscription;
  private messages = [];

  constructor(private messageService: MessageService) {
    this.subscription = messageService.subscribe('receiver', (payload) => {
      this.messages.push(payload);
    });
  }

  send(message: {text: string, respondEvent: string}) {
    this.messageService.broadcast(message.respondEvent, message.text);
  }

  clear() {
    this.messages = [];
  }

  ngOnDestroy() {
    this.subscription.unsubscribe();
  }
}

返回一个rxjs 对象的subscribe方法,可以取消订阅,如下所示:MessageServiceSubscription

import { Subscription } from 'rxjs/Subscription';
...
export class SomeListener {
  subscription: Subscription;

  constructor(private messageService: MessageService) {
    this.subscription = messageService.subscribe('someMessage', (payload) => {
      console.log(payload);
      this.subscription.unsubscribe();
    });
  }
}

另请参阅此答案:https://stackoverflow.com/a/36782616/1861779

Plunker示例:消息服务


非常有价值.谢谢你的回答.我发现你不能用这种方式与两个*不同模块中的两个组件进行通信.为了实现这个目标,我必须通过在那里添加提供程序来在app.module级别注册MessageService.无论如何,这是一种非常酷的方式.

4> Danial Kalba..:

请勿使用 EventEmitter进行服务通信.

您应该使用Observable类型之一.我个人喜欢BehaviorSubject.

简单的例子:

你可以传递初始状态,这里我传递null

let subject = new BehaviorSubject(null);

当您想要更新主题时

subject.next(myObject的)

观察任何服务或组件,并在获得新的更新时采取行动.

subject.subscribe(this.YOURMETHOD);

这是更多信息..



5> Günter Zöchb..:

您可以使用EventEmitter或 observables创建您在DI中注册的eventbus服务.每个想要参与的组件只是将服务作为构造函数参数请求并发出和/或订阅事件.

也可以看看

https://angular.io/docs/ts/latest/cookbook/component-communication.html#!#bidirectional-service

委托:Angular2中的EventEmitter或Observable

推荐阅读
mobiledu2402851377
这个屌丝很懒,什么也没留下!
DevBox开发工具箱 | 专业的在线开发工具网站    京公网安备 11010802040832号  |  京ICP备19059560号-6
Copyright © 1998 - 2020 DevBox.CN. All Rights Reserved devBox.cn 开发工具箱 版权所有