46

使用 Angular 2 从按钮的 onclick 事件创建 observable 的首选方法是什么?

我不确定在组件代码中从 DOM 中获取本机元素是否被认为是最佳实践(我该怎么做?),或者是否还有其他一些我不知道的快捷方式。

4

5 回答 5

47

不要想太多。

@ViewChild('button') button;
clicks$:Observable<any>;

ngOnInit() {
  this.clicks$ = Observable.fromEvent(this.button.nativeElement, 'click');
}
于 2017-02-15T17:34:13.933 回答
36

您可以使用Angular2 RxJSObservable.fromEvent中解释的方法得到“Observable_1.Observable.fromEvent is not a function”错误

或者只是转发到一个可观察的

private obs = new Subject();
public obs$ = this.obs.asObservable();

@HostListener('click', ['$event']) 
clickHandler(event){
  this.obs.next(event);
}

或者

<button (click)="obs.next($event)">
于 2016-06-12T09:05:44.160 回答
14

@Gunter 的示例对我来说不太适用,因为我的编译器无法识别publ.

这是一个对我有用的例子: modal.component.ts

import { Output, Component } from '@angular/core';
import {Subject} from "rxjs/Subject";

export class MyModal{

    private clickStream = new Subject<Event>();

    @Output() observ = this.clickStream.asObservable();

    buttonClick(event:Event){
        this.clickStream.next(event);
    }
}

内部modal.component.html

<button type="button" class="btn btn-default" (click)="buttonClick($event)">click me</button>
于 2016-08-15T20:54:07.830 回答
6

如果您尝试使用 @ViewChild 并且您的按钮在初始化时在页面上不可见(由于 *ngIf),则分配将为空。

您可以将 setter 与 @ViewChild 结合使用,并在按钮首次出现时运行初始化。

@ViewChild('btnAdd')
set btnAdd(btnAdd: Button) { ... } 

这很快就会变得笨拙和不方便 - 特别是如果您从中创建一个可观察的流。

一种混合方式可能如下:

btnAskAnotherClicks$ = new Subject<Event>();

<button mat-flat-button (click)="btnAskAnotherClicks$.next($event)">Ask another question...</button>

这允许您使用点击流来创建链,但如果按钮最初由于 *ngIf 而被隐藏,则没有问题。

不喜欢next你的模板?我也不是特别喜欢。但我很满意async,它们都是实现细节。好吧,这由您决定-)

于 2018-09-26T20:06:15.233 回答
3

对于那些使用 AngularMaterial 按钮和可管道 RxJS 操作符的人来说,对@JoshuaDavid 的回答进行一些轻微的修改:

模板中的某个按钮用模板变量标记:

<button #btnTemplateName mat-icon-button></button>

组件代码:

import { Observable, fromEvent } from 'rxjs';

// Note importing from lettable/pipeable operators - 'operators' plural
import { tap } from 'rxjs/operators';

import { MatButton } from '@angular/material/button';

//Access the button through the template variable, typed to MatButton
@ViewChild('btnTemplateName') myBtn: MatButton;
myBtnClicks$: Observable<any>;


ngAfterViewInit() {

    // Note the need to access the native element in MatButton through the extended property chain
    this.myBtnClicks$ = 
      Observable.fromEvent(this.myBtn._elementRef.nativeElement, 'click');

    // Can now subscribe (using lettable/pipeable operators)
    this.myBtnClicks$.pipe(
       tap(() => console.log("Button clicked")),
    )
    .subscribe(event => console.log("Event:" + JSON.stringify(event)));
}
于 2018-05-04T11:43:40.310 回答