JavaScript異步處理——Promise

Promise是一種異步編程解決方案肺孵,可以使異步代碼更加優(yōu)雅吓肋。

例如,我們需要進行這么一個操作:

  1. 向一個url獲取一個名字
  2. 根據(jù)這個名字獲取一個數(shù)據(jù)
  3. 根據(jù)這個數(shù)據(jù)獲取到我們需要結(jié)果

使用回調(diào)函數(shù):

get(url, function(name){
  get(name, function(data){
    get(data, function(result){
      console.log(result);
    }, errHanler)
  }, errHanler)
}, errHanler)

function errHanler(err){
  console.error(err);
}

使用Promise:

get(url).then((name)=>{
  return get(name);
}).then((data)=>{
  return get(data);
}).then((result)=>{
  console.log(result);
}).catch((err)=>{
  console.error(err);
})

使用promise可以避免層層嵌套的情況初婆。除此之外蓬坡,ES6中的Promise還有all、race等方便的操作磅叛。(ES6 Promise詳細介紹)

ES6的Promise是Promise A+規(guī)范的一種實現(xiàn)屑咳。(Promise A+ 規(guī)范翻譯)

現(xiàn)在試著自己實現(xiàn)一個Promise。

首先一個promise擁有屬性狀態(tài)弊琴,初始時為Pennding兆龙,且可遷移到FulfilledRejected
一個promise必須擁有then方法敲董,并可通過then訪問它的值/拒因紫皇。

class P {
    constructor() {
        this[Symbol.for("PromiseStatus")] = "pennding";
        this[Symbol.for("PromiseValue")] = undefined;
    }

    then(onFulfilled, onRejected) {
        const status = this[Symbol.for("PromiseStatus")];

        if (status == "pennding") {
            this.onFulfilled = typeof onFulfilled == 'function' ? onFulfilled : null;
            this.onRejected = typeof onRejected == 'function' ? onRejected : null;
        } else if (status == "fulfilled") {
            onFulfilled(this[Symbol.for("PromiseValue")]);
        } else if (status == "rejected") {
            onFulfilled(this[Symbol.for("PromiseValue")]);
        }
    }
}

promise有resolve、reject方法腋寨,將promise的狀態(tài)分別遷移為FulfilledRejected聪铺。promise的狀態(tài)只能改變一次。
然后promise構(gòu)造函數(shù)接收一個函數(shù)作為參數(shù)萄窜,并往該函數(shù)傳入resolve铃剔、reject

class P {
    constructor() {
        this[Symbol.for("PromiseStatus")] = "pennding";
        this[Symbol.for("PromiseValue")] = undefined;

        if (typeof fn !== "function") {
            throw new TypeError(`Promise resolver ${typeof fn} is not a function`);
        }
        fn(this.resolve.bind(this), this.reject.bind(this));
    }

    resolve(data) {
        if (this[Symbol.for("PromiseStatus")] == "pennding") {
            this[Symbol.for("PromiseStatus")] = "fulfilled";
            this[Symbol.for("PromiseValue")] = data;            
            this.onFulfilled(data);
        }
    }

    reject(reason) {
        if (this[Symbol.for("PromiseStatus")] == "pennding") {
            this[Symbol.for("PromiseStatus")] = "rejected";
            this[Symbol.for("PromiseValue")] = reason;            
            this.onRejected(reason);
        }
    }
}

為了保證onFulfilled和onRejected異步執(zhí)行查刻,resove或reject被調(diào)用時不能馬上調(diào)用键兜,需要在當前一輪事件循環(huán)結(jié)束后再調(diào)用onFulfilled/onRejected∷氡茫可通過setTimeout來實現(xiàn)

resolve(data) {
    if (this[Symbol.for("PromiseStatus")] == "pennding") {
        this[Symbol.for("PromiseStatus")] = "fulfilled";
        this[Symbol.for("PromiseValue")] = data;
        setTimeout(() => {
            this.onFulfilled(data);
        });
    }
}

then方法可以被連續(xù)調(diào)用普气,所以需要增加onFulfilledList、onRejectedList兩個數(shù)組佃延,再resolve/reject被調(diào)用時遍歷數(shù)組執(zhí)行现诀。
最后,then方法會返回一個的promise履肃,并將onFulfilled/onRejected中的返回值傳遞給新promise赶盔。

最終版:

  class P {

        constructor(fn) {
            this[Symbol.for("PromiseStatus")] = "pennding";
            this[Symbol.for("PromiseValue")] = undefined;

            this.onFulfilledList = [];
            this.onRejectedList = [];

            if (typeof fn !== "function") {
                throw new TypeError(`Promise resolver ${typeof fn} is not a function`);
            }
            fn(this.resolve.bind(this), this.reject.bind(this));
        }

        resolve(data) {
            if (this[Symbol.for("PromiseStatus")] == "pennding") {
                this[Symbol.for("PromiseStatus")] = "fulfilled";
                this[Symbol.for("PromiseValue")] = data;

                for (let onFulfilled of this.onFulfilledList) {
                    onFulfilled && setTimeout(() => {
                        onFulfilled(data);
                    });
                }
            }
        }

        reject(reason) {
            if (this[Symbol.for("PromiseStatus")] == "pennding") {
                this[Symbol.for("PromiseStatus")] = "rejected";
                this[Symbol.for("PromiseValue")] = reason;

                for (let onRejected of this.onRejectedList) {
                    onRejected && setTimeout(() => {
                        onRejected(reason);
                    });
                }

            }
        }

        then(onFulfilled, onRejected) {
            const status = this[Symbol.for("PromiseStatus")];
            let nextPromise = null;

            if (status == "pennding") {
                nextPromise = new P((onFulfilledNext, onRejectedNext) => {
                    this.onFulfilledList.push(function (data) {
                        fulfill(onFulfilledNext, onRejectedNext, data);
                    });

                    this.onRejectedList.push(function (data) {
                        reject(onRejectedNext, data);
                    });
                })
            } else if (status == "fulfilled") {
                nextPromise = new P((onFulfilledNext, onRejectedNext) => {
                    const data = this[Symbol.for("PromiseValue")];
                    try {
                        onFulfilled(data);
                        fulfill(onFulfilledNext, onRejectedNext, data);
                    } catch (error) {
                        onRejected(error);
                        reject(onRejectedNext, error);
                    }
                })
            } else if (status == "rejected") {
                nextPromise = new P((onFulfilledNext, onRejectedNext) => {
                    const data = this[Symbol.for("PromiseValue")];
                    onRejected(data);
                    reject(onRejectedNext, data);
                })
            }

            return nextPromise;

            function fulfill(onFulfilledNext, onRejectedNext, data){
                try {                    
                    if (typeof onFulfilled === 'function') {
                        const x = onFulfilled(data);
                        onFulfilledNext(x);
                    }else{
                        onFulfilledNext(data);
                    }
                } catch (e) {
                    onRejectedNext(e);
                }
            }

            function reject(onRejectedNext, data){
                try {
                    
                    if (typeof onRejected === 'function') {
                        const x = onRejected(data);
                        onRejectedNext(x);
                    }else{
                        onRejectedNext(data);
                    }
                } catch (e) {
                    onRejectedNext(e);
                }
            }
            
        }

        catch(onRejected) {
            return this.then(undefined, onRejected);
        }

    }
最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市榆浓,隨后出現(xiàn)的幾起案子于未,更是在濱河造成了極大的恐慌,老刑警劉巖,帶你破解...
    沈念sama閱讀 211,265評論 6 490
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件烘浦,死亡現(xiàn)場離奇詭異抖坪,居然都是意外死亡,警方通過查閱死者的電腦和手機闷叉,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 90,078評論 2 385
  • 文/潘曉璐 我一進店門擦俐,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人握侧,你說我怎么就攤上這事蚯瞧。” “怎么了品擎?”我有些...
    開封第一講書人閱讀 156,852評論 0 347
  • 文/不壞的土叔 我叫張陵埋合,是天一觀的道長。 經(jīng)常有香客問我萄传,道長甚颂,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 56,408評論 1 283
  • 正文 為了忘掉前任秀菱,我火速辦了婚禮振诬,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘衍菱。我一直安慰自己赶么,他們只是感情好,可當我...
    茶點故事閱讀 65,445評論 5 384
  • 文/花漫 我一把揭開白布脊串。 她就那樣靜靜地躺著辫呻,像睡著了一般。 火紅的嫁衣襯著肌膚如雪洪规。 梳的紋絲不亂的頭發(fā)上印屁,一...
    開封第一講書人閱讀 49,772評論 1 290
  • 那天循捺,我揣著相機與錄音斩例,去河邊找鬼。 笑死从橘,一個胖子當著我的面吹牛念赶,可吹牛的內(nèi)容都是我干的。 我是一名探鬼主播恰力,決...
    沈念sama閱讀 38,921評論 3 406
  • 文/蒼蘭香墨 我猛地睜開眼叉谜,長吁一口氣:“原來是場噩夢啊……” “哼!你這毒婦竟也來了踩萎?” 一聲冷哼從身側(cè)響起停局,我...
    開封第一講書人閱讀 37,688評論 0 266
  • 序言:老撾萬榮一對情侶失蹤,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后董栽,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體码倦,經(jīng)...
    沈念sama閱讀 44,130評論 1 303
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 36,467評論 2 325
  • 正文 我和宋清朗相戀三年锭碳,在試婚紗的時候發(fā)現(xiàn)自己被綠了袁稽。 大學時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片。...
    茶點故事閱讀 38,617評論 1 340
  • 序言:一個原本活蹦亂跳的男人離奇死亡擒抛,死狀恐怖推汽,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情歧沪,我是刑警寧澤歹撒,帶...
    沈念sama閱讀 34,276評論 4 329
  • 正文 年R本政府宣布,位于F島的核電站槽畔,受9級特大地震影響栈妆,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜厢钧,卻給世界環(huán)境...
    茶點故事閱讀 39,882評論 3 312
  • 文/蒙蒙 一鳞尔、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧早直,春花似錦寥假、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,740評論 0 21
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至喻圃,卻和暖如春萤彩,著一層夾襖步出監(jiān)牢的瞬間,已是汗流浹背斧拍。 一陣腳步聲響...
    開封第一講書人閱讀 31,967評論 1 265
  • 我被黑心中介騙來泰國打工雀扶, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留,地道東北人肆汹。 一個月前我還...
    沈念sama閱讀 46,315評論 2 360
  • 正文 我出身青樓愚墓,卻偏偏與公主長得像,于是被迫代替她去往敵國和親昂勉。 傳聞我的和親對象是個殘疾皇子浪册,可洞房花燭夜當晚...
    茶點故事閱讀 43,486評論 2 348

推薦閱讀更多精彩內(nèi)容