我正在尝试了解ActionHero async / await的核心概念并且涉及到很多墙。从本质上讲,在一个动作中,为什么会立即返回,而不是500毫秒后呢?
async run (data) {
setTimeout(() => data.response.outcome = 'success',500)
}
澄清编辑:这个问题更多的是关于异步执行流程和承诺实现,而不是关于setTimeout()的文字使用。它并非真正专注于ActionHero,而是AH使用的模式,也是我第一次接触这些概念。提供的答案澄清了一些函数必须包含在一个承诺中,以便它们可以等待,并且有多种方法可以做到这一点。
答案 0 :(得分:0)
因为你没有等到它完成。
基本上你需要等待setTimeout。
async run (data) {
await setTimeout(() => data.response.outcome = 'success',500)
}
但这不起作用,因为setTimeout不是一个承诺
您可以使用一段时间后解决的简单睡眠功能。
async function sleep (time) {
return new Promise(resolve => setTimeout(resolve, time));
}
async function run (data) {
await sleep(500);
data.response.outcome = 'success';
}
就像setTimeout,这是一个回调api可以成为一个承诺,流可以成为promises。请注意,在sleep和readFile示例中,我只使用async关键字来使事情变得清晰
async readFile (file) {
return new Promise((resolve, reject) => {
let data = '';
fs.createReadStream(file)
.on('data', d => data += d.toString())
.on('error', reject)
.on('end', () => resolve(data));
});
}
对于大多数功能,您可以跳过手动promisification并使用util.promisify
const { readFile } = require('fs');
const { promisify } = require('util');
const readFileAsync = promisify(readFile);
关键部分是承诺应在工作完成后解决,您应该使用await
或.then
例如,为了让事情更清楚,第一个例子
async function run (data) {
return sleep(500).then(() => data.response.outcome = 'success';);
}
甚至
function run (data) {
return sleep(500).then(() => data.response.outcome = 'success';);
}
在运行时都是一样的
所以要完成
async function transform (inputFile, targetWidth, targetHeight) {
return new Promise((resolve, reject) => {
let transformer = sharp()
.resize(targetWidth, targetHeight)
.crop(sharp.strategy.entropy)
.on('info', { width, height } => console.log(`Image created with dimensions ${height}x${width}`)
.on('error', reject)
.on('end', resolve);
inputFile.pipe(transformer);
});
}