Angular 6 - 如何在subscribe()中停止无限轮询

问题描述 投票:0回答:1

所以我想根据列表中的项目数是否大于3来显示一个图标。我正在使用这个我需要订阅的getProjects()函数来获取数据。我在订阅时设置一个布尔值来检查列表中的项目数,然后在我的HTML中,我使用ngIf来显示基于布尔值的图标。我能够正确显示它,但是,我认为我在我的订阅中不断轮询,并一遍又一遍地设置这个布尔值,因为它使我的网页运行速度非常慢。

我已经尝试过take(1)方法,它似乎不会停止订阅,并将其设置为我的组件中的“this.variable”范围。我目前正在使用事件发射器,但这也不起作用。

到目前为止这是我的代码,

我订阅的功能(在不同的组件中):

getProjects(): Observable<ProjectInterfaceWithId[]> {
    const organizationId = localStorage.getItem('organizationId');
    return this.firestoreService.collection('organizations').doc(organizationId)
      .collection('projects').snapshotChanges()
      .pipe(
        map(actions => actions.map(a => {
          const data = a.payload.doc.data() as ProjectInterface;
          const id = a.payload.doc.id;
          return {id, ...data} as ProjectInterfaceWithId;
        })),
        map(list => {
          if (list.length !== 0) {
            this.buildProjectLookup(list);
            this.projects = list;
            return list;
          }
        })
      );
  }

我用来获取数据并设置布尔值的函数:

@Input() toggle: boolean;
@Output() iconStatus = new EventEmitter();

displayIcon() {
    this.projectService.getProjects()
      .pipe(take(1))
      .subscribe(
        list => {
          if(list.length >= 3){
              this.toggle = true;
              this.iconStatus.emit(this.toggle);
          }
        });
  }

HTML:

<i *ngIf="displayIcon()" class="material-icons">list</i>

有没有什么办法可以让我只检查一次列表长度,这样我就不会陷入这个订阅循环中?先感谢您!

html angular event-handling parent-child infinite-loop
1个回答
0
投票

看起来它可能正在发生,因为ngIf指的是displayIcon()方法。

每次在组件中运行更改检测时,都会调用此方法。如果您的组件使用默认更改检测,则通常会这样做。

请参阅https://blog.angular-university.io/how-does-angular-2-change-detection-really-work/了解更多信息

可以解决的一种方法是使ngIf改为引用变量。例如,您可以使用设置projects$ observable

this.projects$ = this.projectService.getProjects()
      .pipe(
         take(1),
         tap(projects => this.iconStatus.emit(projects.length >= 3))
      );

这个可观察量应该可以在你的ngOnInit()方法中实例化。然后在您的模板中,您可以使用

<i *ngIf="(projects$ | async)?.length >= 3" class="material-icons">list</i>

© www.soinside.com 2019 - 2024. All rights reserved.