您好,登錄后才能下訂單哦!
怎么在Promise鏈中共享變量?其實要解決這個問題也不難,為此小編總結了這篇文章,下面我們一起來看看在Promise鏈中共享變量的方法。
connection變量在A處定義,在B和C處都需要使用。但是,由于A、B、C處于各自獨立的作用域,connection變量將不能在B和C處直接使用。
db.open()
.then(connection => // A
{
return connection.select(
{
name: 'Fundebug'
});
})
.then(result =>
{
connection.query(); // B
})
.catch(error =>
{
// ...
})
.finally(() =>
{
connection.close(); // C
});
在更高階的作用域定義connection變量,在D處賦值,這樣在B和C處直接使用了。
let connection; // A
db.open()
.then(conn =>
{
connection = conn; // D
return connection.select(
{
name: 'Fundebug'
});
})
.then(result =>
{
connection.query(); // B
})
.catch(error =>
{
// ...
})
.finally(() =>
{
connection.close(); // C
});
問題:如果需要共享的變量過多(這是很常見的情況),則需要在高階作用域中定義很多變量,這樣非常麻煩,代碼也比較冗余。
將需要使用connection變量的Promise鏈內嵌到對應then回調函數中,這樣在B和C處直接使用了。
db.open()
.then(connection => // A
{
return connection.select(
{
name: 'Fundebug'
})
.then(result =>
{
connection.query(); // B
})
.catch(error =>
{
// ...
})
.finally(() =>
{
connection.close(); // C
});
});
問題:之所以使用Promise,就是為了避免回調地域,將多層嵌套的回調函數轉化為鏈式的then調用;如果為了共享變量采用嵌套寫法,則要Promise有何用?
intermediate變量在A處定義并賦值,而在B處需要使用;但是,由于A與B處于不同的作用域,B出并不能直接使用intermediate變量:
return asyncFunc1()
.then(result1 =>
{
const intermediate = ··· ; // A
return asyncFunc2();
})
.then(result2 =>
{
console.log(intermediate); // B
});
在A處使用Promise.all返回多個值,就可以將intermediate變量的值傳遞到B處:
return asyncFunc1()
.then(result1 =>
{
const intermediate = ···;
return Promise.all([asyncFunc2(), intermediate]); // A
})
.then(([result2, intermediate]) =>
{
console.log(intermediate); // B
});
問題: 使用Promise.all用于傳遞共享變量,看似巧妙,但是有點大材小用,并不合理;不能將變量傳遞到.catch()與finally()中;當共享變量過多,或者需要跨過數個.then(),需要return的值會很多。
Async/Await是寫異步代碼的新方式,可以替代Promise,它使得異步代碼看起來像同步代碼,可以將多個異步操作寫在同一個作用域中,這樣就不存在傳遞共享變量的問題了!!!
方法1中的示例可以改寫為:
try
{
var connection = await db.open(); // A
const result = await connection.select(
{
name: 'Fundebug'
});
connection.query(); // B
}
catch (error)
{
// ...
}
finally
{
connection.close(); // C
}
方法3中的示例可以改寫為:
try
{
result1 = await asyncFunc1();
const intermediate = ··· ;
result2 = await asyncFunc2();
console.log(intermediate);
}
catch (error)
{
// ...
}
毋庸贅言,Async/Await直接將問題消滅了。
看完這篇文章,你們學會在Promise鏈中共享變量的方法了嗎?如果還想學到更多技能或想了解更多相關內容,歡迎關注億速云行業資訊頻道,感謝各位的閱讀。
免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。