3

所以我有这个简单的组件:

import {
  Component,
  ViewEncapsulation,
  OnInit,
} from '@angular/core';

import { HttpClient } from '@angular/common/http';
import { BehaviorSubject } from 'rxjs';

@Component({
  selector: 'custom-element',
  template: '<div>{{ chuckText$ | async }}</div>',
  styleUrls: ['./button.component.css'],
  encapsulation: ViewEncapsulation.Native
})

export class ButtonComponent implements OnInit {

  public chuckText$ = new BehaviorSubject<string>('');

  public constructor(
    private http: HttpClient
  ) {
  this.chuckText$.next('Default Text');
}

  ngOnInit() {
    // nothing too fancy, just for testing purpose
    this.http.get('https://api.chucknorris.io/jokes/random')
      .subscribe((data: any) => {
        console.log(data.value);
        this.chuckText$.next(data.value);
      });
  }
}

在构建我的组件并将其添加到一个简单的 angularJS 应用程序之后,(我需要向旧应用程序添加一个自定义元素)我在控制台中获得了带有默认文本和 http.get 结果的元素,但我的组件还没有更新了,如图。

像这样

我显然错过了一些对我来说并不明显的东西。关于为什么内容不更新的任何想法?提醒一下,此功能已发布但处于实验状态,也许就是这样。

作为参考,这是我的 app.module.ts:

import { BrowserModule } from '@angular/platform-browser';
import { NgModule, Injector } from '@angular/core';
import { createCustomElement } from '@angular/elements';
import { HttpClientModule } from '@angular/common/http';
import { ButtonComponent } from './button/button.component';

@NgModule({
  declarations: [ButtonComponent],
  imports: [BrowserModule, HttpClientModule],
  entryComponents: [ButtonComponent],
})
export class AppModule {

  constructor(private injector: Injector) {
    const customElement = createCustomElement(ButtonComponent, { injector });
    customElements.define('custom-button', customElement);
  }

  ngDoBootstrap() { }
}
4

1 回答 1

8

我的一些客户元素也遇到了同样的问题。不知何故,change detectioncustome 元素中的行为与常规角度应用程序中的行为不同,并且不会相应地更新视图。

解决方案 1

如果您要更新组件的状态,请changeDetection手动调用。

注入ChangeDetectorRef您的组件的构造函数并调用markForCheck()detectChanges()每次您想更新您的视图。

请注意detectChanges()。它将启动 changeDetection 过程,并且当您不明智地使用它时可能会出现性能问题。

文档:ChangeDetectionRef

解决方案 2

注入NgZone组件并调用NgZone.run().

例如:

this.ngZone.run(() => this.chuckText$.next(data.value))

文档:NgZone

于 2018-06-09T04:06:31.343 回答