利用 async 函數,你可以把基於 Promise 的非同步程式碼寫得就像同步程式碼一樣。一旦你使用 async 關鍵字來定義了一個函數,那你就可以在這個函數內使用 await 關鍵字。當一個 async 函數被呼叫時,它會返回一個 Promise。當這個 async 函數返回一個值時,那個 Promise 就會被實現;而如果函數中丟擲一個錯誤,那麼 Promise 就會被拒絕。【相關教學推薦:、】
await 關鍵字可以被用來等待一個 Promise 被解決並返回其實現的值。如果傳給 await 的值不是一個 Promise,那它會把這個值轉化為一個已解決的 Promise。
const rp = require('request-promise')
async function main () {
const result = await rp('https://google.com')
const twenty = await 20
// 睡個1秒鐘
await new Promise (resolve => {
setTimeout(resolve, 1000)
})
return result
}
main()
.then(console.log)
.catch(console.error)
登入後複製
如果你的 Node.js 應用已經在使用Promise,那你只需要把原先的鏈式呼叫改寫為對你的這些 Promise 進行 await。
如果你的應用還在使用回撥函數,那你應該以漸進的方式轉向使用 async 函數。你可以在開發一些新功能的時候使用這項新技術。當你必須呼叫一些舊有的程式碼時,你可以簡單地把它們包裹成為 Promise 再用新的方式呼叫。
要做到這一點,你可以使用內建的 util.promisify方法:
const util = require('util')
const {readFile} = require('fs')
const readFileAsync = util.promisify(readFile)
async function main () {
const result = await readFileAsync('.gitignore')
return result
}
main()
.then(console.log)
.catch(console.error)
登入後複製
express 本來就支援 Promise,所以在 express 中使用 async 函數是比較簡單的:
const express = require('express')
const app = express()
app.get('/', async (request, response) => {
// 在這裡等待 Promise
// 如果你只是在等待一個單獨的 Promise,你其實可以直接將將它作為返回值返回,不需要使用 await 去等待。
const result = await getContent()
response.send(result)
})
app.listen(process.env.PORT)
登入後複製
但正如 Keith Smith 所指出的,上面這個例子有一個嚴重的問題——如果 Promise 最終被拒絕,由於這裡沒有進行錯誤處理,那這個 express 路由處理器就會被掛起。
為了修正這個問題,你應該把你的非同步處理器包裹在一個對錯誤進行處理的函數中:
const awaitHandlerFactory = (middleware) => {
return async (req, res, next) => {
try {
await middleware(req, res, next)
} catch (err) {
next(err)
}
}
}
// 然後這樣使用:
app.get('/', awaitHandlerFactory(async (request, response) => {
const result = await getContent()
response.send(result)
}))
登入後複製
比如說你正在編寫這樣一個程式,一個操作需要兩個輸入,其中一個來自於資料庫,另一個則來自於一個外部服務:
async function main () {
const user = await Users.fetch(userId)
const product = await Products.fetch(productId)
await makePurchase(user, product)
}
登入後複製
在這個例子中,會發生什麼呢?
你的程式碼會首先去獲取 user,
然後獲取 product,
最後再進行支付。
如你所見,由於前兩步之間並沒有相互依賴關係,其實你完全可以將它們並行執行。這裡,你應該使用 Promise.all 方法:
async function main () {
const [user, product] = await Promise.all([
Users.fetch(userId),
Products.fetch(productId)
])
await makePurchase(user, product)
}
登入後複製
而有時候,你只需要其中最快被解決的 Promise 的返回值——這時,你可以使用 Promise.race 方法。
更多node相關知識,請存取:!
以上就是聊聊Node中怎麼用async函數的詳細內容,更多請關注TW511.COM其它相關文章!