flatMap, mergeMap, switchMap and concatMap in rxjs?

后端 未结 6 463

Someone, please explain the difference between SwitchMap and FlatMap in terms of Javascript ( in angular perspective, rxjs 5)

In my understanding.

S

相关标签:
6条回答
  • 2020-12-02 06:02

    This is at the beginning a bit long to grasp, at least for me.

    Anyways, consider this:

    flatMap IS ANOTHER NAME FOR mergeMap - mergeMap method accepts an optional parameter concurrency, which defines how many Observables can be subscribed at the same time

    concatMap equals mergeMap with concurrency set to 1

    with mergeMap you do not lose any event emitted by the Observables you are merging as you suggested in your answer

    switchMap works as you have described (see this nice article for more details https://blog.angular-university.io/rxjs-switchmap-operator/)

    0 讨论(0)
  • 2020-12-02 06:04

    I made a little demo/example for using the requested operators a while ago.

    https://stackblitz.com/edit/rxjs-map-operators

    You can choose between an interval or click for emiting outer observable values. For the inner observable you can choose whether to emit an interval (3 items) or a http request.

    It will print the results below the selection.

    0 讨论(0)
  • 2020-12-02 06:07

    Here is one more way of thinking about the difference between the different types of maps. This helped me get my head around it. I hope it might help others.

    Consider the following sources:

    • A source producing lower case letters from the alphabet: a,b,c & d
    • 4 separate "word" sources, each one producing 3 words starting with a particular letter from the alphabet - a,b,c or d - then completing

    To illustrate the difference between different kinds of maps, we will link items from the alphabet source to their "word" sources corresponding to that letter of the alphabet, using each different map to see the different outcomes.

    Map

    This is unlike the other maps because it does not introduce another source of observable. It just transforms an incoming value to another value.

    So output from the lower case source, going through a Map which transforms input to upper case, would just be:

    Input: a,b,c,d
    
    Output: A, B, C, D
    

    Switch Map

    This transforms each input into another source, switching output to come from that new source (ie subscribing to that new source). When another alpha input arrives, the "word" source changes (we unsubscribe from the previous "word" source).

    Input: a,b,c,d
    
    Output: animal, aardvark, bull, baker, beach, cow, dog, day, dinner
    

    Concat Map

    Like switchMap except that Concat waits until each source completes before moving on to the next.

    Input: a,b,c,d
    
    Output: animal, aardvark, axe, bull, baker, beach, cow, car, cat, dog, day, dinner
    

    Exhaust Map

    Like Concat Map except that it will ignore any inputs that come in while it is still completing the last source. The example below assumes that the alpha inputs "b" and "d" both came in while the previous mapped source was still completing, so they were ignored.

    Input: a,b,c,d
    
    Output: animal, aardvark, axe, cow, car, cat
    

    Merge Map (aka Flat Map)

    Like concatMap in that each source runs to completion, but a new source can start up while other sources are still going - so the sequences overlap.

    Input: a,b,c,d
    
    Output: animal, aardvark, bull, axe, baker, cow, car, beach, dog, day, cat, dinner
    
    0 讨论(0)
  • 2020-12-02 06:14

    Taking this from a previous answer:

    • flatMap/mergeMap - creates an Observable immediately for any source item, all previous Observables are kept alive
    • concatMap - waits for the previous Observable to complete before creating the next one
    • switchMap - for any source item, completes the previous Observable and immediately creates the next one
    • exhaustMap - source items are ignored while the previous Observable is not completed

    Here is an example of how each of the operators behaves when the source is immediate items (0,1,2,3,4) and the map function creates an Observable that delays each item by 500ms:

    const { mergeMap, flatMap, concatMap, switchMap, exhaustMap } = Rx.operators;
    
    const example = operator => () =>
      Rx.Observable.from([0,1,2,3,4])
      .pipe(
        operator(x => Rx.Observable.of(x).delay(500))
      )
      .subscribe(console.log, () => {}, () => console.log(`${operator.name} completed`));
    
    const mm = example(mergeMap);
    const fm = example(flatMap);
    const cm = example(concatMap);    
    const sm = example(switchMap);
    const em = example(exhaustMap);
    .examples > div {
      cursor: pointer;
      background-color: #4CAF50;
      color: white;
      padding: 7px 16px;
      display: inline-block;
    }
    <script src="https://cdnjs.cloudflare.com/ajax/libs/rxjs/5.5.8/Rx.js"></script>
    
    <div class='examples'>
      <div onClick='mm()'>mergeMap </div>
      <div onClick='fm()'>flatMap</div>
      <div onClick='cm()'>concatMap</div>
      <div onClick='sm()'>switchMap</div>
      <div onClick='em()'>exhaustMap</div>
    </div>

    0 讨论(0)
  • 2020-12-02 06:20

    In the marble diagram below a source stream that emits at 5ms, 10ms, 20ms will be *Mapped to a timer(0, 3), limited to 3 emissions:

    Play with this marble diagram here: "mergeMap vs exhaustMap vs switchMap vs concatMap"

    Already having all these awesome answers, I wanted to add a more visual explanation

    Hope it helps someone

    0 讨论(0)
  • 2020-12-02 06:25

    @ZahiC, cool answer - I like the use of functional composition in the code sample. If I may, like to borrow it to illustrate a couple of extra points using timed observables.

    Outer, inner, and control

    These operators are all transformation operators like map(), the common feature is they have an outer and inner observable. The key difference is the way the outer observable controls the inner observable.

    To contrast them, my code sample runs them in pairs, outputting values in the form [outerValue,innerValue]. I have added intervals to the test, and changed the inner delay so that there's some overlap in timing (formula used is delay((5-x)*200)).


    mergeMap vs concatMap

    These both output all values, the difference is the ordering.

    mergeMap - Order by inner observable
    [0,0],[1,0],[0,1],[2,0],[1,1],[3,0],[2,1],[4,0],[3,1],[4,1]

    concatMap - Order by outer observable
    [0,0],[0,1],[1,0],[1,1],[2,0],[2,1],[3,0],[3,1],[4,0],[4,1]

    From the output, mergeMap outer emit can be delayed in the sequence, but concatMap follows strict outer emit sequence.


    switchMap vs exhaustMap

    These both throttle the output.

    switchMap - Throttle by last
    [3,0],[4,0],[4,1]

    exhaustMap - Throttle by first
    [0,0],[0,1],[4,0],[4,1]

    From the output, switchMap throttles any incomplete inner emits, but exhaustMap throttles following emits until the earlier ones complete.


    mergeMap vs switchMap

    I threw this in because switchmap is often used in SO answers where really mergeMap should be used.

    mergeMap - Order by inner observable
    [0,0],[1,0],[0,1],[2,0],[1,1],[3,0],[2,1],[4,0],[3,1],[4,1]

    switchMap - Throttle by last
    [3,0],[4,0],[4,1]

    The main takeaway is that the switchMap output is unpredictable depending on the timing of the inner observable, e.g if the inner is an http get the results can depend on connection speed.


    console.clear()
    const { mergeMap, flatMap, concatMap, switchMap, exhaustMap, delay, map, take, toArray } = Rx.operators;
    
    const note = {
      mergeMap:  'Order by inner observable', 
      concatMap: 'Order by outer observable', 
      switchMap: 'Throttle by last', 
      exhaustMap: 'Throttle by first', 
    }
    const title = (operator) => {
      const opName = operator.name.replace('$1','')
      return `${opName} - ${note[opName]}`
    }
    const display = (x) => {
      return map(y => `[${x},${y}]`)
    }
    const inner = (x) => Rx.Observable.timer(0,500)
    .pipe(
      delay((5-x)*200),
      display(x),
      take(2)
    )
    
    const example = operator => () => {
      Rx.Observable.interval(500).take(5)
      .pipe(
        operator(x => inner(x)),
        toArray(),
        map(vals => vals.join(','))
      )
      .subscribe(x => {
        console.log(title(operator))
        console.log(x)
      });
    };
    
    const run = (fn1, fn2) => {
      console.clear()
      fn1()
      fn2()
    }
    const mmVcm = () => run(example(mergeMap), example(concatMap));
    const smVem = () => run(example(switchMap), example(exhaustMap));
    const mmVsm = () => run(example(mergeMap), example(switchMap));
    .examples > div {
      cursor: pointer;
      background-color: #4CAF50;
      color: white;
      padding: 7px 16px;
      display: inline-block;
    }
    <script src="https://cdnjs.cloudflare.com/ajax/libs/rxjs/5.5.8/Rx.js"></script>
    
    <div class='examples'>
      <div onClick='mmVcm()'>mergeMap vs concatMap </div>
      <div onClick='smVem()'>switchMap vs exhaustMap</div>
      <div onClick='mmVsm()'>mergeMap vs switchMap </div>
    </div>

    0 讨论(0)
提交回复
热议问题