在上一篇文章《基于 @vue/cli3
插件,集成日志系统》中,咱们为 ssr
插件中的服务器端逻辑接入了日志系统。javascript
接下来让咱们考虑为 ssr
插件中的服务器端逻辑接入基于 influxdb
的监控系统。咱们按照下面的步骤逐步讲解:前端
influxdb
influxdb
influxDB
是一个由InfluxData
开发的开源时序型数据库。
它由Go
写成,着力于高性能地查询与存储时序型数据。
InfluxDB
被普遍应用于存储系统的监控数据,IoT
行业的实时数据等场景。
------ 来自wikipedia InfluxDBvue
咱们收集的监控信息,最终会上报到 influxdb
中,关于 influxdb
,咱们须要记住如下概念:java
influxDB
: 是一个时序数据库,它存储的数据由 Measurement
, tag组
以及 field组
以及一个 时间戳
组成。Measurement
: 由一个字符串表示该条记录对应的含义。好比它能够是监控数据 cpu_load
,也能够是测量数据average_temperature
(咱们能够先将其理解为 mysql
数据库中的表 table
)tag组
: 由一组键值对组成,表示的是该条记录的一系列属性信息。一样的 measurement
数据所拥有的 tag组
不必定相同,它是无模式的(Schema-free)。tag
信息是默认被索引的。field组
: 也是由一组键值对组成,表示的是该条记录具体的 value
信息(有名称)。field组
中可定义的 value
类型包括:64位整型,64位浮点型,字符串以及布尔型。Field
信息是没法被索引的。对于 influxdb
有了基本的了解后,咱们来设计具体的监控信息内容。node
咱们首先须要考虑 ssr
服务端有哪些信息须要被监控,这里咱们简单定义以下监控内容:mysql
请求数量,指的是服务端每接收到一次页面请求(这里能够不考虑非 GET
的请求),记录一次数据。git
请求耗时,指的是服务端接收到请求,到开始返回响应之间的时间差。github
错误数量,指的是服务端发生错误和异常的次数。sql
错误类型,指的是咱们为错误定义的分类名称。数据库
内存占用,指的是服务端进程占用的内存大小。(这里咱们只记录服务端进程的 RSS
信息)。
那么数据源从哪里来呢?
对于 请求信息
、错误信息
这两个个监控信息的内容,咱们能够借助于在上一篇文章《基于 @vue/cli3
插件,集成日志系统》中,设计的日志系统来采集。
这个系统基于 winston
这个日志工具,winston
支持咱们在写入日志前,对日志进行一些处理,具体参考creating-custom-formats
咱们经过日志系统建立请求日志和错误日志,并在这两类日志的信息中,采集咱们须要的数据。
为此,咱们须要让咱们的日志系统在初始化时支持一个函数类型的参数,在每次写入日志前,都调用这个函数。
打开 app/lib/logger.js
,添加此支持,最终代码以下:
const winston = require('winston')
const { format } = winston
const { combine, timestamp, json } = format
// 咱们声明一个什么都不作的 hook 函数
let _hook = () => {}
const _getToday = (now = new Date()) => `${now.getFullYear()}-${now.getMonth() + 1}-${now.getDate()}`
// 咱们借助 winston 提供的日志格式化 api ,实现了一个采集上报函数
const ReportInfluxDB = format((info) => {
_hook(info)
info.host = os.hostname()
info.pid = process.pid
return info
})
const rotateMap = {
'hourly': 'YYYY-MM-DD-HH',
'daily': 'YYYY-MM-DD',
'monthly': 'YYYY-MM'
}
module.exports = (dirPath = './', rotateMode = '', hookFunc) => {
// 当传递了自定义 hook 函数后,替换掉咱们的默认 hook 函数
if (hookFunc) _hook = hookFunc
if (!~Object.keys(rotateMap).indexOf(rotateMode)) rotateMode = ''
let accessTransport
let combineTransport
if (rotateMode) {
require('winston-daily-rotate-file')
const pid = process.pid
dirPath += '/pid_' + pid + '_' + _getToday() + '/'
const accessLogPath = dirPath + 'access-%DATE%.log'
const combineLogPath = dirPath + 'combine-%DATE%.log'
const datePattern = rotateMap[rotateMode] || 'YYYY-MM'
accessTransport = new (winston.transports.DailyRotateFile)({
filename: accessLogPath,
datePattern: datePattern,
zippedArchive: true,
maxSize: '1g',
maxFiles: '30d'
})
combineTransport = new (winston.transports.DailyRotateFile)({
filename: combineLogPath,
datePattern: datePattern,
zippedArchive: true,
maxSize: '500m',
maxFiles: '30d'
})
}
const options = {
// 咱们在这里定义日志的等级
levels: { error: 0, warning: 1, notice: 2, info: 3, debug: 4 },
format: combine(
timestamp({ format: 'YYYY-MM-DD HH:mm:ss.SSS' }),
// 为产品环境日志挂载咱们的采集上报函数
ReportInfluxDB()
),
transports: rotateMode ? [
combineTransport
] : []
}
// 开发环境,咱们将日志也输出到终端,并设置上颜色
if (process.env.NODE_ENV === 'development') {
options.format = combine(
timestamp({ format: 'YYYY-MM-DD HH:mm:ss.SSS' }),
winston.format.colorize(),
json(),
// 为产品环境日志挂载咱们的采集上报函数
ReportInfluxDB()
)
// 输出到终端的信息,咱们调整为 simple 格式,方便看到颜色;
// 并设置打印 debug 以上级别的日志(包含 debug)
options.transports.push(new winston.transports.Console({
format: format.simple(), level: 'debug'
}))
}
winston.loggers.add('access', {
levels: { access: 0 },
level: 'access',
format: combine(
timestamp({ format: 'YYYY-MM-DD HH:mm:ss.SSS' }),
json(),
// 为产品环境日志挂载咱们的采集上报函数
ReportInfluxDB()
),
transports: rotateMode ? [
accessTransport
] : []
})
const logger = winston.createLogger(options)
return {
logger: logger,
accessLogger: winston.loggers.get('access')
}
}
复制代码
在 app/server.js
中引入 lib/logger.js
也须要调整为如下方式:
const LOG_HOOK = logInfo => {
if (logInfo.level === 'access') return process.nextTick(() => {
/* TODO: 采集请求数量和请求耗时,并上报 */
})
if (logInfo.level === 'error') return process.nextTick(() => {
/* TODO: 采集错误数量和错误类型,并上报 */
})
}
const { logger, accessLogger } = require('./lib/logger.js')('./', 'hourly', LOG_HOOK)
复制代码
对于 内存占用
,咱们只须要经过 Nodejs
提供的 process.memoryUsage()
方法来采集。
肯定好了监控信息内容、数据源。剩下的就是如何设计监控系统客户端。
咱们借助一个工具库influxdb-nodejs来实现。
首先,咱们建立 app/lib/reporter.js
文件,内容以下:
'use strict'
const Influx = require('influxdb-nodejs')
class Reporter {
constructor (
protocol,
appName,
host,
address,
measurementName,
fieldSchema,
tagSchema,
syncQueueLimit,
intervalMilliseconds,
syncSucceedHook = () => {},
syncfailedHook = () => {}
) {
if (!protocol) throw new Error('[InfluxDB] miss the protocol')
if (!appName) throw new Error('[InfluxDB] miss the app name')
if (!host) throw new Error('[InfluxDB] miss the host')
if (!address) throw new Error('[InfluxDB] miss the report address')
if (!measurementName) throw new Error('[InfluxDB] miss the measurement name')
this.protocol = protocol
this.appName = appName
this.host = host
this.measurementName = measurementName
this.fieldSchema = fieldSchema
this.tagSchema = tagSchema
this.syncSucceedHook = syncSucceedHook
this.syncfailedHook = syncfailedHook
// _counter between the last reported data and the next reported data
this.count = 0
// default sync queue then it has over 100 records
this.syncQueueLimit = syncQueueLimit || 100
// default check write queue per 60 seconds
this.intervalMilliseconds = intervalMilliseconds || 60000
this.client = new Influx(address)
this.client.schema(
this.protocol,
this.fieldSchema,
this.tagSchema,
{
stripUnknown: true
}
)
this.inc = this.inc.bind(this)
this.clear = this.clear.bind(this)
this.syncQueue = this.syncQueue.bind(this)
this.writeQueue = this.writeQueue.bind(this)
// report data to influxdb by specified time interval
setInterval(() => {
this.syncQueue()
}, this.intervalMilliseconds)
}
inc () {
return ++this.count
}
clear () {
this.count = 0
}
syncQueue () {
if (!this.client.writeQueueLength) return
let len = this.client.writeQueueLength
this.client.syncWrite()
.then(() => {
this.clear()
this.syncSucceedHook({ measurement_name: this.measurementName, queue_size: len })
})
.catch(err => {
this.syncfailedHook(err)
})
}
writeQueue (fields, tags) {
fields.count = this.inc()
tags.metric_type = 'counter'
tags.app = this.appName
tags.host = this.host
this.client.write(this.measurementName).tag(tags).field(fields).queue()
if (this.client.writeQueueLength >= this.syncQueueLimit) this.syncQueue()
}
}
const createReporter = (option) => new Reporter(
option.protocol || 'http',
option.app,
option.host,
option.address,
option.measurement,
option.fieldSchema,
option.tagSchema,
option.syncQueueLimit,
option.intervalMilliseconds,
option.syncSucceedHook,
option.syncfailedHook
)
module.exports = createReporter
复制代码
经过上面的代码能够看到,咱们基于 influxdb-nodejs
封装了一个叫作 createReporter
的类。
经过 createReporter
,咱们能够建立:
request reporter
(请求信息上报器)error reporter
(错误信息上报器)memory reporter
(内存信息上报器)全部这些信息,都标配以下字段信息:
app
应用的名称,能够将工程项目中 pacage.json
中的 name
值做为此参数值host
所在服务器操做系统的 hostname
address
监控信息上报的地址measurement
influxdb
中 measurement
的名称fieldSchema
field组
的定义,(具体请参考write-point)tagSchema
tag组
的定义,(具体请参考write-point)syncQueueLimit
缓存上报信息的最大个数,达到这个值,会触发一次监控信息上报,默认缓存 100
条记录intervalMilliseconds
上报信息的时间间隔,默认 1
分钟syncSucceedHook
上报信息成功后执行的函数,能够经过此函数打印一些日志,方便跟踪上报监控信息的状况syncfailedHook
上报信息失败后执行的函数,能够经过此函数打印一些日志,方便跟踪上报监控信息的状况下面,让咱们来看如何使用 app/lib/reporter.js
来建立咱们须要的监控信息上报器。
首选,建立 influxdb
配置文件 app/config/influxdb.js
,内容以下:
'use strict'
const options = {
app: '在这里填写您的应用名称',
address: '在这里填写远程 influxdb 地址',
access: {
measurement: 'requests',
fieldSchema: {
count: 'i',
process_time: 'i'
},
tagSchema: {
app: '*',
host: '*',
request_method: '*',
response_status: '*'
}
},
error: {
measurement: 'errors',
fieldSchema: {
count: 'i'
},
tagSchema: {
app: '*',
host: '*',
exception_type: '*'
}
},
memory: {
measurement: 'memory',
fieldSchema: {
rss: 'i',
heapTotal: 'i',
heapUsed: 'i',
external: 'i'
},
tagSchema: {
app: '*',
host: '*'
}
}
}
module.exports = options
复制代码
对于请求信息,咱们设置了:
count
整型,方便统计请求数process_time
整型,请求耗时(单位:毫秒)request_method
任意类型,请求方法response_status
任意类型,响应状态码对于错误信息,咱们设置了:
count
整型,方便统计错误数exception_type
任意类型,错误类型值(这须要咱们在应用中定义)对于内存信息,咱们设置了:
rss
后端服务进程实际占用内存heapTotal
堆空间上限heapUsed
已使用的堆空间external
V8管理的 C++ 对象占用空间接着建立 app/lib/monitor.js
,内容以下:
'use strict'
const createReporter = require('./reporter.js')
const os = require('os')
const _ = require('lodash')
const config = require('../config/influxdb.js')
const protocol = 'http'
const app = config.app
const host = os.hostname()
const address = config.address
const intervalMilliseconds = 60000
const syncQueueLimit = 100
const syncSucceedHook = info => {
console.log(JSON.stringify({ title: '[InfluxDB] sync write queue success', info: info }))
}
const syncfailedHook = err => {
console.log(JSON.stringify({ title: '[InfluxDB] sync write queue fail.', error: err.message }))
}
const accessReporter = createReporter({
protocol,
app,
host,
address,
measurement: _.get(config, 'access.measurement'),
fieldSchema: _.get(config, 'access.fieldSchema'),
tagSchema: _.get(config, 'access.tagSchema'),
syncQueueLimit,
intervalMilliseconds,
syncSucceedHook,
syncfailedHook
})
const errorReporter = createReporter({
protocol,
app,
host,
address,
measurement: _.get(config, 'error.measurement'),
fieldSchema: _.get(config, 'error.fieldSchema'),
tagSchema: _.get(config, 'error.tagSchema'),
syncQueueLimit,
intervalMilliseconds,
syncSucceedHook,
syncfailedHook
})
const memoryReporter = createReporter({
protocol,
app,
host,
address,
measurement: _.get(config, 'memory.measurement'),
fieldSchema: _.get(config, 'memory.fieldSchema'),
tagSchema: _.get(config, 'memory.tagSchema'),
syncQueueLimit,
intervalMilliseconds,
syncSucceedHook,
syncfailedHook
})
function reportAccess (accessData) {
accessReporter.writeQueue(
{
process_time: accessData.process_time
},
{
request_method: accessData.request_method,
response_status: accessData.response_status
}
)
}
function reportError (errorData) {
errorReporter.writeQueue(
{
},
{
exception_type: errorData.type || 0
}
)
}
function reportMemory () {
const memInfo = process.memoryUsage()
memoryReporter.writeQueue(
{
rss: memInfo.rss || 0,
heapTotal: memInfo.heapTotal || 0,
heapUsed: memInfo.heapUsed || 0,
external: memInfo.external || 0
},
{
}
)
}
global.reportAccess = reportAccess
global.reportError = reportError
global.reportMemory = reportMemory
复制代码
最后,咱们在 app/server.js
中添加具体的上报器调用代码,代码片断以下:
require('./lib/monitor.js')
const reportMemoryStatInterval = 30 * 1000
setInterval(() => {
global.reportMemory()
}, reportMemoryStatInterval)
const LOG_HOOK = logInfo => {
if (logInfo.level === 'access') return process.nextTick(() => {
global.reportAccess(logInfo)
})
if (logInfo.level === 'error') return process.nextTick(() => {
global.reportError(logInfo)
})
}
const { logger, accessLogger } = require('./lib/logger.js')('./', 'hourly', LOG_HOOK)
复制代码
至此,咱们在应用中设计监控信息并建立监控系统客户端的步骤就算完成了。
最终,ssr
插件的目录结构以下所示:
├── app
│ ├── config
│ │ ├── influxdb.js
│ ├── middlewares
│ │ ├── dev.ssr.js
│ │ ├── dev.static.js
│ │ └── prod.ssr.js
│ ├── lib
│ │ ├── reporter.js
│ │ ├── monitor.js
│ │ └── logger.js
│ └── server.js
├── generator
│ ├── index.js
│ └── template
│ ├── src
│ │ ├── App.vue
│ │ ├── assets
│ │ │ └── logo.png
│ │ ├── components
│ │ │ └── HelloWorld.vue
│ │ ├── entry-client.js
│ │ ├── entry-server.js
│ │ ├── main.js
│ │ ├── router
│ │ │ └── index.js
│ │ ├── store
│ │ │ ├── index.js
│ │ │ └── modules
│ │ │ └── book.js
│ │ └── views
│ │ ├── About.vue
│ │ └── Home.vue
│ └── vue.config.js
├── index.js
└── package.json
复制代码
展现监控数据的工具备不少,这里推荐一个官方 influxdata
提供的工具:chronograf。
关于 chronograf
的知识,本文再也不展开,有兴趣的同窗能够查阅官方文档学习相关细节。
水滴前端团队招募伙伴,欢迎投递简历到邮箱:fed@shuidihuzhu.com