订阅 Observable 永远不会触发

Subscription to an Observable never triggers

我使用 Angular-CLI 1.0.0-beta.18(昨天更新)创建了一个项目。我正在尝试从组件检测服务的变化。

我尝试实现 , this Plunkr and this cookbook 的解决方案,没有骰子。

这是服务:

import { Injectable } from '@angular/core';
import { ReplaySubject } from 'rxjs/ReplaySubject';
import { Article } from './article';

@Injectable()
export class ArticleService {

    // Placeholder for article's
     articles: Article[] = [
         { _id: 1, title: "Article 1", text: "Text for article 1", created: new Date() },
         { _id: 2, title: "Article 2", text: "Text for article 2", created: new Date() }
     ];

    // Observable openArticle source
    private _openArticleSource = new ReplaySubject<Article>(1);
    // Observable openArticle stream
    openArticle$ = this._openArticleSource.asObservable();

    // Simulate GET /articles/:_id
    getArticleById(_id: number): Article {
        let article = this.articles
            .filter(article => article._id === _id)
            .pop();

        console.log("Pushing article to observable : ", article) // This gets logged, along with the article
        this._openArticleSource.next(article); // Should trigger the subscription, but doesn't

        return article;
    }
}

这是听力部分:

import { Component } from '@angular/core';
import { Subscription } from 'rxjs/Subscription';
import { ArticleService } from '../article.service';

@Component({
  selector: 'column-open-article',
  templateUrl: './column-open-article.component.html',
  providers: [ArticleService]
})


export class ColumnOpenArticleComponent {

  openArticle;
  subscription: Subscription;

  constructor(private articleService: ArticleService) {
    this.subscription = articleService
              .openArticle$
              .subscribe(article => {
                console.log("Subscription triggered", article); // Never gets logged
                this.openArticle = article; // Never gets updated
              })
  }


  ngOnDestroy() {
    // prevent memory leak when component is destroyed
    console.log("Unsubscribing")
    this.subscription.unsubscribe();
  }
}

然后我从另一个组件调用 getArticleById(1),我可以在控制台中看到 "Pushing article to observable",因此 observable 已更新但不会触发订阅。

如果我将订阅直接放在服务中,它会毫无问题地触发,我可以在控制台中看到 "Subscription triggered"

但是如果我在组件中放置相同的代码,它就不起作用。

有什么想法吗?

您似乎有多个 ArticleService.

实例

不要在每个组件上提供 ArticleService,因为这样每个组件实例都会获得一个新的 ArticleService 实例。

要么在公共父组件上提供它,以便两者都从注入的父组件中获得相同的实例

@NgModule{ providers: [ArticleService]} 中提供它,然后它将在应用程序根范围内提供,注入 ArticleService 的每个组件和服务都将注入相同的实例。