节点在异步函数完成之前退出
Node exits before async function completes
我有一个 returns 承诺的函数,我正试图从异步函数中等待它。问题是程序立即完成,而不是等待承诺。
异步-test.js:
function doItSlow() {
const deferred = new Promise();
setTimeout( () => {
console.log( "resolving" );
deferred.resolve();
}, 1000 );
return deferred;
}
async function waitForIt( done ) {
console.log( "awaiting" );
await doItSlow();
console.log( "awaited" );
done();
}
waitForIt(() => {
console.log( "completed test" );
});
console.log( "passed by the test" );
构建和运行:
babel --stage 0 --optional runtime async-test.js > at.js && node at.js`
结果:
awaiting
passed by the test
立即解决而不是等待一秒钟没有效果:
function doItSlow() {
const deferred = new Promise();
console.log( "resolving" );
deferred.resolve();
return deferred;
}
有趣的是,"resolving" 从未被打印出来,即使它现在是同步的:
awaiting
passed by the test
我怀疑是编译器问题,但我检查了 Babel 的输出,果然,它确实编译了同步版本。
我以为我可以等待异步函数中的承诺。我在这里遗漏了什么吗?
您没有正确使用 Promise
(假设它符合标准)。它没有 resolve
方法。您应该改为传递一个函数:
function doItSlow() {
return new Promise(resolve => {
setTimeout( () => {
console.log( "resolving" );
resolve();
}, 1000 );
});
}
我有一个 returns 承诺的函数,我正试图从异步函数中等待它。问题是程序立即完成,而不是等待承诺。
异步-test.js:
function doItSlow() {
const deferred = new Promise();
setTimeout( () => {
console.log( "resolving" );
deferred.resolve();
}, 1000 );
return deferred;
}
async function waitForIt( done ) {
console.log( "awaiting" );
await doItSlow();
console.log( "awaited" );
done();
}
waitForIt(() => {
console.log( "completed test" );
});
console.log( "passed by the test" );
构建和运行:
babel --stage 0 --optional runtime async-test.js > at.js && node at.js`
结果:
awaiting
passed by the test
立即解决而不是等待一秒钟没有效果:
function doItSlow() {
const deferred = new Promise();
console.log( "resolving" );
deferred.resolve();
return deferred;
}
有趣的是,"resolving" 从未被打印出来,即使它现在是同步的:
awaiting
passed by the test
我怀疑是编译器问题,但我检查了 Babel 的输出,果然,它确实编译了同步版本。
我以为我可以等待异步函数中的承诺。我在这里遗漏了什么吗?
您没有正确使用 Promise
(假设它符合标准)。它没有 resolve
方法。您应该改为传递一个函数:
function doItSlow() {
return new Promise(resolve => {
setTimeout( () => {
console.log( "resolving" );
resolve();
}, 1000 );
});
}