summaryrefslogtreecommitdiffstats
path: root/modules/setting/log.go
diff options
context:
space:
mode:
authorzeripath <art27@cantab.net>2019-04-02 08:48:31 +0100
committerGitHub <noreply@github.com>2019-04-02 08:48:31 +0100
commit704da08fdc6bae6fdd6bf1b892ebe12afeef5eca (patch)
treee0613ab3ba0d4336b0912bbad8862f503ec180f6 /modules/setting/log.go
parentef2a343e27d8af2de0bb696bd60d9a019e1e8b69 (diff)
downloadgitea-704da08fdc6bae6fdd6bf1b892ebe12afeef5eca.tar.gz
gitea-704da08fdc6bae6fdd6bf1b892ebe12afeef5eca.zip
Better logging (#6038) (#6095)
* Panic don't fatal on create new logger Fixes #5854 Signed-off-by: Andrew Thornton <art27@cantab.net> * partial broken * Update the logging infrastrcture Signed-off-by: Andrew Thornton <art27@cantab.net> * Reset the skip levels for Fatal and Error Signed-off-by: Andrew Thornton <art27@cantab.net> * broken ncsa * More log.Error fixes Signed-off-by: Andrew Thornton <art27@cantab.net> * Remove nal * set log-levels to lowercase * Make console_test test all levels * switch to lowercased levels * OK now working * Fix vetting issues * Fix lint * Fix tests * change default logging to match current gitea * Improve log testing Signed-off-by: Andrew Thornton <art27@cantab.net> * reset error skip levels to 0 * Update documentation and access logger configuration * Redirect the router log back to gitea if redirect macaron log but also allow setting the log level - i.e. TRACE * Fix broken level caching * Refactor the router log * Add Router logger * Add colorizing options * Adjust router colors * Only create logger if they will be used * update app.ini.sample * rename Attribute ColorAttribute * Change from white to green for function * Set fatal/error levels * Restore initial trace logger * Fix Trace arguments in modules/auth/auth.go * Properly handle XORMLogger * Improve admin/config page * fix fmt * Add auto-compression of old logs * Update error log levels * Remove the unnecessary skip argument from Error, Fatal and Critical * Add stacktrace support * Fix tests * Remove x/sync from vendors? * Add stderr option to console logger * Use filepath.ToSlash to protect against Windows in tests * Remove prefixed underscores from names in colors.go * Remove not implemented database logger This was removed from Gogs on 4 Mar 2016 but left in the configuration since then. * Ensure that log paths are relative to ROOT_PATH * use path.Join * rename jsonConfig to logConfig * Rename "config" to "jsonConfig" to make it clearer * Requested changes * Requested changes: XormLogger * Try to color the windows terminal If successful default to colorizing the console logs * fixup * Colorize initially too * update vendor * Colorize logs on default and remove if this is not a colorizing logger * Fix documentation * fix test * Use go-isatty to detect if on windows we are on msys or cygwin * Fix spelling mistake * Add missing vendors * More changes * Rationalise the ANSI writer protection * Adjust colors on advice from @0x5c * Make Flags a comma separated list * Move to use the windows constant for ENABLE_VIRTUAL_TERMINAL_PROCESSING * Ensure matching is done on the non-colored message - to simpify EXPRESSION
Diffstat (limited to 'modules/setting/log.go')
-rw-r--r--modules/setting/log.go375
1 files changed, 240 insertions, 135 deletions
diff --git a/modules/setting/log.go b/modules/setting/log.go
index 7b0832c0c8..c6b5b1a617 100644
--- a/modules/setting/log.go
+++ b/modules/setting/log.go
@@ -5,182 +5,287 @@
package setting
import (
- "fmt"
+ "encoding/json"
+ golog "log"
"os"
"path"
"path/filepath"
+ "runtime"
"strings"
"code.gitea.io/gitea/modules/log"
- "github.com/go-xorm/core"
+
+ ini "gopkg.in/ini.v1"
)
-var logLevels = map[string]string{
- "Trace": "0",
- "Debug": "1",
- "Info": "2",
- "Warn": "3",
- "Error": "4",
- "Critical": "5",
+type defaultLogOptions struct {
+ levelName string // LogLevel
+ flags string
+ filename string //path.Join(LogRootPath, "gitea.log")
+ bufferLength int64
+ disableConsole bool
}
-func getLogLevel(section string, key string, defaultValue string) string {
- validLevels := []string{"Trace", "Debug", "Info", "Warn", "Error", "Critical"}
- return Cfg.Section(section).Key(key).In(defaultValue, validLevels)
+func newDefaultLogOptions() defaultLogOptions {
+ return defaultLogOptions{
+ levelName: LogLevel,
+ flags: "stdflags",
+ filename: filepath.Join(LogRootPath, "gitea.log"),
+ bufferLength: 10000,
+ disableConsole: false,
+ }
}
-func newLogService() {
- log.Info("Gitea v%s%s", AppVer, AppBuiltWith)
+// SubLogDescription describes a sublogger
+type SubLogDescription struct {
+ Name string
+ Provider string
+ Config string
+}
- LogModes = strings.Split(Cfg.Section("log").Key("MODE").MustString("console"), ",")
- LogConfigs = make([]string, len(LogModes))
+// LogDescription describes a named logger
+type LogDescription struct {
+ Name string
+ SubLogDescriptions []SubLogDescription
+}
- useConsole := false
- for i := 0; i < len(LogModes); i++ {
- LogModes[i] = strings.TrimSpace(LogModes[i])
- if LogModes[i] == "console" {
- useConsole = true
+func getLogLevel(section *ini.Section, key string, defaultValue string) string {
+ value := section.Key(key).MustString("info")
+ return log.FromString(value).String()
+}
+
+func getStacktraceLogLevel(section *ini.Section, key string, defaultValue string) string {
+ value := section.Key(key).MustString("none")
+ return log.FromString(value).String()
+}
+
+func generateLogConfig(sec *ini.Section, name string, defaults defaultLogOptions) (mode, jsonConfig, levelName string) {
+ levelName = getLogLevel(sec, "LEVEL", LogLevel)
+ level := log.FromString(levelName)
+ stacktraceLevelName := getStacktraceLogLevel(sec, "STACKTRACE_LEVEL", StacktraceLogLevel)
+ stacktraceLevel := log.FromString(stacktraceLevelName)
+ mode = name
+ keys := sec.Keys()
+ logPath := defaults.filename
+ flags := log.FlagsFromString(defaults.flags)
+ expression := ""
+ prefix := ""
+ for _, key := range keys {
+ switch key.Name() {
+ case "MODE":
+ mode = key.MustString(name)
+ case "FILE_NAME":
+ logPath = key.MustString(defaults.filename)
+ forcePathSeparator(logPath)
+ if !filepath.IsAbs(logPath) {
+ logPath = path.Join(LogRootPath, logPath)
+ }
+ case "FLAGS":
+ flags = log.FlagsFromString(key.MustString(defaults.flags))
+ case "EXPRESSION":
+ expression = key.MustString("")
+ case "PREFIX":
+ prefix = key.MustString("")
}
}
- if !useConsole {
- log.DelLogger("console")
+ logConfig := map[string]interface{}{
+ "level": level.String(),
+ "expression": expression,
+ "prefix": prefix,
+ "flags": flags,
+ "stacktraceLevel": stacktraceLevel.String(),
}
- for i, mode := range LogModes {
- sec, err := Cfg.GetSection("log." + mode)
- if err != nil {
- sec, _ = Cfg.NewSection("log." + mode)
+ // Generate log configuration.
+ switch mode {
+ case "console":
+ useStderr := sec.Key("STDERR").MustBool(false)
+ logConfig["stderr"] = useStderr
+ if useStderr {
+ logConfig["colorize"] = sec.Key("COLORIZE").MustBool(log.CanColorStderr)
+ } else {
+ logConfig["colorize"] = sec.Key("COLORIZE").MustBool(log.CanColorStdout)
}
- // Log level.
- levelName := getLogLevel("log."+mode, "LEVEL", LogLevel)
- level, ok := logLevels[levelName]
- if !ok {
- log.Fatal(4, "Unknown log level: %s", levelName)
+ case "file":
+ if err := os.MkdirAll(path.Dir(logPath), os.ModePerm); err != nil {
+ panic(err.Error())
}
- // Generate log configuration.
- switch mode {
- case "console":
- LogConfigs[i] = fmt.Sprintf(`{"level":%s}`, level)
- case "file":
- logPath := sec.Key("FILE_NAME").MustString(path.Join(LogRootPath, "gitea.log"))
- if err = os.MkdirAll(path.Dir(logPath), os.ModePerm); err != nil {
- panic(err.Error())
- }
+ logConfig["colorize"] = sec.Key("COLORIZE").MustBool(runtime.GOOS != "windows")
+ logConfig["filename"] = logPath
+ logConfig["rotate"] = sec.Key("LOG_ROTATE").MustBool(true)
+ logConfig["maxsize"] = 1 << uint(sec.Key("MAX_SIZE_SHIFT").MustInt(28))
+ logConfig["daily"] = sec.Key("DAILY_ROTATE").MustBool(true)
+ logConfig["maxdays"] = sec.Key("MAX_DAYS").MustInt(7)
+ logConfig["compress"] = sec.Key("COMPRESS").MustBool(true)
+ logConfig["compressionLevel"] = sec.Key("COMPRESSION_LEVEL").MustInt(-1)
+ case "conn":
+ logConfig["reconnectOnMsg"] = sec.Key("RECONNECT_ON_MSG").MustBool()
+ logConfig["reconnect"] = sec.Key("RECONNECT").MustBool()
+ logConfig["net"] = sec.Key("PROTOCOL").In("tcp", []string{"tcp", "unix", "udp"})
+ logConfig["addr"] = sec.Key("ADDR").MustString(":7020")
+ case "smtp":
+ logConfig["username"] = sec.Key("USER").MustString("example@example.com")
+ logConfig["password"] = sec.Key("PASSWD").MustString("******")
+ logConfig["host"] = sec.Key("HOST").MustString("127.0.0.1:25")
+ logConfig["sendTos"] = sec.Key("RECEIVERS").MustString("[]")
+ logConfig["subject"] = sec.Key("SUBJECT").MustString("Diagnostic message from Gitea")
+ }
- LogConfigs[i] = fmt.Sprintf(
- `{"level":%s,"filename":"%s","rotate":%v,"maxsize":%d,"daily":%v,"maxdays":%d}`, level,
- logPath,
- sec.Key("LOG_ROTATE").MustBool(true),
- 1<<uint(sec.Key("MAX_SIZE_SHIFT").MustInt(28)),
- sec.Key("DAILY_ROTATE").MustBool(true),
- sec.Key("MAX_DAYS").MustInt(7))
- case "conn":
- LogConfigs[i] = fmt.Sprintf(`{"level":%s,"reconnectOnMsg":%v,"reconnect":%v,"net":"%s","addr":"%s"}`, level,
- sec.Key("RECONNECT_ON_MSG").MustBool(),
- sec.Key("RECONNECT").MustBool(),
- sec.Key("PROTOCOL").In("tcp", []string{"tcp", "unix", "udp"}),
- sec.Key("ADDR").MustString(":7020"))
- case "smtp":
- LogConfigs[i] = fmt.Sprintf(`{"level":%s,"username":"%s","password":"%s","host":"%s","sendTos":["%s"],"subject":"%s"}`, level,
- sec.Key("USER").MustString("example@example.com"),
- sec.Key("PASSWD").MustString("******"),
- sec.Key("HOST").MustString("127.0.0.1:25"),
- strings.Replace(sec.Key("RECEIVERS").MustString("example@example.com"), ",", "\",\"", -1),
- sec.Key("SUBJECT").MustString("Diagnostic message from serve"))
- case "database":
- LogConfigs[i] = fmt.Sprintf(`{"level":%s,"driver":"%s","conn":"%s"}`, level,
- sec.Key("DRIVER").String(),
- sec.Key("CONN").String())
- }
+ logConfig["colorize"] = sec.Key("COLORIZE").MustBool(false)
- log.NewLogger(Cfg.Section("log").Key("BUFFER_LEN").MustInt64(10000), mode, LogConfigs[i])
- log.Info("Log Mode: %s(%s)", strings.Title(mode), levelName)
+ byteConfig, err := json.Marshal(logConfig)
+ if err != nil {
+ log.Error("Failed to marshal log configuration: %v %v", logConfig, err)
+ return
}
+ jsonConfig = string(byteConfig)
+ return
}
-// NewXORMLogService initializes xorm logger service
-func NewXORMLogService(disableConsole bool) {
- logModes := strings.Split(Cfg.Section("log").Key("MODE").MustString("console"), ",")
- var logConfigs string
- for _, mode := range logModes {
- mode = strings.TrimSpace(mode)
+func generateNamedLogger(key string, options defaultLogOptions) *LogDescription {
+ description := LogDescription{
+ Name: key,
+ }
+
+ sections := strings.Split(Cfg.Section("log").Key(strings.ToUpper(key)).MustString(""), ",")
- if disableConsole && mode == "console" {
+ //description.Configs = make([]string, len(description.Sections))
+
+ for i := 0; i < len(sections); i++ {
+ sections[i] = strings.TrimSpace(sections[i])
+ }
+
+ for _, name := range sections {
+ if len(name) == 0 || (name == "console" && options.disableConsole) {
continue
}
-
- sec, err := Cfg.GetSection("log." + mode)
+ sec, err := Cfg.GetSection("log." + name + "." + key)
if err != nil {
- sec, _ = Cfg.NewSection("log." + mode)
+ sec, _ = Cfg.NewSection("log." + name + "." + key)
}
- // Log level.
- levelName := getLogLevel("log."+mode, "LEVEL", LogLevel)
- level, ok := logLevels[levelName]
- if !ok {
- log.Fatal(4, "Unknown log level: %s", levelName)
- }
+ provider, config, levelName := generateLogConfig(sec, name, options)
- // Generate log configuration.
- switch mode {
- case "console":
- logConfigs = fmt.Sprintf(`{"level":%s}`, level)
- case "file":
- logPath := sec.Key("FILE_NAME").MustString(path.Join(LogRootPath, "xorm.log"))
- if err = os.MkdirAll(path.Dir(logPath), os.ModePerm); err != nil {
- panic(err.Error())
- }
- logPath = path.Join(filepath.Dir(logPath), "xorm.log")
-
- logConfigs = fmt.Sprintf(
- `{"level":%s,"filename":"%s","rotate":%v,"maxsize":%d,"daily":%v,"maxdays":%d}`, level,
- logPath,
- sec.Key("LOG_ROTATE").MustBool(true),
- 1<<uint(sec.Key("MAX_SIZE_SHIFT").MustInt(28)),
- sec.Key("DAILY_ROTATE").MustBool(true),
- sec.Key("MAX_DAYS").MustInt(7))
- case "conn":
- logConfigs = fmt.Sprintf(`{"level":%s,"reconnectOnMsg":%v,"reconnect":%v,"net":"%s","addr":"%s"}`, level,
- sec.Key("RECONNECT_ON_MSG").MustBool(),
- sec.Key("RECONNECT").MustBool(),
- sec.Key("PROTOCOL").In("tcp", []string{"tcp", "unix", "udp"}),
- sec.Key("ADDR").MustString(":7020"))
- case "smtp":
- logConfigs = fmt.Sprintf(`{"level":%s,"username":"%s","password":"%s","host":"%s","sendTos":"%s","subject":"%s"}`, level,
- sec.Key("USER").MustString("example@example.com"),
- sec.Key("PASSWD").MustString("******"),
- sec.Key("HOST").MustString("127.0.0.1:25"),
- sec.Key("RECEIVERS").MustString("[]"),
- sec.Key("SUBJECT").MustString("Diagnostic message from serve"))
- case "database":
- logConfigs = fmt.Sprintf(`{"level":%s,"driver":"%s","conn":"%s"}`, level,
- sec.Key("DRIVER").String(),
- sec.Key("CONN").String())
+ log.NewNamedLogger(key, options.bufferLength, name, provider, config)
+
+ description.SubLogDescriptions = append(description.SubLogDescriptions, SubLogDescription{
+ Name: name,
+ Provider: provider,
+ Config: config,
+ })
+ log.Info("%s Log: %s(%s:%s)", strings.Title(key), strings.Title(name), provider, levelName)
+ }
+
+ LogDescriptions[key] = &description
+
+ return &description
+}
+
+func newMacaronLogService() {
+ options := newDefaultLogOptions()
+ options.filename = filepath.Join(LogRootPath, "macaron.log")
+ options.bufferLength = Cfg.Section("log").Key("BUFFER_LEN").MustInt64(10000)
+
+ Cfg.Section("log").Key("MACARON").MustString("file")
+ if RedirectMacaronLog {
+ generateNamedLogger("macaron", options)
+ }
+}
+
+func newAccessLogService() {
+ EnableAccessLog = Cfg.Section("log").Key("ENABLE_ACCESS_LOG").MustBool(false)
+ AccessLogTemplate = Cfg.Section("log").Key("ACCESS_LOG_TEMPLATE").MustString(
+ `{{.Ctx.RemoteAddr}} - {{.Identity}} {{.Start.Format "[02/Jan/2006:15:04:05 -0700]" }} "{{.Ctx.Req.Method}} {{.Ctx.Req.RequestURI}} {{.Ctx.Req.Proto}}" {{.ResponseWriter.Status}} {{.ResponseWriter.Size}} "{{.Ctx.Req.Referer}}\" \"{{.Ctx.Req.UserAgent}}"`)
+ Cfg.Section("log").Key("ACCESS").MustString("file")
+ if EnableAccessLog {
+ options := newDefaultLogOptions()
+ options.filename = filepath.Join(LogRootPath, "access.log")
+ options.flags = "" // For the router we don't want any prefixed flags
+ options.bufferLength = Cfg.Section("log").Key("BUFFER_LEN").MustInt64(10000)
+ generateNamedLogger("access", options)
+ }
+}
+
+func newRouterLogService() {
+ Cfg.Section("log").Key("ROUTER").MustString("console")
+
+ if !DisableRouterLog && RedirectMacaronLog {
+ options := newDefaultLogOptions()
+ options.filename = filepath.Join(LogRootPath, "router.log")
+ options.flags = "date,time" // For the router we don't want any prefixed flags
+ options.bufferLength = Cfg.Section("log").Key("BUFFER_LEN").MustInt64(10000)
+ generateNamedLogger("router", options)
+ }
+}
+
+func newLogService() {
+ log.Info("Gitea v%s%s", AppVer, AppBuiltWith)
+
+ options := newDefaultLogOptions()
+ options.bufferLength = Cfg.Section("log").Key("BUFFER_LEN").MustInt64(10000)
+
+ description := LogDescription{
+ Name: log.DEFAULT,
+ }
+
+ sections := strings.Split(Cfg.Section("log").Key("MODE").MustString("console"), ",")
+
+ useConsole := false
+ for i := 0; i < len(sections); i++ {
+ sections[i] = strings.TrimSpace(sections[i])
+ if sections[i] == "console" {
+ useConsole = true
}
+ }
- log.NewXORMLogger(Cfg.Section("log").Key("BUFFER_LEN").MustInt64(10000), mode, logConfigs)
- if !disableConsole {
- log.Info("XORM Log Mode: %s(%s)", strings.Title(mode), levelName)
+ if !useConsole {
+ log.DelLogger("console")
+ }
+
+ for _, name := range sections {
+ if len(name) == 0 {
+ continue
}
- var lvl core.LogLevel
- switch levelName {
- case "Trace", "Debug":
- lvl = core.LOG_DEBUG
- case "Info":
- lvl = core.LOG_INFO
- case "Warn":
- lvl = core.LOG_WARNING
- case "Error", "Critical":
- lvl = core.LOG_ERR
+ sec, err := Cfg.GetSection("log." + name)
+ if err != nil {
+ sec, _ = Cfg.NewSection("log." + name)
}
- log.XORMLogger.SetLevel(lvl)
+
+ provider, config, levelName := generateLogConfig(sec, name, options)
+ log.NewLogger(options.bufferLength, name, provider, config)
+ description.SubLogDescriptions = append(description.SubLogDescriptions, SubLogDescription{
+ Name: name,
+ Provider: provider,
+ Config: config,
+ })
+ log.Info("Gitea Log Mode: %s(%s:%s)", strings.Title(name), strings.Title(provider), levelName)
}
- if len(logConfigs) == 0 {
- log.DiscardXORMLogger()
+ LogDescriptions[log.DEFAULT] = &description
+
+ // Finally redirect the default golog to here
+ golog.SetFlags(0)
+ golog.SetPrefix("")
+ golog.SetOutput(log.NewLoggerAsWriter("INFO", log.GetLogger(log.DEFAULT)))
+}
+
+// NewXORMLogService initializes xorm logger service
+func NewXORMLogService(disableConsole bool) {
+ EnableXORMLog = Cfg.Section("log").Key("ENABLE_XORM_LOG").MustBool(true)
+ if EnableXORMLog {
+ options := newDefaultLogOptions()
+ options.filename = filepath.Join(LogRootPath, "xorm.log")
+ options.bufferLength = Cfg.Section("log").Key("BUFFER_LEN").MustInt64(10000)
+ options.disableConsole = disableConsole
+
+ Cfg.Section("log").Key("XORM").MustString(",")
+ generateNamedLogger("xorm", options)
+ log.InitXORMLogger(LogSQL)
+ } else {
+ log.InitXORMLogger(false)
}
}