summaryrefslogtreecommitdiffstats
path: root/pkg/logs/logs.go
blob: 7ec1b91b4aab145cd81af82aeb3ea8f5594e9b1f (plain)
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
package logs

import (
	"io"
	"log"
	"os"

	"github.com/sirupsen/logrus"
)

// It's important that this package does not depend on any other package because we
// may want to import it from anywhere, and we don't want to create a circular dependency
// (because Go refuses to compile circular dependencies).

// Global is a global logger that can be used anywhere in the app, for
// _development purposes only_. I want to avoid global variables when possible,
// so if you want to log something that's printed when the -debug flag is set,
// you'll need to ensure the struct you're working with has a logger field (
// and most of them do).
// Global is only available if the LAZYGIT_LOG_PATH environment variable is set.
var Global *logrus.Entry

func init() {
	logPath := os.Getenv("LAZYGIT_LOG_PATH")
	if logPath != "" {
		Global = NewDevelopmentLogger(logPath)
	}
}

func NewProductionLogger() *logrus.Entry {
	logger := logrus.New()
	logger.Out = io.Discard
	logger.SetLevel(logrus.ErrorLevel)
	return formatted(logger)
}

func NewDevelopmentLogger(logPath string) *logrus.Entry {
	logger := logrus.New()
	logger.SetLevel(getLogLevel())

	file, err := os.OpenFile(logPath, os.O_CREATE|os.O_WRONLY|os.O_APPEND, 0o666)
	if err != nil {
		log.Fatalf("Unable to log to log file: %v", err)
	}
	logger.SetOutput(file)
	return formatted(logger)
}

func formatted(log *logrus.Logger) *logrus.Entry {
	// highly recommended: tail -f development.log | humanlog
	// https://github.com/aybabtme/humanlog
	log.Formatter = &logrus.JSONFormatter{}

	return log.WithFields(logrus.Fields{})
}

func getLogLevel() logrus.Level {
	strLevel := os.Getenv("LOG_LEVEL")
	level, err := logrus.ParseLevel(strLevel)
	if err != nil {
		return logrus.DebugLevel
	}
	return level
}