请实现以下函数,能够批量请求数据,全部的 url 地址在 urls 参数中,同时能够经过 max 参数控制请求的并发数,当全部请求结束以后,须要执行 callback 回调函数,发送请求的函数能够直接使用 fetch 便可javascript
题中有一个关键词“并发”,对于我这种前端小白第一次解答这道题目就掉入陷阱了, 解成了并行,😅前端
说到并发咱们能够先来理解‘串行’,‘并行’,‘并发’这三个概念
复制代码
举个例子来帮助咱们更好的理解:好比一我的洗衣服跟烧菜java
到这里相信你们对上述的三个概念有了一点了解,接下里咱们就来实现上面这道面试题:面试
<script type="text/javascript">
let bodyElement = document.body
let urls = [
'https://ss0.bdstatic.com/70cFuHSh_Q1YnxGkpoWK1HF6hhy/it/u=2580986389,1527418707&fm=27&gp=0.jpg',
'https://ss3.bdstatic.com/70cFv8Sh_Q1YnxGkpoWK1HF6hhy/it/u=1995874357,4132437942&fm=27&gp=0.jpg',
'https://ss0.bdstatic.com/70cFuHSh_Q1YnxGkpoWK1HF6hhy/it/u=2640393967,721831803&fm=27&gp=0.jpg',
'https://ss1.bdstatic.com/70cFvXSh_Q1YnxGkpoWK1HF6hhy/it/u=1548525155,1032715394&fm=27&gp=0.jpg',
'https://ss1.bdstatic.com/70cFvXSh_Q1YnxGkpoWK1HF6hhy/it/u=2434600655,2612296260&fm=27&gp=0.jpg',
'https://ss1.bdstatic.com/70cFuXSh_Q1YnxGkpoWK1HF6hhy/it/u=2160840192,133594931&fm=27&gp=0.jpg'
]
let max = 2
let callback = () => {
console.log('全部请求完成了')
}
class Concurrent {
constructor(urls, max, callback) {
this.urls = urls
this.max = max
this.callback = callback
this.currentIndex = 0
}
addQueue() {
for(let i = 0, len = this.urls.length; i < len; i++) {
if (this.currentIndex < this.max) {
this.request()
break
}
this.currentIndex++
}
}
request() {
let tiemout = Math.random() * 1000
fetch(this.urls[this.currentIndex])
.then(res => res.blob())
.then(res => {
let src = URL.createObjectURL(res)
bodyElement.innerHTML += `<img src=${src} />`
})
.catch(fail => {
})
.finally(() => {
if (++this.currentIndex < this.urls.length) {
// 用延时器是由于反应接口太快 以便于观察
return setTimeout(() => {
this.request()
}, tiemout)
}
this.callback()
})
}
}
function sendRequest(urls, max, callback) {
let concurrent = new Concurrent(urls, max, callback)
concurrent.addQueue()
}
sendRequest(urls, max, callback)
</script>
复制代码
谢谢你们的阅读,有错误之处,敬请指教。bash