欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

JS里的异步实例化

程序员文章站 2022-06-10 14:56:39
JS里的异步构造函数 众所周知,Js的构造函数是不能加上async/await来实现异步实例化的,一般当需要一个对象的属性是异步的结果时可以这样写: //! 一个需要指定时间后返回的异步函数 function delay(timeout) { return new Promise((resolve) ......

js里的异步构造函数

众所周知,js的构造函数是不能加上async/await来实现异步实例化的,一般当需要一个对象的属性是异步的结果时可以这样写:

//! 一个需要指定时间后返回的异步函数
function delay(timeout) {
    return new promise((resolve) => settimeout(() => resolve("end"), timeout));
}

class test {
    async init() {
        this.end = await delay(1000);
    }
}
(async function () {
    const test = new test(); //? 实例化
    await test.init(); //? 初始化end属性
    console.log(test.end);
})();

但是当我想要在实例化时就调用该属性时就还要调用一次init(),这未免太麻烦了,所以想要在实例化时就把该属性赋值,就像这样const test = await new test()

这时找到了,该作者提供了这样一段代码来实现了异步构造函数:

class myclass {
  constructor(timeout) {
    this.completed = false

    const init = (async () => {
      await delay(timeout)
      this.completed = true

      delete this.then
      return this
    })()

    this.then = init.then.bind(init)
  }
}
(async function(){
    const myclass = await new myclass(1000);
})()

在解释这段代码前就得说说promiselike了:一个有then方法,且该方法接收resolve,reject两个参数的对象,就像这样:

const promiselike = {
    then(resolve) {
        resolve("i am promiselike");
    },
};
(async function () {
    const something = await promiselike;
    console.log(something); // i am promiselike
})();

即使promiselike不是一个函数,它也会被await调用对象里的then方法并resolve出结果

现在回到刚才那段代码,注意到它最后的一段了吗

this.then = init.then.bind(init)

这句话把一个异步函数initthen给了实例,所以在调用new myclass 后得到的实例上有着一个then方法,这个then方法又会被前面的await解析,这时实质上解析的就是init这个异步函数的then而这个then返回的是该类的实例化删除then后的this

这样await new myclass()会等到init的异步执行完毕才会返回值,这个返回值是init的resolve。

总结一下:该方法其实仍然是同步实例化出了对象,但是await会马上异步执行实例化里then,然后返回出then里删除了then方法的this,这样就做到了一句话进行实例化并初始化异步属性。

知道了这个原理后,最初的问题就解决了:

class test {
    constructor() {
        const init = (async () => {
            this.end = await delay(1000);
            delete this.then;
            return this;
        })();
        this.then = init.then.bind(init);
    }
}
(async function () {
    const test = await new test();
    console.log(test.end); // end
})();

该作者也提供了一个基类用来继承出异步构造函数,可以到原文去看看。

参考:异步构造函数 - 构造函数与promise的结合