美文网首页
Promise对象

Promise对象

作者: bbh123 | 来源:发表于2019-03-13 11:56 被阅读0次

    ECMAScript 6 入门 阮一峰出品

    image.png

    Promise含义

    pending(进行中)、fulfilled(已成功)和rejected(已失败)
    resolved(已定型)
    resolve(从 pending 变为 resolved)
    reject(从 pending 变为 rejected)

    基本用法

    const promise = new Promise(function(resolve, reject) {
      // ... some code
      if (/* 异步操作成功 */){
        resolve(value);
      } else {
        reject(error);
      }
    });
    promise.then(function(value) {
      // success 
    }, function(error) {
      // failure
    });   
    
    let promise = new Promise(function(resolve, reject) {
      console.log('Promise');
      resolve();
    });//Promise 新建后立即执行
    promise.then(function() {//then方法的回调函数,在当前脚本所有同步任务执行完才执行
      console.log('resolved.');
    });
    console.log('Hi!');
    // Promise
    // Hi!
    // resolved
    
    const p1 = new Promise(function (resolve, reject) {
      // ...
    });
    const p2 = new Promise(function (resolve, reject) {
      // ...
      resolve(p1);//参数会传递给回调函数
    })
    Promise(resolved)=>p2=>p1=>fail
    

    顺序

    const b1 = new Promise(function (resolve, reject) {
      console.log("1");
      setTimeout(() => {
        console.log("2");
        reject(new Error('fail'));
        console.log("3")}, 
        3000);
      console.log("4")
    })
    
    const b2 = new Promise(function (resolve, reject) {
      console.log("5");
      setTimeout(() => {
        console.log("6");
        resolve(b1);
        console.log("7")}, 
        1000);
      console.log("8")
    })
    
    b2
      .then(result => console.log(result))
      .catch(error => console.log(error))
    //1,4,5,8
    //Promise等待1秒后
    //6,7,等待2秒后 2,3
    //fail
    b1和b2都是 Promise 的实例,但是b2的resolve方法将b1作为参数,即一个异步操作的结果是返回另一个异步操作。
    
    注意,这时b1的状态就会传递给b2,也就是说,b1的状态决定了b2的状态。如果b1的状态是pending,那么b2的回调函数就会等待b1的状态改变;如果b1的状态已经是resolved或者rejected,那么b2的回调函数将会立刻执行。
    一般来说,调用resolve或reject以后,Promise 的使命就完成了,后继操作应该放到then方法里面,而不应该直接写在resolve或reject的后面。所以,最好在它们前面加上return语句,这样就不会有意外。
    new Promise((resolve, reject) => {
      return resolve(1);
      // 后面的语句不会执行
      console.log(2);
    })
    

    Promise.prototype.then()

    then方法返回的是一个新的Promise实例(注意,不是原来那个Promise实例)。因此可以采用链式写法,即then方法后面再调用另一个then方法。
    getJSON("/posts.json").then(function(json) {
      return json.post;//将结果作为参数返回
    }).then(function(post) {
      // ...
    });
    
    getJSON("/post/1.json").then(
      post => getJSON(post.commentURL)//任然返回Promise
    ).then(
      comments => console.log("resolved: ", comments),
      err => console.log("rejected: ", err)
    );
    

    Promise.prototype.catch()

    Promise.prototype.catch方法是.then(null, rejection)或.then(undefined, rejection)的别名
    getJSON('/posts.json').then(function(posts) {
      // ...
    }).catch(function(error) {
      // 处理 getJSON 和 前一个回调函数运行时发生的错误
      console.log('发生错误!', error);
    });
    写法一
    const promise = new Promise(function(resolve, reject) {
      throw new Error('test');
    });
    promise.catch(function(error) {
      console.log(error);
    });
    // Error: test
    // 写法二
    const promise = new Promise(function(resolve, reject) {
      try {
        throw new Error('test');
      } catch(e) {
        reject(e);
      }
    });
    promise.catch(function(error) {
      console.log(error);
    });
    // 写法三
    const promise = new Promise(function(resolve, reject) {
      reject(new Error('test'));
    });
    promise.catch(function(error) {
      console.log(error);
    });
    Promise吃掉错误
    const someAsyncThing = function() {
      return new Promise(function(resolve, reject) {
        // 下面一行会报错,因为x没有声明
        resolve(x + 2);
      });
    };
    someAsyncThing().then(function() {
      console.log('everything is great');
    });
    setTimeout(() => { console.log(123) }, 2000);
    // Uncaught (in promise) ReferenceError: x is not defined
    // 123
    catch方法返回的还是一个 Promise 对象,因此后面还可以接着调用then方法
    

    Promise.prototype.finally()

    实现
    Promise.prototype.finally = function (callback) {
      let P = this.constructor;
      return this.then(
        value  => P.resolve(callback()).then(() => value),//将对象转换为Promise对象
        reason => P.resolve(callback()).then(() => { throw reason })
      );
    };
    
    finally方法总是会返回原来的值。
    // resolve 的值是 undefined
    Promise.resolve(2).then(() => {}, () => {})
    // resolve 的值是 2
    Promise.resolve(2).finally(() => {})
    // reject 的值是 undefined
    Promise.reject(3).then(() => {}, () => {})
    // reject 的值是 3
    Promise.reject(3).finally(() => {})
    

    Promise.all()

    const p = Promise.all([p1, p2, p3]);
    Promise.all方法接受一个数组作为参数,p1、p2、p3都是 Promise 实例,如果不是,就会先调用下面讲到的Promise.resolve方法,将参数转为 Promise 实例,再进一步处理。(Promise.all方法的参数可以不是数组,但必须具有 Iterator 接口,且返回的每个成员都是 Promise 实例。)
    p的状态由p1、p2、p3决定,分成两种情况。
    (1)只有p1、p2、p3的状态都变成fulfilled,p的状态才会变成fulfilled,此时p1、p2、p3的返回值组成一个数组,传递给p的回调函数。
    (2)只要p1、p2、p3之中有一个被rejected,p的状态就变成rejected,此时第一个被reject的实例的返回值,会传递给p的回调函数。
    // 生成一个Promise对象的数组
    const promises = [2, 3, 5, 7, 11, 13].map(function (id) {
      return getJSON('/post/' + id + ".json");
    });
    Promise.all(promises).then(function (posts) {
      // ...
    }).catch(function(reason){
      // ...
    });
    
    const p1 = new Promise((resolve, reject) => {
      resolve('hello');
    })
    .then(result => result)
    .catch(e => e);
    const p2 = new Promise((resolve, reject) => {
      throw new Error('报错了');
    })
    .then(result => result)
    .catch(e => e);//这里存在catch情况
    Promise.all([p1, p2])
    .then(result => console.log(result))
    .catch(e => console.log(e));
    // ["hello", Error: 报错了]
    

    Promise.race()

    只要p1、p2、p3之中有一个实例率先改变状态,p的状态就跟着改变。那个率先改变的 Promise 实例的返回值,就传递给p的回调函数。
    const p = Promise.race([
      fetch('/resource-that-may-take-a-while'),
      new Promise(function (resolve, reject) {
        setTimeout(() => reject(new Error('request timeout')), 5000)
      })
    ]);
    p
    .then(console.log)
    .catch(console.error);
    如果 5 秒之内fetch方法无法返回结果,变量p的状态就会变为rejected,从而触发catch方法指定的回调函数。
    

    Promise.resolve()

    将现有对象转为 Promise 对象
    Promise.resolve('foo')
    // 等价于
    new Promise(resolve => resolve('foo'))
    Promise.resolve方法的参数分成四种情况
    (1)参数是一个 Promise 实例不做任何修改地返回这个实例
    (2)参数是一个thenable对象,thenable对象指的是具有then方法的对象,比如
    let thenable = {
      then: function(resolve, reject) {
        resolve(42);
      }
    };
    let p1 = Promise.resolve(thenable);
    p1.then(function(value) {
      console.log(value);  // 42
    });
    Promise.resolve方法会将这个对象转为 Promise 对象,然后就立即执行thenable对象的then方法。thenable对象的then方法执行后,对象p1的状态就变为resolved,从而立即执行最后那个then方法指定的回调函数,输出 42。
    (3)参数不是具有then方法的对象,或根本就不是对象const p = Promise.resolve('Hello');
    p.then(function (s){
      console.log(s)
    });
    // Hello
    生成一个新的 Promise 对象的实例p由于字符串Hello不属于异步操作(判断方法是字符串对象不具有 then 方法),返回 Promise 实例的状态从一生成就是resolved,所以回调函数会立即执行。Promise.resolve方法的参数,会同时传给回调函数
    (4)不带有任何参数
    setTimeout(function () {
      console.log('three');
    }, 0);
    Promise.resolve().then(function () {
      console.log('two');
    });
    console.log('one');
    // one
    // two
    // three
    setTimeout(fn, 0)在下一轮“事件循环”开始时执行,Promise.resolve()在本轮“事件循环”结束时执行,console.log('one')则是立即执行,因此最先输出
    

    Promise.reject()

    Promise.reject(reason)方法也会返回一个新的 Promise 实例,该实例的状态为rejected
    const p = Promise.reject('出错了');
    // 等同于
    const p = new Promise((resolve, reject) => reject('出错了'))
    p.then(null, function (s) {
      console.log(s)
    });
    // 出错了
    Promise.reject()方法的参数,会原封不动地作为reject的理由,变成后续方法的参数。这一点与Promise.resolve方法不一致。
    const thenable = {
      then(resolve, reject) {
        reject('出错了');
      }
    };
    Promise.reject(thenable)
    .catch(e => {
      console.log(e === thenable)
    })
    // true
    Promise.reject方法的参数是一个thenable对象,执行以后,后面catch方法的参数不是reject抛出的“出错了”这个字符串,而是thenable对象。
    

    应用

    加载图片

    const preloadImage = function (path) {
      return new Promise(function (resolve, reject) {
        const image = new Image();
        image.onload  = resolve;
        image.onerror = reject;
        image.src = path;
      });
    };
    

    Generator函数与Promise结合

    function getFoo () {
      return new Promise(function (resolve, reject){
        resolve('foo');
      });
    }
    
    const g = function* () {
      try {
        const foo = yield getFoo();
        console.log(foo);
      } catch (e) {
        console.log(e);
      }
    };
    
    function run (generator) {
      const it = generator();
    
      function go(result) {
        if (result.done) return result.value;
    
        return result.value.then(function (value) {
          return go(it.next(value));
        }, function (error) {
          return go(it.throw(error));
        });
      }
    
      go(it.next());
    }
    run(g);
    使用 Generator 函数管理流程,遇到异步操作的时候,通常返回一个Promise对象。上面代码的 Generator 函数g之中,有一个异步操作getFoo,它返回的就是一个Promise对象。函数run用来处理这个Promise对象,并调用下一个next方法。
    

    Promise.try()

    不知道或者不想区分,函数f是同步函数还是异步操作,但是想用 Promise 来处理它。因为这样就可以不管f是否包含异步操作,都用then方法指定下一步流程,用catch方法处理f抛出的错误
    const f = () => console.log('now');
    Promise.resolve().then(f);
    console.log('next');
    // next
    // now
    

    让同步函数同步执行,异步函数异步执行,并且让它们具有统一的 API

    方法一
    const f = () => console.log('now');
    (async () => f())();
    console.log('next');
    // now
    // next
    上面代码中,第二行是一个立即执行的匿名函数,会立即执行里面的async函数,因此如果f是同步的,就会得到同步的结果;如果f是异步的,就可以用then指定下一步
    (async () => f())()//会吃错误
    .then(...)
    .catch(...)//捕获错误
    //第二种写法
    const f = () => console.log('now');
    (
      () => new Promise(
        resolve => resolve(f())
      )
    )();
    console.log('next');
    // now
    // next
    

    Promise.try方法替代上面的写法

    const f = () => console.log('now');
    Promise.try(f);
    console.log('next');
    // now
    // next
    如果想用then方法管理流程,最好都用Promise.try包装一下
    function getUsername(userId) {
      return database.users.get({id: userId})
      .then(function(user) {
        return user.name;
      });
    }
    database.users.get()返回一个 Promise 对象,如果抛出异步错误,可以用catch方法捕获,就像下面这样写。
    database.users.get({id: userId})
    .then(...)
    .catch(...)
    但是database.users.get()可能还会抛出同步错误(比如数据库连接错误,具体要看实现方法),这时你就不得不用try...catch去捕获。
    try {
      database.users.get({id: userId})
      .then(...)
      .catch(...)
    } catch (e) {
      // ...
    }
    上面这样的写法就很笨拙了,这时就可以统一用promise.catch()捕获所有同步和异步的错误。
    
    Promise.try(() => database.users.get({id: userId}))
      .then(...)
      .catch(...)
    

    相关文章

      网友评论

          本文标题:Promise对象

          本文链接:https://www.haomeiwen.com/subject/vbezpqtx.html