我了解回调函数但我不了解promise方法和async和await。为什么要在节点js中使用这三个函数。可以给出示例代码的解释。
问问题
1987 次
2 回答
3
打回来
回调是作为参数传递给另一个函数的函数,并在最后执行。像这样:
function(callback){
//you do some tasks here that takes time
callback();
}
回调是一种处理异步代码的方法。例如,您可能需要从节点应用程序中的文件中读取数据,并且此过程需要时间。因此,nodejs 不会在读取时阻塞您的代码,而是执行其他任务,然后在执行回调后返回。
承诺
承诺也像回调方法一样处理异步代码,但以更具可读性的方式。例如,而不是这个:
example(function(){
return example1(function(){
return example2(function(){
return example3(function(){
done()
})
})
})
})
它使它更具可读性,如下所示:
example()
.then(example1)
.then(example2)
.then(example3)
.then(done)
异步功能/等待
async 函数用于编写异步代码,特别是 Promise。在这个函数内部,关键字await用于暂停 promise 的执行,直到它被解决。换句话说,它等待承诺解决,然后恢复异步功能。例如:
async function example(){
var data = await getData() // it waits until the promise is resolved
return data;
}
于 2019-05-08T14:16:11.610 回答
0
回调函数
var fs = require('fs');
fs.readFile(fileName, 'utf8', function read(err, contents) {
console.log(contents);
});
console.log('after calling readFile');
这里的函数 read(err, contents){} 是一个回调函数,在读取文件完成后打印内容。但在某些情况下,问题可能是“在调用 readFile 之后”在读取文件之前显示到控制台。由于 Node Js 以异步模式执行语句。
承诺
var fs = require('fs');
function readMyFile(fileName)
{
return new Promise(function(resolve,reject)
{
fs.readFile(fileName, 'utf8', function read(err, contents) {
if(err)
reject(err)
else
resolve(contents)
});
}
}
var file = readMyFile(fileName).then(result=>{console.log(result);console.log('after calling readFile'); }).catch(err=>{console.log("Error Occurred",err)});
console.log(file);
这里的函数 readMyFile(fileName) 是一个返回 promise 的函数,它打印 then 块中的内容并在 catch 块中显示错误。但这里是console.log(file); 无需等待文件变量 被定义就被执行
异步/等待
var fs = require('fs');
function readMyFile(fileName)
{
return new Promise(function(resolve,reject)
{
fs.readFile(fileName, 'utf8', function read(err, contents) {
if(err)
reject(err)
else
resolve(contents)
});
}
}
async function read()
{
var file = await readMyFile(fileName);
console.log(file);
}
这里 await 保持这一行,直到文件变量得到它的值
- await 仅适用于承诺
- await 只能在异步函数中使用
于 2019-06-05T10:40:18.003 回答