micro/debug/log/default.go

105 lines
2.2 KiB
Go
Raw Normal View History

2019-11-27 19:02:16 +03:00
package log
import (
"fmt"
golog "log"
"github.com/micro/go-micro/debug/buffer"
)
var (
// DefaultSize of the logger buffer
DefaultSize = 1000
)
// defaultLog is default micro log
type defaultLog struct {
2019-11-27 19:02:16 +03:00
*buffer.Buffer
}
// NewLog returns default Logger with
func NewLog(opts ...Option) Log {
2019-11-27 19:02:16 +03:00
// get default options
options := DefaultOptions()
// apply requested options
for _, o := range opts {
o(&options)
}
return &defaultLog{
2019-11-27 19:02:16 +03:00
Buffer: buffer.New(options.Size),
}
}
2019-11-28 14:05:35 +03:00
// Write writes logs into logger
func (l *defaultLog) Write(v ...interface{}) {
2019-11-27 19:02:16 +03:00
golog.Print(v...)
l.Buffer.Put(fmt.Sprint(v...))
2019-11-27 19:02:16 +03:00
}
2019-11-28 14:05:35 +03:00
// Read reads logs and returns them
func (l *defaultLog) Read(opts ...ReadOption) []Record {
options := ReadOptions{}
// initialize the read options
for _, o := range opts {
o(&options)
2019-11-27 19:12:39 +03:00
}
2019-11-27 19:02:16 +03:00
var entries []*buffer.Entry
// if Since options ha sbeen specified we honor it
if !options.Since.IsZero() {
entries = l.Buffer.Since(options.Since)
}
// only if we specified valid count constraint
// do we end up doing some serious if-else kung-fu
// if since constraint has been provided
// we return *count* number of logs since the given timestamp;
// otherwise we return last count number of logs
if options.Count > 0 {
switch len(entries) > 0 {
case true:
// if we request fewer logs than what since constraint gives us
if options.Count < len(entries) {
entries = entries[0:options.Count]
}
default:
entries = l.Buffer.Get(options.Count)
}
}
2019-11-28 14:05:35 +03:00
records := make([]Record, 0, len(entries))
for _, entry := range entries {
record := Record{
Timestamp: entry.Timestamp,
Value: entry.Value,
}
records = append(records, record)
}
return records
2019-11-27 19:02:16 +03:00
}
// Stream returns channel for reading log records
func (l *defaultLog) Stream(stop chan bool) <-chan Record {
// get stream channel from ring buffer
stream := l.Buffer.Stream(stop)
records := make(chan Record)
fmt.Println("requested log stream")
// stream the log records
go func() {
for entry := range stream {
records <- Record{
Timestamp: entry.Timestamp,
Value: entry.Value,
Metadata: make(map[string]string),
}
}
}()
return records
}