promise的定义与 的具体实现?

promise的定义与 的具体实现?,第1张

promise的定义与 的具体实现?

参考回答:

 

Promise对象是CommonJS工作组提出的一种规范,目的是为异步编程提供统一接口。每一个异步任务返回一个Promise对象,该对象有一个then方法,允许指定回调函数。

f1().then(f2);

一个promise可能有三种状态:等待(pending)、已完成(resolved,又称fulfilled)、已拒绝(rejected)。

promise必须实现then方法(可以说,then就是promise的核心),而且then必须返回一个promise,同一个promise的then可以调用多次,并且回调的执行顺序跟它们被定义时的顺序一致。

then方法接受两个参数,第一个参数是成功时的回调,在promise由“等待”态转换到“完成”态时调用,另一个是失败时的回调,在promise由“等待”态转换到“拒绝”态时调用。同时,then可以接受另一个promise传入,也接受一个“类then”的对象或方法,即thenable对象。

Promise实现如下

function Promise(fn) {    var state = 'pending',    value = null,    callbacks = [];    this.then = function (onFulfilled, onRejected) {    return new Promise(function (resolve, reject) {    handle({    onFulfilled: onFulfilled || null,    onRejected: onRejected || null,    resolve: resolve,    reject: reject    });    });    };    function handle(callback) {    if (state === 'pending') {    callbacks.push(callback);    return;    }    var cb = state === 'fulfilled' ? callback.onFulfilled : callback.onRejected,    ret;    if (cb === null) {    cb = state === 'fulfilled' ? callback.resolve : callback.reject;    cb(value);    return;    }    ret = cb(value);    callback.resolve(ret);    }    function resolve(newValue) {    if (newValue && (typeof newValue === 'object' || typeof newValue === 'function')) {    var then = newValue.then;    if (typeof then === 'function') {    then.call(newValue, resolve, reject);    return;    }    }    state = 'fulfilled';    value = newValue;    execute();    }    function reject(reason) {    state = 'rejected';    value = reason;    execute();    }    function execute() {    setTimeout(function () {    callbacks.forEach(function (callback) {    handle(callback);    });    }, 0);    }    fn(resolve, reject);}

 

欢迎分享,转载请注明来源:内存溢出

原文地址: http://outofmemory.cn/zaji/4884970.html

(0)
打赏 微信扫一扫 微信扫一扫 支付宝扫一扫 支付宝扫一扫
上一篇 2022-11-11
下一篇 2022-11-11

发表评论

登录后才能评论

评论列表(0条)

保存