

pm2中自带的日志内容是不能满足日常的需求的,因此需要在项目中加上日志管理,这里研究了下log4的使用方法,效果挺好的,想要查看的都可以找到,记录下简单的使用步骤
log4的配合
// config.js
let path = require('path');
// 日志根目录
let baseLogPath = path.resolve(__dirname, '../../../logs');
// 请求日志目录
let reqPath = '/request';
// 请求日志文件名
let reqFileName = 'request';
// 请求日志log4的日志封装
这里是把log4封装成一个中间件,在app.js中直接调用就可以了
// 先安装log4js
// log4.js
const log4Config = require('./config')
const log4js = require('log4js')
// 调用配置文件
log4js.configure(log4Config)
class CommonHandle {
constructor(){}
// 格式化请求日志
static formatReqLog(ctx, time){
let text = '------------request start------------'
let method = ctx.method
text += `request method: ${method} \n request url: ${ctx.originalUrl } \n`
if(method = 'GET'){
text += `request data: ${JSON.stringify(ctx.query)} \n`
}else{
text += `request data: ${JSON.stringify(ctx.body)} \n`
}
text += `ctx all: ${JSON.stringify(ctx)}`
return text
}
// 格式化相应日志
static formatResLog(ctx,time){
let text = '------------response start------------'
text += `response result: ${JSON.stringify(ctx.response.body)} \n`
text += `response all: ${JSON.stringify(ctx)} \n`
text += `response time: ${time} \n`
return text
}
// 格式化错误日志
static formatErrorLog(ctx,error,time){
let text = '------------error start------------'
text += this.formatResLog(ctx,time)
text += `error content: ${JSON.stringify(error)}`
return text
}
}
class HandleLogger extends CommonHandle{
constructor(){
super()
}
// 请求日志
static reqLogger(ctx){
log4js.getLogger('reqLogger').info(this.formatReqLog(ctx))
}
// 相应日志
static resLogger(ctx, time){
log4js.getLogger('resLogger').info(this.formatResLog(ctx,time))
}
// 错误日志
static errorLogger(ctx, error, time){
log4js.getLogger('errLogger').info(this.formatErrorLog(ctx,error,time))
}
}
module.exports = (options) => {
return async (ctx,next) => {
const startTime = new Date()
let period;
try{
// 请求日志
HandleLogger.reqLogger(ctx)
await next()
period = new Date() - startTime
// 响应日志
HandleLogger.resLogger(ctx,period)
}catch(err){
period = new Date() - startTime
// 错误日志
HandleLogger.errorLogger(ctx, err, period)
}
}
}
调用封装好的日志函数
这里直接以中间件的形式调用就可以了
// app.js
const Koa = require('koa')
const app = new Koa()
const LogJS = require('./common/log/log4')
// log4.js引入
app.use(LogJS())
最后部署上线之后就能直接在根目录下的logs文件夹下查看对应的日志内容。
