Logrus是一个结构化的Go日志记录器(golang),完全使用API与标准库日志记录器兼容。
Logrus处于维护模式。我们不会引入新的特性。以一种不会破坏很多人的项目的方式来实现它实在是太难了,这是您最不希望从日志库中得到的(再次…)。
我相信Logrus最大的贡献是在今天Golang广泛使用的结构化日志中发挥了作用。似乎没有理由把迭代分解成Logrus V2,因为出色的Go社区已经独立构建了它们。许多奇妙的替代品如雨后春笋般涌现。如果按照我们今天所知道的Go中的结构化登录方式重新设计的话,Logrus看起来就是这样的。比如Zerolog, Zap和Apex。
看到奇怪的大小写敏感问题了吗?在过去,可以同时导入大写和小写的Logrus。由于Go包的环境,这在社区中引起了问题,我们需要一个标准。一些环境在使用大写变体时遇到了问题,因此决定使用小写。所有使用logrus的东西都需要使用小写字母:github.com/sirupsen/logrus。任何不是这样的包都应该更改。
要修复Glide,请看下面的评论。对于代码问题深入理解,具体看 这些评论。
漂亮的颜色编码在开发(当一个TTY是附加的,否则只是纯文本):
使用log.SetFormatter(&log.JSONFormatter{}),通过logstash或Splunk轻松解析:
{"animal":"walrus","level":"info","msg":"A group of walrus emerges from the
ocean","size":10,"time":"2014-03-10 19:57:38.562264131 -0400 EDT"}
{"level":"warning","msg":"The group's number increased tremendously!",
"number":122,"omg":true,"time":"2014-03-10 19:57:38.562471297 -0400 EDT"}
{"animal":"walrus","level":"info","msg":"A giant walrus appears!",
"size":10,"time":"2014-03-10 19:57:38.562500591 -0400 EDT"}
{"animal":"walrus","level":"info","msg":"Tremendously sized cow enters the ocean.",
"size":9,"time":"2014-03-10 19:57:38.562527896 -0400 EDT"}
{"level":"fatal","msg":"The ice breaks!","number":100,"omg":true,
"time":"2014-03-10 19:57:38.562543128 -0400 EDT"}
当没有附加TTY时,使用默认的log.SetFormatter(&log.TextFormatter{}),输出与logfmt格式兼容:
time="2015-03-26T01:27:38-04:00" level=debug msg="Started observing beach" animal=walrus number=8
time="2015-03-26T01:27:38-04:00" level=info msg="A group of walrus emerges from the ocean" animal=walrus size=10
time="2015-03-26T01:27:38-04:00" level=warning msg="The group's number increased tremendously!" number=122 omg=true
time="2015-03-26T01:27:38-04:00" level=debug msg="Temperature changes" temperature=-4
time="2015-03-26T01:27:38-04:00" level=panic msg="It's over 9000!" animal=orca size=9009
time="2015-03-26T01:27:38-04:00" level=fatal msg="The ice breaks!" err=&{0x2082280c0 map[animal:orca size:9009] 2015-03-26 01:27:38.441574009 -0400 EDT panic It's over 9000!} number=100 omg=true
即使附加了TTY,也要确保这种行为,请按如下方式设置格式化程序:
log.SetFormatter(&log.TextFormatter{
DisableColors: true,
FullTimestamp: true,
})
日志记录方法名称
如果你想添加调用方法作为一个字段,通过以下方式指示日志记录器:
log.SetReportCaller(true)
这将调用者添加为“方法”,如下所示:
{"animal":"penguin","level":"fatal","method":"github.com/sirupsen/arcticcreatures.migrate","msg":"a penguin swims by",
"time":"2014-03-10 19:57:38.562543129 -0400 EDT"}
time="2015-03-26T01:27:38-04:00" level=fatal method=github.com/sirupsen/arcticcreatures.migrate msg="a penguin swims by" animal=penguin
注意,这确实增加了可测量的开销——成本将取决于Go的版本,但在最近的1.6和1.7测试中在20%到40%之间。您可以验证这在您的环境通过基准:
go test -bench=.*CallerTracing
敏感情况
该组织的名称已更改为小写——而且不会再更改回小写。如果由于大小写敏感导致导入冲突,请使用小写导入:github.com/sirupsen/logrus。
Example
使用Logrus最简单的方法就是使用包级导出的日志程序:
package main
import (
log "github.com/sirupsen/logrus"
)
func main() {
log.WithFields(log.Fields{
"animal": "walrus",
}).Info("A walrus appears")
}
注意,它与stdlib日志记录器完全兼容api,所以你可以在任何地方用日志“github.com/sirupsen/logrus”替换你的日志导入,现在你将拥有Logrus的灵活性。你可以自定义它所有你想:
package main
import (
"os"
log "github.com/sirupsen/logrus"
)
func init() {
// Log as JSON instead of the default ASCII formatter.
log.SetFormatter(&log.JSONFormatter{})
// Output to stdout instead of the default stderr
// Can be any io.Writer, see below for File example
log.SetOutput(os.Stdout)
// Only log the warning severity or above.
log.SetLevel(log.WarnLevel)
}
func main() {
log.WithFields(log.Fields{
"animal": "walrus",
"size": 10,
}).Info("A group of walrus emerges from the ocean")
log.WithFields(log.Fields{
"omg": true,
"number": 122,
}).Warn("The group's number increased tremendously!")
log.WithFields(log.Fields{
"omg": true,
"number": 100,
}).Fatal("The ice breaks!")
// A common pattern is to re-use fields between logging statements by re-using
// the logrus.Entry returned from WithFields()
contextLogger := log.WithFields(log.Fields{
"common": "this is a common field",
"other": "I also should be logged always",
})
contextLogger.Info("I'll be logged with common and other field")
contextLogger.Info("Me too")
}
对于更高级的使用,比如从同一个应用程序记录到多个位置,你也可以创建一个logrus日志记录器的实例:
package main
import (
"os"
"github.com/sirupsen/logrus"
)
// Create a new instance of the logger. You can have any number of instances.
var log = logrus.New()
func main() {
// The API for setting attributes is a little different than the package level
// exported logger. See Godoc.
log.Out = os.Stdout
// You could set this to any `io.Writer` such as a file
// file, err := os.OpenFile("logrus.log", os.O_CREATE|os.O_WRONLY|os.O_APPEND, 0666)
// if err == nil {
// log.Out = file
// } else {
// log.Info("Failed to log to file, using default stderr")
// }
log.WithFields(logrus.Fields{
"animal": "walrus",
"size": 10,
}).Info("A group of walrus emerges from the ocean")
}
Fields
Logrus鼓励通过日志字段进行谨慎的、结构化的日志记录,而不是冗长的、不可解析的错误消息。例如,代替 : log.Fatalf(“Failed to send event %s to topic %s with key %d”),您应该记录更多可发现的内容:
log.WithFields(log.Fields{
"event": event,
"topic": topic,
"key": key,
}).Fatal("Failed to send event")
我们发现这个API迫使您以一种产生更有用的日志消息的方式来考虑日志记录。我们已经遇到过无数这样的情况:只需向日志语句中添加一个字段就可以节省我们的时间。WithFields调用是可选的。
一般来说,使用任何printf家族函数的Logrus都应该被视为应该添加字段的提示,但是,仍然可以使用Logrus家族函数。
Default Fields
通常,将字段始终附加到应用程序中的日志语句或其中的部分日志语句中是很有帮助的。例如,您可能希望始终将request_id和user_ip记录在请求的上下文中。而不是写log.WithFields(log.Fields{“request_id”: request_id, “user_ip”: user_ip})在每一行上,您可以创建一个logrus。进入传递代替:
requestLogger := log.WithFields(log.Fields{"request_id": request_id, "user_ip": user_ip})
requestLogger.Info("something happened on that request") # will log request_id and user_ip
requestLogger.Warn("something not great happened")
Hooks
您可以为日志级别添加钩子。例如,发送错误到异常跟踪服务的错误,致命和恐慌,信息到StatsD或日志到多个地方同时,如syslog。
Logrus自带内置钩子。在init中添加这些,或者自定义钩子:
import (
log "github.com/sirupsen/logrus"
"gopkg.in/gemnasium/logrus-airbrake-hook.v2" // the package is named "airbrake"
logrus_syslog "github.com/sirupsen/logrus/hooks/syslog"
"log/syslog"
)
func init() {
// Use the Airbrake hook to report errors that have Error severity or above to
// an exception tracker. You can create custom hooks, see the Hooks section.
log.AddHook(airbrake.NewHook(123, "xyz", "production"))
hook, err := logrus_syslog.NewSyslogHook("udp", "localhost:514", syslog.LOG_INFO, "")
if err != nil {
log.Error("Unable to connect to local syslog daemon")
} else {
log.AddHook(hook)
}
}
注意:系统slog钩子也支持连接到本地系统slog(例如。“/ dev /日志”或“/ var /运行/ syslog”或“/ var /运行/日志”)。详细信息,请查看syslog钩子自述。
在这个wiki页面中可以找到当前已知的服务钩子列表
Level logging
Logrus有七个日志级别:跟踪、调试、信息、警告、错误、致命和恐慌。
log.Trace("Something very low level.")
log.Debug("Useful debugging information.")
log.Info("Something noteworthy happened!")
log.Warn("You should probably take a look at this.")
log.Error("Something failed but I'm not quitting.")
// Calls os.Exit(1) after logging
log.Fatal("Bye.")
// Calls panic() after logging
log.Panic("I'm bailing.")
你可以在日志记录器上设置日志级别,然后它只会记录严重程度或以上的条目:
// Will log anything that is info or above (warn, error, fatal, panic). Default.
log.SetLevel(log.InfoLevel)
设置日志可能很有用 log.Level = logrus.DebugLevel 如果您的应用程序具有debug或verbose环境中的DebugLevel。
Entries
除了用WithField或WithFields添加的字段,一些字段自动添加到所有日志事件:
time
.创建条目时的时间戳msg
. 在AddFields调用后,日志信息被传递到{Info,Warn,Error,Fatal,Panic}。发送事件失败。level
.日志级别。如信息。