Promise 有三种状态,进行中(pending),已成功(fulfilled),已失败(rejected);
一旦状态改变,就不会再变,任何时候都可以得到这个结果。Promise
对象的状态改变,只有两种可能:从pending
变为fulfilled
和从pending
变为rejected
。只要这两种情况发生,状态就凝固了,不会再变了,会一直保持这个结果,这时就称为 resolved(已定型)。如果改变已经发生了,你再对Promise
对象添加回调函数,也会立即得到这个结果。这与事件(Event)完全不同,事件的特点是,如果你错过了它,再去监听,是得不到结果的。
Promise 对象的错误具有“冒泡”性质,会一直向后传递,直到被捕获为止。也就是说,错误总是会被下一个catch
语句捕获。
所以可以先实例化一个Promise对象,然后在使用 then 方法为Promise对象添加成功或错误的回调函数,但一般只会添加成功的回调函数。然后用catch捕获错误执行错误的回调函数
const fs = require("fs");
const path = require("path"); function readFile (url){
return new Promise((resolv,reject) => {
fs.readFile(path.join(__dirname,url),"utf8",(err,data) => {
if(err) return reject(err);
resolv(data);
})
})
} readFile("1.txt").then((data) => {
console.log(data+"\n第1个文件");
return readFile("2.txt");
}).then((data) => {
console.log(data+"\n第2个文件");
return readFile("3.txt");
}).then( data => {
console.log(data+"\n第3个文件");
}).catch( err => {
console.log(err.message);
})
使用递归实现
const fs = require("fs");
const path = require("path");
(function () {
let that = null;
function ReadFile(arr) {
this.i = 0;
this.len = arr.length;
this.arr = arr;
that = this;
} function readFileArrThen(data) {
console.log(`读取第${that.i}个文件:${data}`);
that.i++;
if (that.i < that.len) {
that.readStart();
}
} function readFileArrCath(err) {
console.log(err.message);
that.i++;
if (that.i < that.len) {
that.readStart();
}
} ReadFile.prototype.readFileArr = function() {
return new Promise((resolve, reject) => {
fs.readFile(path.join(__dirname, that.arr[that.i]), "utf8", (err, data) => {
if (err) return reject(err);
resolve(data);
})
})
} ReadFile.prototype.readStart = function () {
that.readFileArr().then(readFileArrThen).catch(readFileArrCath);
} module.exports.ReadFile = ReadFile;
})()