RXJS 6.0: ОШИБКА в ./node_modules/rxjs-compat/_esm5/add/operator/publishReplay.js - PullRequest
0 голосов
/ 25 сентября 2018

После переноса моего приложения с углового уровня 5 на 6 rxjs вызывал всевозможные проблемы.Я использовал rxjs-compact во время процесса миграции и после его удаления, так как это вызывает большее использование памяти.У меня остались такие ошибки.

ОШИБКА в ./node_modules/rxjs-compat/_esm5/add/operator/publishReplay.js Ошибка сборки модуля: Ошибка: ENOENT: нет такого файла или каталога, откройте '/home/training/Desktop/vishnu/TemplateAppv6/node_modules/rxjs-compat/_esm5/add/operator/publishReplay.js'

Я пытался импортировать publishReplay из операторов rxjs и rxjs.

import {filter, map, catchError, publishReplay} из 'rxjs / operator';

Но проблемы по-прежнему сохраняются, есть ли какие-либо изменения для publishReplay, такие как catchError.

Любая помощь будет оценена.

Вот полный код

import { Injectable } from '@angular/core';
import { HttpClient, HttpHeaders, HttpErrorResponse } from '@angular/common/http';
import { Observable } from 'rxjs';

import { ErrorResponse } from '../core/interfaces/Error';

import { throwError, ReplaySubject } from 'rxjs';
import { filter, map, catchError, publishReplay } from 'rxjs/operators';

import 'rxjs/add/observable/forkJoin';

import { environment } from '../../environments/environment';
import { HomeConstants } from './home-consatant';
import { BaseService } from '../core/base.service';




                // Construct the rail data.
                responses.map((response: RailResponse) => {
                  railsData[response.railId] = response
                    .entries
                    .map((entry: EntriesEntity) => {
                      return {
                        imageSrc: this.getImageUrl(entry, response.railId), // Get rail image according to the rail type.
                        contentTypeLabel: entry.pricingType, // Content Type.
                        description: entry.title, // Rail title.
                        url: '/details/' + entry.programType + '/' +
                          this.utility.encodeProgramName(entry.title) + '/' + entry.id, // Rail url.
                        isPopoverVisible: true,
                        popoverTitle: entry.title,
                        popoverDescription: entry.title
                      };
                    });
                });
                return railsData;
              })
              .publishReplay(1, this.cacheInterval)
              .refCount()
              .take(1)
              .catchError((res: HttpErrorResponse) => throwError(res));
            this.rails.set(railParams[0].railId, this.railResponse);
          }
          return this.rails.get(railParams[0].railId);
        }
      } else {
        return null;
      }
    } else {
      return null;
    }
  }

Ответы [ 2 ]

0 голосов
/ 26 сентября 2018

ОК Наконец-то я обнаружил проблему и решил, надеюсь, она поможет другим, поэтому я выкладываю ее здесь.

Проблема была в расположении подфункции функции pipe.Поскольку новый rxjs поддерживает только конвейерный метод, каждая подфункция, которую мы использовали для отображения функции карты, использует '.'мы должны поставить подфункцию с ','.

.map((entry: EntriesEntity) => {
                      return {
                        imageSrc: this.getImageUrl(entry, response.railId), // Get rail image according to the rail type.
                        contentTypeLabel: entry.pricingType, // Content Type.
                        description: entry.title, // Rail title.
                        url: '/details/' + entry.programType + '/' +
                          this.utility.encodeProgramName(entry.title) + '/' + entry.id, // Rail url.
                        isPopoverVisible: true,
                        popoverTitle: entry.title,
                        popoverDescription: entry.title
                      };
                    });
                });
                return railsData;
              })
              .publishReplay(1, this.cacheInterval)
              .refCount()
              .take(1)
              .catchError((res: HttpErrorResponse) => throwError(res));
            this.rails.set(railParams[0].railId, this.railResponse);
          }

изменить на ..

 .pipe(map((response: GetRailsResponse) => {
        return response;
      }),
      publishReplay(1, this.cacheInterval),
      refCount(),
      take(1),
      catchError((res: HttpErrorResponse)=> { 
        return throwError(res)
        })
      );


      this.rails.set(JSON.stringify(requestBody), this.railsRes);
    }
0 голосов
/ 25 сентября 2018

Angular 6 обновляет версию RxJS до версии с операторами lettable.Вы больше не сможете использовать тот синтаксис, который вы использовали, если не установите пакет совместимости.

Новый синтаксис выглядит примерно так:

import { map } from 'rxjs/operators';
import { Observable, of } from 'rxjs';

let squares: Observable<number> = of(1, 2).pipe(
  map(m => m * m)
);

Пакет совместимости: здесь

Существует также автоматический способ преобразования вашего исходного кода в новый (& IMHO дрянной) синтаксис.

...