溫馨提示×

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

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

使用node怎么實(shí)現(xiàn)錯(cuò)誤處理

發(fā)布時(shí)間:2021-06-01 18:00:33 來源:億速云 閱讀:225 作者:Leah 欄目:web開發(fā)

本篇文章為大家展示了使用node怎么實(shí)現(xiàn)錯(cuò)誤處理,內(nèi)容簡(jiǎn)明扼要并且容易理解,絕對(duì)能使你眼前一亮,通過這篇文章的詳細(xì)介紹希望你能有所收獲。

node項(xiàng)目中的錯(cuò)誤處理

node中Error對(duì)象的使用

使用captureStackTrace方法加入自帶的錯(cuò)誤信息

// Error對(duì)象自帶的屬性
Error.captureStackTrace

// 如何使用captureStackTrace
var obj = {
  message: 'something is wrong'
}

Error.captureStackTrace(obj)

throw obj  // 此時(shí)會(huì)拋出obj對(duì)象的message內(nèi)信息

使用try catch捕獲錯(cuò)誤

直接把代碼寫在try catch中即可捕獲錯(cuò)誤信息

try{
  throw new Error('oh no')
}catch(e){
  console.log(e)
}

在異步代碼中,直接try catch是無法捕獲錯(cuò)誤信息的,可以使用如下方法

function foo(params, cb){
  const error = new Error('something is wrong')
  if(error) cb(error)
}

以上使用callback方式來做錯(cuò)誤處理比較容易麻煩,容易出錯(cuò),現(xiàn)在node已經(jīng)支持async await所以盡量使用它們準(zhǔn)沒錯(cuò)

async function foo(){
  try{
    await bar()
  }catch(e){
    console.log(e)
  }
}

async function bar(){
  throw new Error('async function got wrong)
}

foo()

基本錯(cuò)誤類型

在項(xiàng)目會(huì)有多個(gè)地方對(duì)錯(cuò)誤信息進(jìn)行處理,所以先寫一個(gè)基本錯(cuò)誤類型,方便使用

// 基本錯(cuò)誤類型
class HttpBaseError extends Error {
 constructor(httpStatusCode, httpMsg, errCode, msg) {
  super(`HTTP ERROR: ${msg}`);
  this.httpStatusCode = httpStatusCode;
  this.httpMsg = httpMsg;
  this.errCode = errCode;
 }
}

try {
// 直接拋出定義好的錯(cuò)誤即可
 throw new HttpBaseError(404, '資源不存在', 10000, 'resouse is not found');
} catch (e) {
 console.log(e.message);
 console.log(e.httpStatusCode);
 console.log(e.httpMsg);
 console.log(e.errCode);
}

特定錯(cuò)誤類型

除了基本類型,不同情況下會(huì)有不同錯(cuò)誤信息,需要用一個(gè)特定的錯(cuò)誤類型來處理特定的錯(cuò)誤信息

// 一個(gè)參數(shù)錯(cuò)誤類型
const ERROR_CODE = 40000  // 錯(cuò)誤碼
class HttpRequestParamError extends HttpBaseError {
  constructor(paramName, desc, msg) {
    super(200, desc, ERROR_CODE, `${paramName} wrong: ${msg}`)
  }
}

這樣,在參數(shù)錯(cuò)誤的地方就能非常方便的調(diào)用這個(gè)錯(cuò)誤類型來返回錯(cuò)誤

拋錯(cuò)的邏輯

錯(cuò)誤處理中,model,controller中的錯(cuò)誤,有些是不能直接返回給用戶的,應(yīng)該只返回給model或controller的調(diào)用者。

使用錯(cuò)誤處理

正常接口,controller,model的錯(cuò)誤,使用設(shè)定好的錯(cuò)誤類型進(jìn)行處理,例如前面寫的HttpRequestParamError,在所有所有路由的最后,需要使用一個(gè)error handler來對(duì)所有的錯(cuò)誤進(jìn)行集中處理

// error handler
function handler(options) {
  return function (err, req, res, next) {
    if (err instanceof HttpRequestParamError) {  // 這里對(duì)不同的錯(cuò)誤做不同的處理
      console.log('http request error')
      res.statusCode = err.httpStatusCode
      res.json({
        code: err.errCode,
        msg: err.httpMsg
      })
    } else {
      // 設(shè)定之外的錯(cuò)誤,把管理權(quán)向外移交
      next(err)
    }
  }
}

除了可預(yù)知的錯(cuò)誤,還有未知的類型的錯(cuò)誤,此時(shí)需要一個(gè)unknow error handler進(jìn)行剩余錯(cuò)誤的處理

function unKnowErrorHandler(options) {
  return function (err, req, res, next) {
    console.log(err)
    res.json({
      code: 99999,
      msg: 'unKnow error'
    })
  }
}

node中的日志

平時(shí)使用console來debug是沒有問題的,但是在線上環(huán)境,我們并不能有效的看到console,使用日志系統(tǒng)可以更好的方便線上的debug,記錄信息等

winston的使用

winston是node中常用的日志插件

const winston = require('winston')

const logger = winston.createLogger({
  transports: [
    new winston.transports.Console(),
    new winston.transports.File({
      name: 'info_logger',  // log名稱
      filename: 'logs/info.log',  // 日志記錄文件地址
      level: 'info' // 設(shè)置log的類型
    }),
    // 第二個(gè)logger,記錄error級(jí)別的log
    new winston.transports.File({
      name: 'error_logger',
      filename: 'logs/error.log',
      level: 'error'
    })
  ]
});

// error級(jí)別比info要高,error.log文件只會(huì)記錄error日志
logger.error('first error log with winston')
// info文件內(nèi)會(huì)記錄info級(jí)別的log和比info級(jí)別高的log,比如error
logger.info('first info log with winston')

日志滾動(dòng)(log rotation)

在產(chǎn)生大量數(shù)據(jù)的應(yīng)用當(dāng)中,日志的輸出是大量的,這是就需要對(duì)日志進(jìn)行拆分處理,例如按照每天的頻率來分別記錄日志。

winston并不自帶log rotation,需要引入winston-daily-rotate-file庫

const {
  createLogger,
  format,
  transports
} = require('winston');
const {
  combine,
  timestamp,
  label,
  prettyPrint
} = format;
require('winston-daily-rotate-file')


var transport = new(transports.DailyRotateFile)({
  filename: './logs/app-%DATE%.log',
  datePattern: 'YYYY-MM-DD-HH',
  maxSize: '20m',
  maxFiles: '14d',
  format: combine(
    label({
      label: 'right meow!'
    }),
    timestamp(),
    prettyPrint()
  ),
});
transport.on('rotate', function (oldFilename, newFilename) {});

var logger = createLogger({
  transports: [
    transport
  ]
});

logger.info('Hello World!');

上述內(nèi)容就是使用node怎么實(shí)現(xiàn)錯(cuò)誤處理,你們學(xué)到知識(shí)或技能了嗎?如果還想學(xué)到更多技能或者豐富自己的知識(shí)儲(chǔ)備,歡迎關(guān)注億速云行業(yè)資訊頻道。

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

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

AI