当我使用Angular HttpClient发出GET请求时,我得到一个可观察到的结果,并在RxJS运算符mergeMap中进行处理。
现在,发生了一次又一次抛出404的错误,我想抓住它。最后,浏览器控制台中不应出现任何错误消息,并且应使用流的下一个值来处理管道。
有可能吗?我没有使用catchError()来管理它。
这是我的代码的简化版本:
...
this.service1.getSomeStuff().pipe(
mergeMap((someStuff) => {
return from(stuff);
}),
mergeMap((stuff) => {
return this.service2.getMoreStuff(stuff.id); // Here I need some error handling, if 404 occurs
}),
mergeMap((things) => {
return from(things).pipe(
mergeMap((thing) => {
if (allLocations.some(x => x.id === metaData.id)) {
return this.service2.getMore(thing.id, thing.type, thing.img_ref);
}
}),
map((thing) => {
...
更新:添加了带有catchError()的方法
我以这种方式尝试过,但是未检测到错误并且下一个mergeMap不起作用(IDE无法识别 thing.id,thing.type,thing.img_ref 之类的参数):
...
this.service1.getSomeStuff().pipe(
mergeMap((someStuff) => {
return from(stuff);
}),
mergeMap((stuff) => {
return this.service2.getMoreStuff(stuff.id).pipe(
catchError(val => of(`Error`))
);
}),
mergeMap((things) => {
return from(things).pipe(
mergeMap((thing) => {
if (allLocations.some(x => x.id === metaData.id)) {
return this.service2.getMore(thing.id, thing.type, thing.img_ref);
}
}),
map((thing) => {
...
答案 0 :(得分:1)
您将需要使用retry
或retryWhen
(名称非常不言自明)-这些操作符将重试失败的订阅(一旦发出错误,则可观察到源订阅。< / p>
要在每次重试时提高id
-您可以将其锁定在范围内,如下所示:
const { throwError, of, timer } = rxjs;
const { tap, retry, switchMap } = rxjs.operators;
console.log('starting...');
getDetails(0)
.subscribe(console.log);
function getDetails(id){
// retries will restart here
return of('').pipe(
switchMap(() => mockHttpGet(id).pipe(
// upon error occurence -- raise the id
tap({ error(err){
id++;
console.log(err);
}})
)),
retry(5) // just limiting the number of retries
// you could go limitless with `retry()`
)
}
function mockHttpGet(id){
return timer(500).pipe(
switchMap(()=>
id >= 3
? of('success: ' + id)
: throwError('failed for ' + id)
)
);
}
<script src="https://unpkg.com/rxjs@6.4.0/bundles/rxjs.umd.min.js"></script>
请注意,最好有条件的retry
仅对404
错误进行重试。这可以通过retryWhen
例如
// pseudocode
retryWhen(errors$ => errors$.pipe(filter(err => err.status === '404')))
选中此article on error handling in rxjs可以使retry
和retryWhen
更加富裕。
希望这会有所帮助
更新:还有其他方法可以实现:
const { throwError, of, timer, EMPTY } = rxjs;
const { switchMap, concatMap, map, catchError, take } = rxjs.operators;
console.log('starting...');
getDetails(0)
.subscribe(console.log);
function getDetails(id){
// make an infinite stream of retries
return timer(0, 0).pipe(
map(x => x + id),
concatMap(newId => mockHttpGet(newId).pipe(
// upon error occurence -- suppress it
catchError(err => {
console.log(err);
// TODO: ensure its 404
// we return EMPTY, to continue
// with the next timer tick
return EMPTY;
})
)),
// we'll be fine with first passed success
take(1)
)
}
function mockHttpGet(id){
return timer(500).pipe(
switchMap(()=>
id >= 3
? of('success: ' + id)
: throwError('failed for ' + id)
)
);
}
<script src="https://unpkg.com/rxjs@6.4.0/bundles/rxjs.umd.min.js"></script>