// RxJS v6+import { interval, merge, of } from'rxjs';import { delay, take, exhaustMap } from'rxjs/operators';constsourceInterval=interval(1000);constdelayedInterval=sourceInterval.pipe(delay(10),take(4));constexhaustSub=merge(// delay 10ms, then start interval emitting 4 values delayedInterval,// emit immediatelyof(true)).pipe(exhaustMap(_ =>sourceInterval.pipe(take(5))))/* * The first emitted value (of(true)) will be mapped * to an interval observable emitting 1 value every * second, completing after 5. * Because the emissions from the delayed interval * fall while this observable is still active they will be ignored. * * Contrast this with concatMap which would queue, * switchMap which would switch to a new inner observable each emission, * and mergeMap which would maintain a new subscription for each emitted value. */// output: 0, 1, 2, 3, 4.subscribe(val =>console.log(val));
// RxJS v6+import { interval } from'rxjs';import { exhaustMap, tap, take } from'rxjs/operators';constfirstInterval=interval(1000).pipe(take(10));constsecondInterval=interval(1000).pipe(take(2));constexhaustSub= firstInterval.pipe(exhaustMap(f => {console.log(`Emission Corrected of first interval: ${f}`);return secondInterval; }) )/* When we subscribed to the first interval, it starts to emit a values (starting 0). This value is mapped to the second interval which then begins to emit (starting 0). While the second interval is active, values from the first interval are ignored. We can see this when firstInterval emits number 3,6, and so on... Output: Emission of first interval: 0 0 1 Emission of first interval: 3 0 1 Emission of first interval: 6 0 1 Emission of first interval: 9 0 1 */.subscribe(s =>console.log(s));