-
Notifications
You must be signed in to change notification settings - Fork 20
/
chronicles.nim
408 lines (342 loc) · 14.7 KB
/
chronicles.nim
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
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
import
macros, tables, strutils, strformat,
chronicles/[scope_helpers, dynamic_scope, log_output, options]
export
dynamic_scope, log_output, options
# So, how does Chronicles work?
#
# The tricky part is understanding how the lexical scopes are implemened.
# For them to work, we need to be able to associate a mutable compile-time
# data with a lexical scope (with a different value for each scope).
# The regular compile-time variable are not suited for this, because they
# offer us only a single global value that can be mutated.
#
# Luckily, we can use the body of a template as the storage mechanism for
# our data. This works, because template names bound to particular scopes
# and templates can be freely redefined as many times as necessary.
#
# `activeChroniclesScope` stores the current lexical scope.
#
# `logScopeIMPL` is used to merge a previously defined scope with some
# new definition in order to produce a new scope:
#
template activeChroniclesScope* =
0 # track the scope revision
macro logScopeIMPL(prevScopes: typed,
newBindings: untyped,
isPublic: static[bool]): untyped =
result = newStmtList()
var
bestScope = prevScopes.lastScopeBody
bestScopeRev = bestScope.scopeRevision
newRevision = newLit(bestScopeRev + 1)
finalBindings = initTable[string, NimNode]()
newAssingments = newStmtList()
chroniclesExportNode: NimNode = if not isPublic: nil
else: newTree(nnkExportExceptStmt,
id"chronicles",
id"activeChroniclesScope")
for k, v in assignments(bestScope.scopeAssignments, acScopeBlock):
finalBindings[k] = v
for k, v in assignments(newBindings, acScopeBlock):
finalBindings[k] = v
for k, v in finalBindings:
if k == "stream":
let streamId = id($v)
let errorMsg = &"{v.lineInfo}: {$streamId} is not a recognized stream name"
let templateName = id("activeChroniclesStream", isPublic)
result.add quote do:
when not declared(`streamId`):
# XXX: how to report the proper line info here?
{.error: `errorMsg`.}
#elif not isStreamSymbolIMPL(`streamId`):
# {.error: `errorMsg`.}
template `templateName`: type = `streamId`
if isPublic:
chroniclesExportNode.add id"activeChroniclesStream"
else:
newAssingments.add newAssignment(id(k), v)
if isPublic:
result.add chroniclesExportNode
let activeScope = id("activeChroniclesScope", isPublic)
result.add quote do:
template `activeScope` =
`newRevision`
`newAssingments`
template logScope*(newBindings: untyped) {.dirty.} =
bind bindSym, logScopeIMPL, brForceOpen
logScopeIMPL(bindSym("activeChroniclesScope", brForceOpen),
newBindings, false)
template publicLogScope*(newBindings: untyped) {.dirty.} =
bind bindSym, logScopeIMPL, brForceOpen
logScopeIMPL(bindSym("activeChroniclesScope", brForceOpen),
newBindings, true)
template dynamicLogScope*(stream: type,
bindings: varargs[untyped]) {.dirty.} =
bind bindSym, brForceOpen
dynamicLogScopeIMPL(stream,
bindSym("activeChroniclesScope", brForceOpen),
bindings)
template dynamicLogScope*(bindings: varargs[untyped]) {.dirty.} =
bind bindSym, brForceOpen
dynamicLogScopeIMPL(activeChroniclesStream(),
bindSym("activeChroniclesScope", brForceOpen),
bindings)
let chroniclesBlockName {.compileTime.} = ident "chroniclesLogStmt"
when runtimeFilteringEnabled:
import chronicles/topics_registry
export setTopicState, setLogLevel, TopicState
proc topicStateIMPL(topicName: static[string]): ptr TopicSettings =
# Nim's GC safety analysis gets confused by the global variables here
{.gcsafe.}:
var topic {.global.} = TopicSettings(state: Normal, logLevel: NONE)
var dummy {.global, used.} = registerTopic(topicName, addr(topic))
return addr(topic)
proc runtimeTopicFilteringCode*(logLevel: LogLevel, topics: seq[string]): NimNode =
# This proc generates the run-time code used for topic filtering.
# Each logging statement has a statically known list of associated topics.
# For each of the topics in the list, we consult a global TopicState value
# created in topicStateIMPL. `break chroniclesLogStmt` exits a named
# block surrounding the entire log statement.
result = newStmtList()
var
topicStateIMPL = bindSym("topicStateIMPL")
topicsMatch = bindSym("topicsMatch")
var topicsArray = newTree(nnkBracket)
for topic in topics:
topicsArray.add newCall(topicStateIMPL, newLit(topic))
result.add quote do:
if not `topicsMatch`(LogLevel(`logLevel`), `topicsArray`):
break `chroniclesBlockName`
else:
template runtimeFilteringDisabledError =
{.error: "Run-time topic filtering is currently disabled. " &
"You can enable it by specifying '-d:chronicles_runtime_filtering:on'".}
template setTopicState*(name, state) = runtimeFilteringDisabledError
template setLogLevel*(name, state) = runtimeFilteringDisabledError
type InstInfo = tuple[filename: string, line: int, column: int]
when compileOption("threads"):
# With threads turned on, we give the thread id
# TODO: Does this make sense on all platforms? On linux, conveniently, the
# process id is the thread id of the `main` thread..
proc getLogThreadId*(): int = getThreadId()
else:
# When there are no threads, we show the process id instead, allowing easy
# correlation on multiprocess systems
when defined(posix):
import posix
proc getLogThreadId*(): int = int(posix.getpid())
elif defined(windows):
proc getCurrentProcessId(): uint32 {.
stdcall, dynlib: "kernel32", importc: "GetCurrentProcessId".}
proc getLogThreadId*(): int = int(getCurrentProcessId())
else:
proc getLogThreadId*(): int = 0
template formatItIMPL*(value: any): auto =
value
template formatIt*(T: type, body: untyped) {.dirty.} =
template formatItIMPL*(it: T): auto = body
template expandItIMPL*[R](record: R, field: static string, value: any) =
mixin setProperty, formatItIMPL
setProperty(record, field, formatItIMPL(value))
macro expandIt*(T: type, expandedProps: untyped): untyped =
let
setProperty = bindSym("setProperty", brForceOpen)
formatItIMPL = bindSym("formatItIMPL", brForceOpen)
expandItIMPL = id("expandItIMPL", true)
record = ident "record"
it = ident "it"
it_name = ident "it_name"
value = ident "value"
setPropertyCalls = newStmtList()
for prop in expandedProps:
if prop.kind != nnkAsgn:
error "An `expandIt` definition should consist only of key-value assignments", prop
var key = prop[0]
let value = prop[1]
case key.kind
of nnkAccQuoted:
proc toStrLit(n: NimNode): NimNode =
let nAsStr = $n
if nAsStr == "it": it_name
else: newLit(nAsStr)
if key.len < 2:
key = key.toStrLit
else:
var concatCall = infix(key[0].toStrLit, "&", key[1].toStrLit)
for i in 2 ..< key.len:
concatCall = infix(concatCall, "&", key[i].toStrLit)
key = newTree(nnkStaticExpr, concatCall)
of nnkIdent, nnkSym:
key = newLit($key)
else:
error &"Unexpected AST kind for an `epxpandIt` key: {key.kind} ", key
setPropertyCalls.add quote do:
`setProperty` `record`, `key`, `formatItIMPL`(`value`)
result = quote do:
template `expandItIMPL`(`record`: auto, `it_name`: static string, `it`: `T`) =
`setPropertyCalls`
when defined(debugLogImpl):
echo result.repr
macro logIMPL(lineInfo: static InstInfo,
Stream: typed,
RecordType: type,
eventName: static[string],
severity: static[LogLevel],
scopes: typed,
logStmtBindings: varargs[untyped]): untyped =
if not loggingEnabled: return
clearEmptyVarargs logStmtBindings
# First, we merge the lexical bindings with the additional
# bindings passed to the logging statement itself:
let lexicalBindings = scopes.finalLexicalBindings
var finalBindings = initOrderedTable[string, NimNode]()
for k, v in assignments(logStmtBindings, acLogStatement):
finalBindings[k] = v
for k, v in assignments(lexicalBindings, acLogStatement):
finalBindings[k] = v
# This is the compile-time topic filtering code, which has a similar
# logic to the generated run-time filtering code:
var enabledTopicsMatch = enabledTopics.len == 0 and severity >= enabledLogLevel
var requiredTopicsCount = requiredTopics.len
var topicsNode = newLit("")
var activeTopics: seq[string] = @[]
var useLineNumbers = lineNumbersEnabled
if finalBindings.hasKey("topics"):
topicsNode = finalBindings["topics"]
finalBindings.del("topics")
if topicsNode.kind notin {nnkStrLit, nnkTripleStrLit}:
error "Please specify the 'topics' list as a space separated string literal", topicsNode
activeTopics = topicsNode.strVal.split({','} + Whitespace)
for t in activeTopics:
if t in disabledTopics:
return
else:
for topic in enabledTopics:
if topic.name == t:
if topic.logLevel != NONE:
if severity >= topic.logLevel:
enabledTopicsMatch = true
elif severity >= enabledLogLevel:
enabledTopicsMatch = true
if t in requiredTopics:
dec requiredTopicsCount
if severity != NONE and not enabledTopicsMatch or requiredTopicsCount > 0:
return
# Handling file name and line numbers on/off (lineNumbersEnabled) for particular log statements
if finalBindings.hasKey("chroniclesLineNumbers"):
let chroniclesLineNumbers = $finalBindings["chroniclesLineNumbers"]
if chroniclesLineNumbers notin ["true", "false"]:
error("chroniclesLineNumbers should be set to either true or false",
finalBindings["chroniclesLineNumbers"])
useLineNumbers = chroniclesLineNumbers == "true"
finalBindings.del("chroniclesLineNumbers")
var code = newStmtList()
when runtimeFilteringEnabled:
if severity != NONE:
code.add runtimeTopicFilteringCode(severity, activeTopics)
# The rest of the code selects the active LogRecord type (which can
# be a tuple when the sink has multiple destinations) and then
# translates the log statement to a set of calls to `initLogRecord`,
# `setProperty` and `flushRecord`.
let
recordTypeSym = skipTypedesc(RecordType.getTypeImpl())
recordTypeNodes = recordTypeSym.getTypeImpl()
recordArity = if recordTypeNodes.kind != nnkTupleConstr: 1
else: recordTypeNodes.len
record = genSym(nskVar, "record")
expandItIMPL = bindSym("expandItIMPL", brForceOpen)
code.add quote do:
var `record`: `RecordType`
prepareOutput(`record`, LogLevel(`severity`))
initLogRecord(`record`, LogLevel(`severity`), `topicsNode`, `eventName`)
# called tid even when it's a process id - this to avoid differences in
# logging between threads and no threads
setFirstProperty(`record`, "tid", getLogThreadId())
if useLineNumbers:
var filename = lineInfo.filename & ":" & $lineInfo.line
code.add newCall("setProperty", record,
newLit("file"), newLit(filename))
for k, v in finalBindings:
code.add newCall(expandItIMPL, record, newLit(k), v)
code.add newCall("logAllDynamicProperties", Stream, record)
code.add newCall("flushRecord", record)
result = quote do:
try:
block `chroniclesBlockName`:
`code`
except CatchableError as err:
logLoggingFailure(cstring(`eventName`), err)
when defined(debugLogImpl):
echo result.repr
# Translate all the possible overloads to `logIMPL`:
template log*(lineInfo: static InstInfo,
severity: static[LogLevel],
eventName: static[string],
props: varargs[untyped]) {.dirty.} =
bind logIMPL, bindSym, brForceOpen
logIMPL(lineInfo, activeChroniclesStream(),
Record(activeChroniclesStream()), eventName, severity,
bindSym("activeChroniclesScope", brForceOpen), props)
template log*(lineInfo: static InstInfo,
stream: type,
severity: static[LogLevel],
eventName: static[string],
props: varargs[untyped]) {.dirty.} =
bind logIMPL, bindSym, brForceOpen
logIMPL(lineInfo, stream, stream.Record, eventName, severity,
bindSym("activeChroniclesScope", brForceOpen), props)
template wrapSideEffects(debug: bool, body: untyped) {.inject.} =
when debug:
{.noSideEffect.}:
try: body
except: discard
else:
body
template logFn(name: untyped, severity: typed, debug=false) {.dirty.} =
bind log, wrapSideEffects
template `name`*(eventName: static[string], props: varargs[untyped]) {.dirty.} =
wrapSideEffects(debug):
log(instantiationInfo(), severity, eventName, props)
template `name`*(stream: type, eventName: static[string], props: varargs[untyped]) {.dirty.} =
wrapSideEffects(debug):
log(instantiationInfo(), stream, severity, eventName, props)
# workaround for https://github.com/status-im/nim-chronicles/issues/92
when defined(windows) and (NimMajor, NimMinor, NimPatch) < (1, 4, 4):
logFn trace , LogLevel.TRACE, debug=true
logFn debug , LogLevel.DEBUG, debug=true
logFn info , LogLevel.INFO, debug=true
logFn notice, LogLevel.NOTICE, debug=true
logFn warn , LogLevel.WARN, debug=true
logFn error , LogLevel.ERROR, debug=true
logFn fatal , LogLevel.FATAL, debug=true
else:
logFn trace , LogLevel.TRACE, debug=true
logFn debug , LogLevel.DEBUG
logFn info , LogLevel.INFO
logFn notice, LogLevel.NOTICE
logFn warn , LogLevel.WARN
logFn error , LogLevel.ERROR
logFn fatal , LogLevel.FATAL
# TODO:
#
# * don't sort the properties
# * define all formats in terms of nim-serialization
# (this will remove the need for setFirstProperty and the thread id will become optional)
# * don't have side effects in debug and trace
# * extract the testing framework in stew/testability
# * extract the compile-time conf framework in confutils
# * instance carried streams that can collect the information in memory
#
# * define an alternative format strings API (.net style)
# * compile-time topic-based log level (e.g. enable tracing in the p2p layer)
# * auto-derived topics based on nimble package name and module name
#
# * dynamic sinks
# * Android and iOS logging, mixed std streams (logging both to stdout and stderr?)
# * evaluate the lexical expressions only once in the presence of multiple sinks
# * dynamic scope overrides (plus maybe an option to control the priority
# between dynamic and lexical bindings)
#
# * implement some of the leading standardized structured logging formats
#