我一直在阅读rxjs文档,但在所有运算符中迷失了......
这是我到目前为止所得到的
let obs = Observable.from([1, 3, 5])
所以我需要做的是take()
来自数组的一些设定数量。在post请求中使用结果,当它成功时,我需要重新启动该过程。我想收集所有结果,并在流程进行过程中保持进度(进度条)
我不需要所有这些的代码。我真正需要知道的是如何使用rxjs来分割这个数组..发送它的一部分,并重新启动进程直到没有任何东西可以发送。
最终解决方案
var _this = this
function productsRequest(arr) {
return _this.chainableRequest('post', `reports/${clientId}/${retailerId}/`, loadedProductsReport, {
'identifiers': arr,
'realTime': true
})
}
let arrayCount = Math.ceil(identifiers.length/10)
let obs = Observable.from(identifiers)
.bufferCount(10)
.concatMap(arr => {
arrayCount--
return arrayCount > 0 ? productsRequest(arr) : Observable.empty()
})
let subscriber = obs.subscribe(
value => console.log(value)
)
父中的可链接请求方法
chainableRequest(method: string, endpoint: string, action: Function, data = {}, callback?: Function){
let body = (<any>Object).assign({}, {
headers: this.headers
}, data)
return this._http[method.toLowerCase()](`${this.baseUri}/${endpoint}`, body, body)
.map((res: Response) => res.json())
}
答案 0 :(得分:2)
这在很大程度上取决于你想要实现的目标。
如果你想根据以前的一些Observable递归调用一个Observable而你不知道你要调用它多少次,那就用expand()
运算符。
例如,此演示根据前一个调用(count
属性)的响应递归创建5个请求:
import { Observable } from 'rxjs/Observable';
function mockPostRequest(count) {
return Observable.of(`{"count":${count},"data":"response"}`)
.map(val => JSON.parse(val));
}
Observable.of({count: 0})
.expand(response => {
console.log('Response:', response.count);
return response.count < 5 ? mockPostRequest(response.count + 1) : Observable.empty();
})
.subscribe(undefined, undefined, val => console.log('Completed'));
打印到控制台:
Response: 0
Response: 1
Response: 2
Response: 3
Response: 4
Response: 5
Completed
查看现场演示:http://plnkr.co/edit/lKNdR8oeOuB2mrnR3ahQ?p=preview
或者,如果您只想一个接一个地调用一堆HTTP请求(concatMap()
运算符),或者立即调用所有这些请求并在它们到达时使用它们(mergeMap()
运算符):
Observable.from([
'https://httpbin.org/get?1',
'https://httpbin.org/get?2',
'https://httpbin.org/get?3',
])
.concatMap(url => Observable.of(url))
.subscribe(response => console.log(response));
打印到控制台:
https://httpbin.org/get?1
https://httpbin.org/get?2
https://httpbin.org/get?3