Say I have an Observable
, like so:
var one = someObservable.take(1);
one.subscribe(function(){ /* do something */ });
Then, I have a second Observable
:
var two = someOtherObservable.take(1);
Now, I want to subscribe()
to two
, but I want to make sure that one
has completed before the two
subscriber is fired.
What kind of buffering method can I use on two
to make the second one wait for the first one to be completed?
I suppose I am looking to pause two
until one
is complete.
A couple ways I can think of
import {take, publish} from 'rxjs/operators'
import {concat} from 'rxjs'
//Method one
var one = someObservable.pipe(take(1));
var two = someOtherObservable.pipe(take(1));
concat(one, two).subscribe(function() {/*do something */});
//Method two, if they need to be separate for some reason
var one = someObservable.pipe(take(1));
var two = someOtherObservable.pipe(take(1), publish());
two.subscribe(function(){/*do something */});
one.subscribe(function(){/*do something */}, null, two.connect.bind(two));