Reputation: 12141
I'm learning RxJs and it's pretty cool. I'm trying to create a page where the Ajax call is interval so the data will be refreshing every 5 seconds. So I thought I would be doing this.
var ajax = new Promise(function(resolve) {
return resolve('test');
});
var source1 = Rx.Observable.interval(5000)
.map(function(i) {
return Rx.Observable.fromPromise(ajax);
});
source1.subscribe(function(res) {
res.subscribe(function(pro) {
console.log(pro);
})
});
However, the fact that I need to do two subscribe
s got me thinking that I might be doing something wrong here. I'm not sure if I'm going the right direction?
What I want is a stream of promises that will be fetched every 5 seconds.
Here's my jsfiddle
https://jsfiddle.net/noppanit/2y179dgg/
Upvotes: 3
Views: 2666
Reputation: 18665
You need to use flatMap
operator. Have a look at the jsbin here.
var ajax = new Promise(function(resolve) {
return resolve('test');
});
var source1 = Rx.Observable.interval(1000)
.flatMap(function(i) {
return Rx.Observable.fromPromise(ajax);
});
source1.subscribe(function(res) {
console.log(res);
});
There are extensive examples of use of flatMap available on SO.
You can also consult:
Upvotes: 9