-
-
Notifications
You must be signed in to change notification settings - Fork 122
/
Copy pathlogger.js
327 lines (282 loc) · 8.13 KB
/
logger.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
// ts-check
import { SSR } from '@/lib/constants'
const isBrowser = !SSR
export const LogLevel = {
TRACE: 600,
DEBUG: 500,
INFO: 400,
WARN: 300,
ERROR: 200,
FATAL: 100,
OFF: 0
}
/**
* @abstract
*/
export class LogAttachment {
/**
* Log something
* @param {Logger} logger - the logger that called this attachment
* @param {number} level - the log level
* @param {string[]} tags - the tags
* @param {...any} message - the message to log
* @abstract
* @protected
*/
log (logger, level, tags, ...message) {
throw new Error('Method not implemented.')
}
}
export class ConsoleLogAttachment extends LogAttachment {
level = undefined
/**
* @param {number} level
*/
constructor (level) {
super()
this.level = level
}
log (logger, level, tags, ...message) {
if (this.level && level > this.level) return
let head = ''
if (!isBrowser) {
const date = new Date()
const year = date.getFullYear()
const month = ('0' + (date.getMonth() + 1)).slice(-2)
const day = ('0' + date.getDate()).slice(-2)
const hour = ('0' + date.getHours()).slice(-2)
const minute = ('0' + date.getMinutes()).slice(-2)
const second = ('0' + date.getSeconds()).slice(-2)
head += `[${year}-${month}-${day} ${hour}:${minute}:${second}] `
}
head += `[${logger.name}]`
if (!isBrowser) {
head += ` [${Object.entries(LogLevel).find(([k, v]) => v === level)[0]}]`
}
const tail = tags.length ? ` ${tags.join(',')}` : ''
if (level <= LogLevel.ERROR) {
console.error(head, ...message, tail)
} else if (level <= LogLevel.WARN) {
console.warn(head, ...message, tail)
} else if (level <= LogLevel.INFO) {
console.info(head, ...message, tail)
} else {
console.log(head, ...message, tail)
}
}
}
export class JSONLogAttachment extends LogAttachment {
level = undefined
endpoint = null
constructor (endpoint, level) {
super()
this.endpoint = endpoint
this.level = level
}
log (logger, level, tags, ...message) {
if (this.level && level > this.level) return
const serialize = (m) => {
const type = typeof m
if (type === 'function') {
return m.toString() + '\n' + new Error().stack
} else if (type === 'undefined') {
return 'undefined'
} else if (m === null) {
return 'null'
} else if (type === 'string' || type === 'number' || type === 'bigint' || type === 'boolean') {
return String(m)
} else if (m instanceof Error) {
return m.message || m.toString()
} else if (m instanceof ArrayBuffer || m instanceof Uint8Array) {
return 'Buffer:' + Array.prototype.map.call(new Uint8Array(m), (x) => ('00' + x.toString(16)).slice(-2)).join('')
} else if (type === 'object' && Array.isArray(m)) {
return JSON.stringify(m.map(serialize), null, 2)
} else {
try {
const str = m.toString()
if (str !== '[object Object]') return str
} catch (e) {
console.error(e)
}
return JSON.stringify(m, null, 2)
}
}
const logLevelStr = Object.entries(LogLevel).find(([k, v]) => v === level)[0]
fetch(this.endpoint, {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
body: JSON.stringify({
logger: logger.name,
tags,
level: logLevelStr,
message: message.map((m) => serialize(m)).join(' '),
createdAt: new Date().toISOString()
})
}).catch((e) => console.error('Error in JSONLogAttachment', e))
}
}
/**
* A logger.
* Use debug, trace, info, warn, error, fatal to log messages unless you need to do some expensive computation to get the message,
* in that case do it in a function you pass to debugLazy, traceLazy, infoLazy, warnLazy, errorLazy, fatalLazy
* that will be called only if the log level is enabled.
*/
export class Logger {
tags = []
globalTags = {}
attachments = []
name = null
level = null
groupTags = []
/**
*
* @param {string} name
* @param {number} [level]
* @param {string[]} [tags]
* @param {{[key: string]: string}} [globalTags]
* @param {string[]} [groupTags]
*/
constructor (name, level, tags, globalTags, groupTags) {
this.name = name
this.tags.push(...tags)
this.globalTags = globalTags || {}
this.level = level
if (groupTags) this.groupTags.push(...groupTags)
}
/**
* Add a log attachment
* @param {LogAttachment} attachment - the attachment to add
* @public
*/
addAttachment (attachment) {
this.attachments.push(attachment)
}
group (label) {
this.groupTags.push(label)
}
groupEnd () {
this.groupTags.pop()
}
fork (label) {
const logger = new Logger(this.name, this.level, [...this.tags], this.globalTags, [...this.groupTags, label])
for (const attachment of this.attachments) {
logger.addAttachment(attachment)
}
return logger
}
/**
* Log something
* @param {number} level - the log level
* @param {...any} message - the message to log
* @public
*/
log (level, ...message) {
if (level > this.level) return
for (const attachment of this.attachments) {
try {
attachment.log(this, level, [...this.tags, ...this.groupTags, ...Object.entries(this.globalTags).map(([k, v]) => `${k}:${v}`)], ...message)
} catch (e) {
console.error('Error in log attachment', e)
}
}
}
/**
* Log something lazily.
* @param {number} level - the log level
* @param {() => (any|Promise<any>)} func - The function to call (can be async, but better not)
* @throws {Error} if func is not a function
* @public
*/
logLazy (level, func) {
if (typeof func !== 'function') {
throw new Error('lazy log needs a function to call')
}
if (level > this.level) return
try {
const res = func()
const _log = (message) => {
message = Array.isArray(message) ? message : [message]
this.log(level, ...message)
}
if (res instanceof Promise) {
res.then(_log)
.catch((e) => this.error('Error in lazy log', e))
.catch((e) => console.error('Error in lazy log', e))
} else {
_log(res)
}
} catch (e) {
this.error('Error in lazy log', e)
}
}
debug (...message) {
this.log(LogLevel.DEBUG, ...message)
}
trace (...message) {
this.log(LogLevel.TRACE, ...message)
}
info (...message) {
this.log(LogLevel.INFO, ...message)
}
warn (...message) {
this.log(LogLevel.WARN, ...message)
}
error (...message) {
this.log(LogLevel.ERROR, ...message)
}
fatal (...message) {
this.log(LogLevel.FATAL, ...message)
}
debugLazy (func) {
this.logLazy(LogLevel.DEBUG, func)
}
traceLazy (func) {
this.logLazy(LogLevel.TRACE, func)
}
infoLazy (func) {
this.logLazy(LogLevel.INFO, func)
}
warnLazy (func) {
this.logLazy(LogLevel.WARN, func)
}
errorLazy (func) {
this.logLazy(LogLevel.ERROR, func)
}
fatalLazy (func) {
this.logLazy(LogLevel.FATAL, func)
}
}
const globalLoggerTags = {}
export function setGlobalLoggerTag (key, value) {
if (value === undefined || value === null) {
delete globalLoggerTags[key]
} else {
globalLoggerTags[key] = value
}
}
export function getLogger (name = 'default', tags = [], level) {
if (!Array.isArray(tags)) tags = [tags]
let httpEndpoint = !isBrowser ? 'http://logpipe:7068/write' : 'http://localhost:7068/write'
let env = 'production'
if (typeof process !== 'undefined') {
env = process.env.NODE_ENV || env
httpEndpoint = process.env.SN_LOG_HTTP_ENDPOINT || httpEndpoint
level = level ?? process.env.SN_LOG_LEVEL
}
level = level ?? (env === 'development' ? 'TRACE' : 'INFO')
if (!isBrowser) {
tags.push('backend')
} else {
tags.push('frontend')
}
const logger = new Logger(name, LogLevel[level], tags, globalLoggerTags)
if (env === 'development') {
logger.addAttachment(new ConsoleLogAttachment())
logger.addAttachment(new JSONLogAttachment(httpEndpoint))
} else {
logger.addAttachment(new ConsoleLogAttachment())
}
return logger
}