Using Angular 4.3.1 and HttpClient, I need to modify the request and response by async service into the HttpInterceptor of httpClient,
Example for modifying the request:
export class UseAsyncServiceInterceptor implements HttpInterceptor {
constructor( private asyncService: AsyncService) { }
intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
// input request of applyLogic, output is async elaboration on request
this.asyncService.applyLogic(req).subscribe((modifiedReq) => {
const newReq = req.clone(modifiedReq);
return next.handle(newReq);
});
/* HERE, I have to return the Observable with next.handle but obviously
** I have a problem because I have to return
** newReq and here is not available. */
}
}
Different problem for the response, but I need again to applyLogic in order to update the response. In this case, the angular guide suggests something like this:
return next.handle(req).do(event => {
if (event instanceof HttpResponse) {
// your async elaboration
}
}
But the "do() operator—it adds a side effect to an Observable without affecting the values of the stream".
Solution: the solution about request is shown by bsorrentino (into accepted answer), the solution about response is the follow:
return next.handle(newReq).mergeMap((value: any) => {
return new Observable((observer) => {
if (value instanceof HttpResponse) {
// do async logic
this.asyncService.applyLogic(req).subscribe((modifiedRes) => {
const newRes = req.clone(modifiedRes);
observer.next(newRes);
});
}
});
});
Therefore, how modify request and response with async service into the httpClient interceptor?
Solution: taking advantage of rxjs
I am using an async method in my interceptor like this: