{ try { awa..."/>
溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點(diǎn)擊 登錄注冊 即表示同意《億速云用戶服務(wù)條款》

Koa 中的錯誤處理解析

發(fā)布時間:2020-09-04 14:09:29 來源:腳本之家 閱讀:432 作者:劉哇勇的部落格 欄目:web開發(fā)

不像 express 中在末尾處注冊一個聲明為 (err, req, res, next) 中間件的方式,koa 剛好相反,在開頭進(jìn)行注冊。

app.use(async (ctx, next) => {
 try {
  await next();
 } catch (err) {
  ctx.status = err.status || 500;
  ctx.body = err.message;
  ctx.app.emit("error", err, ctx);
 }
});

這樣程序中任何報錯都會收斂到此處。此時可以方便地將錯誤打印到頁面,開發(fā)時非常便捷。

+   ctx.app.emit('error', err, ctx);

koa 也建議通過 app 來派發(fā)錯誤,然后通過監(jiān)聽 app 上的 error 事件對這些錯誤做進(jìn)一步的統(tǒng)一處理和集中管理。

app.on("error", (err, ctx) => {
 /* 錯誤的集中處理:
  * log 出來
  * 寫入日志
  * 寫入數(shù)據(jù)庫
  *  ...
  */
});

一個錯誤捕獲并打印到頁面的示例:

const Koa = require("koa");
const app = new Koa();

app.use(async (ctx, next) => {
 try {
  await next();
 } catch (err) {
  const status = err.status || 500;
  ctx.status = status;
  ctx.type = "html";
  ctx.body = `
  <b>${status}</b> ${err}
  `;
  // emmit
  ctx.app.emit("error", err, ctx);
 }
});

app.use(ctx => {
 const a = "hello";
 a = "hello world!"; // TypeError: Assignment to constant variable.
 ctx.body = a;
});

app.on("error", (err, ctx) => {
 console.error("Ooops..\n", err);
});

app.listen(3000);

通過 node server.js 啟動后訪問頁面可看到命令行的錯誤輸出。

如果使用 pm2,可通過 —no-daemon 參數(shù)使其停留在在命令行以查看輸出。

如果不使用上述參數(shù),可通過 pm2 logs [app-name] 來查看。

ctx.throw

樸素的拋錯方式需要手動設(shè)置狀態(tài)碼及信息對客戶端的可見性。

const err = new Error("err msg");
err.status = 401;
err.expose = true;
throw err;

expose 決定是否會返回錯誤詳情給客戶端,否則只展示狀態(tài)對應(yīng)的錯誤文案,比如 500 會在瀏覽器中展示為 Internal Server Error 。

而通過 ctx.throw 這個 helper 方法會更加簡潔。

上面的代碼片段等價于:

ctx.throw(401, "err msg");

如果不指定狀態(tài)碼,默認(rèn)為 500。5xx 類錯誤 expose 默認(rèn)為 false ,即不會將錯誤信息返回到 response。

拋錯時還可以傳遞一些額外數(shù)據(jù),這些數(shù)據(jù)會合并到錯誤對象上,在處理錯誤的地方可以從 error 上獲取。

app.use(ctx => {
 ctx.throw(401, "access_denied", { user: { name: "foo" } });
});

app.on("error", (err, ctx) => {
 console.error("Ooops..\n", err.user);
});

參考

Error Handling
ctx.throw

以上就是本文的全部內(nèi)容,希望對大家的學(xué)習(xí)有所幫助,也希望大家多多支持億速云。

向AI問一下細(xì)節(jié)

免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進(jìn)行舉報,并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI