我希望下面的代码在控制台上打印一个数字,然后等一下再打印另一个数字。相反,它立即打印所有10个数字,然后等待十秒钟。创建一个行为如上所述的承诺链的正确方法是什么?
function getProm(v) {
return new Promise(resolve => {
console.log(v);
resolve();
})
}
function Wait() {
return new Promise(r => setTimeout(r, 1000))
}
function createChain() {
let a = [1, 2, 3, 4, 5, 6, 7, 8, 9, 0];
let chain = Promise.resolve();
for (let i of a) {
chain.then(()=>getProm(i))
.then(Wait)
}
return chain;
}
createChain();
答案 0 :(得分:23)
您必须将.then
的返回值分配回chain
:
chain = chain.then(()=>getProm(i))
.then(Wait)
现在你基本上会做
chain
.then(()=>getProm(1))
.then(Wait)
.then(()=>getProm(2))
.then(Wait)
.then(()=>getProm(3))
.then(Wait)
// ...
而不是
chain
.then(()=>getProm(1))
.then(Wait)
chain
.then(()=>getProm(2))
.then(Wait)
chain
.then(()=>getProm(3))
.then(Wait)
// ...
你可以看到第一个实际上是一个链,而第二个是并行的。
答案 1 :(得分:0)
现在我们有了await
/ async
,一种更好的方法是:
function getProm(v) {
return new Promise(resolve => {
console.log(v);
resolve();
})
}
function Wait() {
return new Promise(r => setTimeout(r, 1000))
}
async function createChain() {
let a = [1, 2, 3, 4, 5, 6, 7, 8, 9, 0];
for (let i of a) {
await getProm(i);
await Wait();
}
}
createChain();