ES6 Promise 對象
概述
是非同步編程的一種解決方案。
從語法上說,Promise 是一個對象,從它可以獲取非同步操作的消息。
Promise 狀態
狀態的特點
Promise 非同步操作有三種狀態:pending(進行中)、fulfilled(已成功)和 rejected(已失敗)。除了非同步操作的結果,任何其他操作都無法改變這個狀態。
Promise 對象只有:從 pending 變為 fulfilled 和從 pending 變為 rejected 的狀態改變。只要處於 fulfilled 和 rejected ,狀態就不會再變了即 resolved(已定型)。
const p1 = new Promise(function(resolve,reject){
resolve("success1");
resolve("success2");
});
const p2 = new Promise(function(){
resolve("success3");
reject("reject");
});
p1.then(function(value){
console.log(value); // success1
});
p2.then(function(value){
console.log(value); // success3
});
狀態的缺點
無法取消 Promise ,一旦新建它就會立即執行,無法中途取消。
如果不設置回調函數,Promise 內部拋出的錯誤,不會反應到外部。
當處於 pending 狀態時,無法得知目前進展到哪一個階段(剛剛開始還是即將完成)。
then 方法
then 方法接收兩個函數作為參數,第一個參數是 Promise 執行成功時的回調,第二個參數是 Promise 執行失敗時的回調,兩個函數只會有一個被調用。
then 方法的特點
在 JavaScript 事件隊列的當前運行完成之前,回調函數永遠不會被調用。
const p = new Promise(function(resolve,reject){
resolve("success");
});
p.then(function(value){
console.log(value);
});
console.log("first");
// first
// success
通過 .then 形式添加的回調函數,不論什麼時候,都會被調用。
通過多次調用
.then
,可以添加多個回調函數,它們會按照插入順序並且獨立運行。const p = new Promise(function(resolve,reject){
resolve(1);
}).then(function(value){ // 第一個then // 1
console.log(value);
return value * 2;
}).then(function(value){ // 第二個then // 2
console.log(value);
}).then(function(value){ // 第三個then // undefined
console.log(value);
return Promise.resolve("resolve");
}).then(function(value){ // 第四個then // resolve
console.log(value);
return Promise.reject("reject");
}).then(function(value){ // 第五個then //reject:reject
console.log("resolve:" + value);
}, function(err) {
console.log("reject:" + err);
});
then 方法將返回一個 resolved 或 rejected 狀態的 Promise 對象用於鏈式調用,且 Promise 對象的值就是這個返回值。
then 方法注意點
簡便的 Promise 鏈式編程最好保持扁平化,不要嵌套 Promise。
注意總是返回或終止 Promise 鏈。
const p1 = new Promise(function(resolve,reject){
resolve(1);
}).then(function(result) {
p2(result).then(newResult => p3(newResult));
}).then(() => p4());
創建新 Promise 但忘記返回它時,對應鏈條被打破,導致 p4 會與 p2 和 p3 同時進行。
大多數瀏覽器中不能終止的 Promise 鏈里的 rejection,建議後面都跟上 .catch(error => console.log(error));
打開今日頭條,查看更多圖片
※HAProxy、Keepalived 在 Ocatvia 的應用實現與分析
※MongoDB + Spark:完整的大數據解決方案
TAG:程序員小新人學習 |