web-dev-qa-db-ja.com

angular2 rxjs observable forkjoin

要求の1つが失敗した場合でも、forkjoin http.get要求を続行することは可能ですか?.

Angle2で設定された$ q.allSettledの同様の関数を探しています。

例を参照してください: http://jsfiddle.net/Zenuka/pHEf9/

angular.module('qAllSettled', []).config(function($provide) {
  $provide.decorator('$q', function($delegate) {
    var $q = $delegate;
    $q.allSettled = function(promises) {
      return $q.all(promises.map(function(promise) {
        return promise.then(function(value) {
          return { state: 'fulfilled', value: value };
        }, function(reason) {
          return { state: 'rejected', reason: reason };
        });
      }));
    };
    return $q;
  });
});

カブ

17
kabus

このような場合、エラーをインターセプトし、別のオブザーバブルを返すために、オブザーバブルごとにcatch演算子を活用できます。

サンプルを次に示します。

return Observable.forkJoin(
  this.http.get('/some-url')
         .map((res:Response) => res.json())
         .catch(res:Response => Observable.of({}),
  this.http.get('/some-other-url')
         .map((res:Response) => res.json())
         .catch(res:Response => Observable.of({}),
);
31

Observable.forkJoin()を使用して、複数の同時http.get()要求を実行します。単一の要求が失敗すると、操作全体がエラー状態になります。

 getBooksAndMovies() {
    return Observable.forkJoin(
      this.http.get('/app/books.json').map((res:Response) => res.json()),
      this.http.get('/app/movies.json').map((res:Response) => res.json())
    );

ただし、追加のGETリクエストをエラーハンドラーに入れることもできます。

getBooksAndMovies() {
    Observable.forkJoin(
        this.http.get('/app/books.json').map((res:Response) => res.json()),
        this.http.get('/app/movies.json').map((res:Response) => res.json())
    ).subscribe(
      data => {
        this.books = data[0]
        this.movies = data[1]
      },
      err => console.error(err)
    );
3