File: buflog.go

package info (click to toggle)
golang-github-alexcesaro-log 0.0~git20150915.61e6862-3
  • links: PTS, VCS
  • area: main
  • in suites: bookworm, forky, sid, trixie
  • size: 128 kB
  • sloc: makefile: 2
file content (54 lines) | stat: -rw-r--r-- 1,527 bytes parent folder | download | duplicates (2)
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
// Package buflog provides a buffered logging class that accumulates logs in
// memory until the flush threshold is reached which release stored logs, the
// buffered logger then act as a normal logger.
//
// Basic example:
//
//     logger := buflog.New(os.Stdout, log.Info, log.Error)
//     logger.Info("Connecting to the server...")   // Outputs nothing
//     logger.Error("Connection failed")            // Outputs both lines
package buflog

import (
	"bufio"
	"io"

	"github.com/alexcesaro/log"
	"github.com/alexcesaro/log/golog"
)

// A Logger represents an active buffered logging object.
type Logger struct {
	*golog.Logger
	flush  log.Level
	buffer *bufio.Writer
}

// New creates a new Logger. The out variable sets the destination to which
// log data will be written. The threshold variable defines the level under
// which logging will be ignored. The flushThreshold variable defines the
// level above which logging will be output.
func New(out io.Writer, threshold log.Level, flushThreshold log.Level) *Logger {
	logger := &Logger{
		Logger: golog.New(out, threshold),
		flush:  flushThreshold,
		buffer: bufio.NewWriter(out),
	}
	replaceWriter(logger)

	return logger
}

func replaceWriter(logger *Logger) {
	oldWriter := logger.Logger.Writer

	logger.Logger.Writer = func(out io.Writer, logLine []byte, level log.Level) {
		if level > logger.flush {
			logger.buffer.Write(logLine)
		} else {
			logger.buffer.Flush()
			logger.Logger.Writer = oldWriter
			logger.Logger.Writer(out, logLine, level)
		}
	}
}