手写Promise

我们先定义一个Promise 类。

        const PENDING = 'PENDING';
        const FULFILLED = 'FULFILLED';
        const REJECTED = 'REJECTED';
        class Promise {
            constructor(executor) {
                this.status = PENDING;
                this.value = undefined;
                this.reason = undefined;
                let resolve = (value) => {
                    if (this.status === PENDING) {
                        this.status = FULFILLED;
                        this.value = value;
                    }
                }
                let reject = (reason) => {
                    if (this.status === PENDING) {
                        this.status = REJECT;
                        this.reason = reason;
                    }
                }
                try {
                    executor(resolve, reject)
                    //直接执行excutor并传入resolve和reject方法。
                } catch (err) {
                    reject(err)
                }
            }
}

我们来分析一下,首先executor(执行器)是什么呢?

let promise = new Promise((res,rej) => {
res('成功了');
})

那么这个时候executor就是:

(res,rej) => {
res('成功了');
}

之后在这个构造函数中又定义了status(状态默认PENDING)、成功状态数据:value(默认undefined)、失败状态的原因:reason(默认undefined)、以及resolve、reject方法,最后通过try直接执行。
可以看到给excutor传入了resolve,reject方法。
那么上面写的:

(res,rej) => {
res('成功了');
}

中的res,rej就是定义在构造函数上的方法。执行res('成功了'),相当于执行:

                let resolve = (value) => {
                    if (this.status === PENDING) {
                        this.status = FULFILLED;
                        this.value = value;
                    }
                }

并传入‘成功了’为value的实参。
我们再加上then方法,

  then(onFulfilled, onRejected) {
    if (this.status === FULFILLED) {
      onFulfilled(this.value)
    }

    if (this.status === REJECTED) {
      onRejected(this.reason)
    }
  }
}

注意:这里的then不是constructor里面的,而是原型上的。
不过这样写有一个问题。

        let promise = new Promise((res, rej) => {
            setTimeout(() => {
                res('成功了')
            }, 1000);
        }).then(res => {
            console.log(res)
        })//ReferenceError: PENDING is not defined

这样写会报错,这是为什么呢?
因为setTimeout是异步操作,所以会先执行then,而这个时候由于还没执行resolve或reject方法,status仍为PENDING状态,所以会报错。
那我们改一下代码。

        const PENDING = 'PENDING';
        const FULFILLED = 'FULFILLED';
        const REJECTED = 'REJECTED';
        class Promise {
            constructor(executor) {
                this.status = PENDING;
                this.value = undefined;
                this.reason = undefined;
                this.onResolvedCallbacks = [];
                this.onRejectedCallbacks = [];

                let resolve = (value) => {
                    if (this.status === PENDING) {
                        this.status = FULFILLED;
                        this.value = value;
                        this.onResolvedCallbacks.forEach(fn => fn());
                    }
                }
                let reject = (reason) => {
                    if (this.status === PENDING) {
                        this.status = REJECT;
                        this.reason = reason;
                        this.onRejectedCallbacks.forEach(fn => fn());
                    }
                }
                try {
                    executor(resolve, reject)
                        //直接执行excutor并传入resolve和reject方法。
                } catch (err) {
                    reject(err)
                }
            }
            then(onFulfilled, onRejected) {
                if (this.status === FULFILLED) {
                    onFulfilled(this.value)
                }

                if (this.status === REJECTED) {
                    onRejected(this.reason)
                }
                if (this.status === PENDING) {
                    this.onResolvedCallbacks.push(() => {
                        onFulfilled(this.value)
                    });
                    this.onRejectedCallbacks.push(() => {
                        onRejected(this.reason);
                    })

                }

            }
        }

then方法接受两个参数,我们给then方法执行的的这两个参数(也是方法)传入this.value以及this.reason。并将这两个方法分别保存onResolvedCallbacks和onRejectedCallbacks中。但定时器进入回调队列并且主线程任务执行完以后,调用resolve或reject方法,

                let resolve = (value) => {
                    if (this.status === PENDING) {
                        this.status = FULFILLED;
                        this.value = value;
                        this.onResolvedCallbacks.forEach(fn => fn());
                    }
                }
                let reject = (reason) => {
                    if (this.status === PENDING) {
                        this.status = REJECT;
                        this.reason = reason;
                        this.onRejectedCallbacks.forEach(fn => fn());
                    }
                }

可以看出来在调用onResolvedCallbacks或onRejectedCallbacks函数以前,就已经赋值了this.value和this.reason。

        let promise = new Promise((res, rej) => {
            setTimeout(() => {
                res('成功了')
            }, 1000);
        }).then(res => {
            console.log(res)
        })//成功了

1秒后打印成功了。
哎呀,那这里为啥子要用forEach遍历整个数组呢?因为,要知道,Promise使用then方法后会返回一个Promise对象。而这样,就说明一个Promise可以调用多次then方法,那每个then方法中如果都使用到异步,那么forEach就显得很有用了。后面再举个例子哈。
我们知道then方法是可以不传参数的,那我们怎么进行数据的传递呢?
另外,

        let promise = new Promise((res,rej) => {
            res(10);
        });
        let test = promise.then(res => {
            return test//TypeError: Chaining cycle detected for promise #<Promise>
        })

这种当then的返回值与本身相同的时候,怎么解决?
先改一下then方法。

then(onFulfilled, onRejected) {
         onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : v=>v;
         onRejected = typeof onRejected === 'function' ? onRejected : err => {
                    throw err
                };//通过这两行代码解决then方法不传入参数的问题。
                let promise2 = new Promise((res, rej) => {
                    if (this.status === FULFILLED) {
                        setTimeout(() => {
                            try {
                                let x = onFulfilled(this.value);
                                resolvePromise(promise2, x, res, rej)
                            } catch (e) {
                                reject(e)

                            }
                        }, 0);
                    }

                    if (this.status === REJECT) {
                        setTimeout(() => {
                            try {
                                let x = onRejected(this.reason);
                                resolvePromise(promise2, x, res, rej)
                            } catch (e) {
                                reject(e)

                            }
                        }, 0);
                    }

                    if (this.status === PENDING) {
                        this.onResolvedCallbacks.push(() => {
                            setTimeout(() => {
                                try {
                                    let x = onFulfilled(this.value);
                                    resolvePromise(promise2, x, res, rej)
                                } catch (e) {
                                    reject(e)
                                }
                            }, 0);
                        });
                        this.onRejectedCallbacks.push(() => {
                            setTimeout(() => {
                                try {
                                    let x = onRejected(this.value);
                                    resolvePromise(promise2, x, res, rej)
                                } catch (e) {
                                    reject(e)
                                }
                            }, 0);
                        })

                    }
                });
                return promise2
            }
        }

resolvePromise(promise2, x, res, rej)方法用于解决单then的返回值与本身相同的问题,以及其他返回值问题例如,返回简单数据类型,function,其他的promise,而其他的promise中又有promise等问题。

前面也说了定时器是异步的,三个if中都借用异步,为的是先返回promise2,在执行定时器里的代码,不这么用,promise2都还没执行完呢。

那么这样就简单了,promise2是then的返回值,x可以使任意值。
再来定义resolvePromise

//这是定义在全局作用域中的
 const resolvePromise = (promise2, x, resolve, reject) => {
            // 自己等待自己完成是错误的实现,用一个类型错误,结束掉 
            if (promise2 === x) {
                return reject(new TypeError('Chaining cycle detected for promise #<Promise>'))
            }
            let called;
            // 后续的条件要严格判断 保证代码能和别的库一起使用
            if ((typeof x === 'object' && x != null) || typeof x === 'function') {
                try {
                    let then = x.then;
                    if (typeof then === 'function') {
                        then.call(x, y => { // 根据 promise 的状态决定是成功还是失败
                            if (called) return;
                            called = true;
                            // 递归解析的过程(因为可能 promise 中还有 promise) Promise/A+ 2.3.3.3.1
                            resolvePromise(promise2, y, resolve, reject);
                        }, r => {
                            // 只要失败就失败 Promise/A+ 2.3.3.3.2
                            if (called) return;
                            called = true;
                            reject(r);
                        });
                    } else {
                        // 如果 x.then 是个普通值就直接返回 resolve 作为结果  Promise/A+ 2.3.3.4
                        resolve(x);
                    }
                } catch (e) {
                    // Promise/A+ 2.3.3.2
                    if (called) return;
                    called = true;
                    reject(e)
                }
            } else {
                // 如果 x 是个普通值就直接返回 resolve 作为结果  Promise/A+ 2.3.4  
                resolve(x)
            }
        }

一步一步来,

 if (promise2 === x) {
                return reject(new TypeError('Chaining cycle detected for promise #<Promise>'))
            }

这一步就是解决then return 自己的时候的问题。
后面的代码就有长了,首先判断是不是复杂(引用数据类型),

if ((typeof x === 'object' && x != null) || typeof x === 'function')

不是的话就说明是简单数据类型,直接就:

 else {
                // 如果 x 是个普通值就直接返回 resolve 作为结果  
                resolve(x)
            }

再判断这个复杂类型有没有then方法

   if (typeof then === 'function') 

结果为true的话就说明这个x是Promise对象,否则就是简单数据类型,直接resolve

 else {
  // 如果 x.then 是个普通值就直接返回 resolve 作为结果 
                        resolve(x);
                    }

而最中间的代码,

then.call(x, y => { // 根据 promise 的状态决定是成功还是失败
                            if (called) return;
                            called = true;
                            // 递归解析的过程(因为可能 promise 中还有 promise) Promise/A+ 2.3.3.3.1
                            resolvePromise(promise2, y, resolve, reject);
                        }, r => {
                            // 只要失败就失败 Promise/A+ 2.3.3.3.2
                            if (called) return;
                            called = true;
                            reject(r);
                        });

就像注释的那样。
而之前说的为什么要遍历onResolvedCallbacks或onRejectedCallbacks是因为,我可能异步操作promise中的reject或resolve,并在后面调用then方法,而在这个then方法中return出来一个新的Promise,再次借助定时器使得这个promise状态也为PENDING以此类推。

        const promise = new Promise((resolve, reject) => {
                setTimeout(() => {
                    reject('失败');
                }, 1000)
            }).then(null, err => {
                return new Promise((res, rej) => {
                    setTimeout(() => {
                        console.log(err);
                        rej('失败1');
                    }, 2000)
                })
            }).then(null, err => {
                return new Promise((res, rej) => {
                    setTimeout(() => {
                        console.log(err);
                        rej('失败2');
                    }, 3000)
                })
            }).then(data => {
                console.log(data);
            }, err => {
                console.log('err', err);
            })

而现在的整个代码为:

  const PENDING = 'PENDING';
        const FULFILLED = 'FULFILLED';
        const REJECTED = 'REJECTED';

        const resolvePromise = (promise2, x, resolve, reject) => {
            // 自己等待自己完成是错误的实现,用一个类型错误,结束掉 promise  Promise/A+ 2.3.1
            if (promise2 === x) {
                return reject(new TypeError('Chaining cycle detected for promise #<Promise>'))
            }
            // Promise/A+ 2.3.3.3.3 只能调用一次
            let called;
            // 后续的条件要严格判断 保证代码能和别的库一起使用
            if ((typeof x === 'object' && x != null) || typeof x === 'function') {
                try {
                    // 为了判断 resolve 过的就不用再 reject 了(比如 reject 和 resolve 同时调用的时候)  Promise/A+ 2.3.3.1
                    let then = x.then;
                    if (typeof then === 'function') {
                        // 不要写成 x.then,直接 then.call 就可以了 因为 x.then 会再次取值,Object.defineProperty  Promise/A+ 2.3.3.3
                        then.call(x, y => { // 根据 promise 的状态决定是成功还是失败
                            if (called) return;
                            called = true;
                            // 递归解析的过程(因为可能 promise 中还有 promise) Promise/A+ 2.3.3.3.1
                            resolvePromise(promise2, y, resolve, reject);
                        }, r => {
                            // 只要失败就失败 Promise/A+ 2.3.3.3.2
                            if (called) return;
                            called = true;
                            reject(r);
                        });
                    } else {
                        // 如果 x.then 是个普通值就直接返回 resolve 作为结果  Promise/A+ 2.3.3.4
                        resolve(x);
                    }
                } catch (e) {
                    // Promise/A+ 2.3.3.2
                    if (called) return;
                    called = true;
                    reject(e)
                }
            } else {
                // 如果 x 是个普通值就直接返回 resolve 作为结果  Promise/A+ 2.3.4  
                resolve(x)
            }
        }

        class Promise {
            constructor(executor) {
                this.status = PENDING;
                this.value = undefined;
                this.reason = undefined;
                this.onResolvedCallbacks = [];
                this.onRejectedCallbacks = [];

                let resolve = (value) => {
                    if (this.status === PENDING) {
                        this.status = FULFILLED;
                        this.value = value;
                        this.onResolvedCallbacks.forEach(fn => fn());
                    }
                }

                let reject = (reason) => {
                    if (this.status === PENDING) {
                        this.status = REJECTED;
                        this.reason = reason;
                        this.onRejectedCallbacks.forEach(fn => fn());
                    }
                }

                try {
                    executor(resolve, reject)
                } catch (error) {
                    reject(error)
                }
            }

            then(onFulfilled, onRejected) {
                //解决 onFufilled,onRejected 没有传值的问题
                //Promise/A+ 2.2.1 / Promise/A+ 2.2.5 / Promise/A+ 2.2.7.3 / Promise/A+ 2.2.7.4
                onFulfilled = typeof onFulfilled === 'function' ? onFulfilled : v => v;
                //因为错误的值要让后面访问到,所以这里也要跑出个错误,不然会在之后 then 的 resolve 中捕获
                onRejected = typeof onRejected === 'function' ? onRejected : err => {
                    throw err
                };
                // 每次调用 then 都返回一个新的 promise  Promise/A+ 2.2.7
                let promise2 = new Promise((resolve, reject) => {
                    if (this.status === FULFILLED) {
                        //Promise/A+ 2.2.2
                        //Promise/A+ 2.2.4 --- setTimeout
                        setTimeout(() => {
                            try {
                                //Promise/A+ 2.2.7.1
                                let x = onFulfilled(this.value);
                                // x可能是一个proimise
                                resolvePromise(promise2, x, resolve, reject);
                            } catch (e) {
                                //Promise/A+ 2.2.7.2
                                reject(e)
                            }
                        }, 0);
                    }

                    if (this.status === REJECTED) {
                        //Promise/A+ 2.2.3
                        setTimeout(() => {
                            try {
                                let x = onRejected(this.reason);
                                resolvePromise(promise2, x, resolve, reject);
                            } catch (e) {
                                reject(e)
                            }
                        }, 0);
                    }

                    if (this.status === PENDING) {
                        this.onResolvedCallbacks.push(() => {
                            setTimeout(() => {
                                try {
                                    let x = onFulfilled(this.value);
                                    resolvePromise(promise2, x, resolve, reject);
                                } catch (e) {
                                    reject(e)
                                }
                            }, 0);
                        });

                        this.onRejectedCallbacks.push(() => {
                            setTimeout(() => {
                                try {

                                    let x = onRejected(this.reason);
                                    resolvePromise(promise2, x, resolve, reject)
                                } catch (e) {
                                    reject(e)
                                }
                            }, 0);
                        });
                    }
                });

                return promise2;
            }
        }
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 206,839评论 6 482
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 88,543评论 2 382
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 153,116评论 0 344
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 55,371评论 1 279
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 64,384评论 5 374
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,111评论 1 285
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,416评论 3 400
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,053评论 0 259
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 43,558评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,007评论 2 325
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,117评论 1 334
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,756评论 4 324
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,324评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,315评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,539评论 1 262
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,578评论 2 355
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,877评论 2 345

推荐阅读更多精彩内容

  • 1. promise要解决的问题: 脑筋急转弯:把牛关进冰箱里,要分几步? 很显然,这三个操作不能颠倒顺序,否则任...
    月上秦少阅读 1,567评论 0 3
  • 原文详见:Promise实现原理(附源码)参考文章:BAT前端经典面试问题:史上最最最详细的手写Promise教程...
    张小明_to阅读 99评论 0 1
  • 前言 都 2020 年了,Promise 大家肯定都在用了,但是估计很多人对其原理还是一知半解,今天就让我们一起实...
    superYuee阅读 1,339评论 1 7
  • #### 手写Promise源码 // promise有三种状态 pending 等待 fulfilled 成功 ...
    爵迹01阅读 230评论 0 1
  • 黑色的海岛上悬着一轮又大又圆的明月,毫不嫌弃地把温柔的月色照在这寸草不生的小岛上。一个少年白衣白发,悠闲自如地倚坐...
    小水Vivian阅读 3,093评论 1 5