使用 TypeScript 从 Angular2 中的 http 数据链接 RxJS Observables

Chaining RxJS Observables from http data in Angular2 with TypeScript

在愉快地使用 AngularJS 1.* 过去 4 年之后,我目前正在尝试自学 Angular2 和 TypeScript!我不得不承认我讨厌它,但我确信我的灵光一现的时刻即将到来......无论如何,我已经在我的虚拟应用程序中编写了一个服务,它将从我写的服务 [=29 的虚假后端获取 http 数据=].

import {Injectable} from 'angular2/core';
import {Http, Headers, Response} from 'angular2/http';
import {Observable} from 'rxjs';

@Injectable()
export class UserData {

    constructor(public http: Http) {
    }

    getUserStatus(): any {
        var headers = new Headers();
        headers.append('Content-Type', 'application/json');
        return this.http.get('/restservice/userstatus', {headers: headers})
            .map((data: any) => data.json())
            .catch(this.handleError);
    }

    getUserInfo(): any {
        var headers = new Headers();
        headers.append('Content-Type', 'application/json');
        return this.http.get('/restservice/profile/info', {headers: headers})
            .map((data: any) => data.json())
            .catch(this.handleError);
    }

    getUserPhotos(myId): any {
        var headers = new Headers();
        headers.append('Content-Type', 'application/json');
        return this.http.get(`restservice/profile/pictures/overview/${ myId }`, {headers: headers})
            .map((data: any) => data.json())
            .catch(this.handleError);
    }

    private handleError(error: Response) {
        // just logging to the console for now...
        console.error(error);
        return Observable.throw(error.json().error || 'Server error');
    }   
}

现在在一个组件中,我希望 运行(或链接)getUserInfo()getUserPhotos(myId) 方法。在 AngularJS 这很容易,因为在我的控制器中我会做这样的事情来避免 "Pyramid of doom"...

// Good old AngularJS 1.*
UserData.getUserInfo().then(function(resp) {
    return UserData.getUserPhotos(resp.UserId);
}).then(function (resp) {
    // do more stuff...
}); 

现在我已经尝试在我的组件中做类似的事情(将 .then 替换为 .subscribe)但是我的错误控制台变得疯狂!

@Component({
    selector: 'profile',
    template: require('app/components/profile/profile.html'),
    providers: [],
    directives: [],
    pipes: []
})
export class Profile implements OnInit {

    userPhotos: any;
    userInfo: any;

    // UserData is my service
    constructor(private userData: UserData) {
    }

    ngOnInit() {

        // I need to pass my own ID here...
        this.userData.getUserPhotos('123456') // ToDo: Get this from parent or UserData Service
            .subscribe(
            (data) => {
                this.userPhotos = data;
            }
        ).getUserInfo().subscribe(
            (data) => {
                this.userInfo = data;
            });
    }

}

我显然做错了什么……我如何最好地使用 Observables 和 RxJS?对不起,如果我问的是愚蠢的问题......但提前感谢您的帮助!在声明我的 http headers...

时,我还注意到函数中的重复代码

对于您的用例,我认为 flatMap 运算符是您所需要的:

this.userData.getUserPhotos('123456').flatMap(data => {
  this.userPhotos = data;
  return this.userData.getUserInfo();
}).subscribe(data => {
  this.userInfo = data;
});

这样,您将在收到第一个请求后执行第二个请求。当您想使用上一个请求(上一个事件)的结果来执行另一个请求时,flatMap 运算符特别有用。不要忘记导入运算符以便能够使用它:

import 'rxjs/add/operator/flatMap';

此答案可以为您提供更多详细信息:

如果你只想使用 subscribe 方法,你可以使用类似的东西:

this.userData.getUserPhotos('123456')
    .subscribe(
      (data) => {
        this.userPhotos = data;

        this.userData.getUserInfo().subscribe(
          (data) => {
            this.userInfo = data;
          });
      });

最后,如果你想并行执行两个请求并在所有结果完成时得到通知,你应该考虑使用Observable.forkJoin(你需要添加import 'rxjs/add/observable/forkJoin'):

Observable.forkJoin([
  this.userData.getUserPhotos(),
  this.userData.getUserInfo()]).subscribe(t=> {
    var firstResult = t[0];
    var secondResult = t[1];
});

您真正需要的是 switchMap 运算符。它获取初始数据流(用户信息)并在完成后将其替换为可观察的图像。

我是这样理解你的流程的:

  • 获取用户信息
  • 从该信息中获取用户 ID
  • 使用用户ID获取用户照片

Here is a demo。注意:我模拟了该服务,但代码将适用于真实服务。

  ngOnInit() {
    this.getPhotos().subscribe();
  }

  getUserInfo() {
    return this.userData.getUserInfo().pipe(
      tap(data => {
        this.userInfo = data;
      }))
  }
  getPhotos() {
    return this.getUserInfo().pipe(
      switchMap(data => {
        return this.userData.getUserPhotos(data.UserId).pipe(
          tap(data => {
            this.userPhotos = data;
          })
        );
      })
    );
  }