我有以下代码:
func main() {
initSetLogOutput()
log.Println("Another log")
}
func initSetLogOutput() {
f, err := os.OpenFile("errors.log", os.O_RDWR | os.O_CREATE | os.O_APPEND, 0666)
if err != nil {
log.Fatalf("error opening file: %v", err)
}
defer f.Close()
log.SetOutput(f)
log.Println("This is a test log entry")
}
编译后,我运行该应用程序,并得到第一个日志This is a test log entry
,但第二个日志未写入日志文件。是什么原因造成的? log.SetOutput
的声明是否限于函数的范围?如何获取日志输出选项以在整个应用程序中持久保存?
我的输出日志如下:
2019/01/10 15:53:36 This is a test log entry
2019/01/10 15:54:27 This is a test log entry
2019/01/10 15:55:43 This is a test log entry
2019/01/10 15:57:40 This is a test log entry
2019/01/10 16:02:27 This is a test log entry
答案 0 :(得分:2)
在initSetLogOutput()
内有defer f.Close()
行,这意味着在initSetLogOutput()
返回之前,文件将被关闭。
而是在main()
的末尾将其关闭,如下所示:
func main() {
initSetLogOutput()
log.Println("Another log")
closeLogOutput()
}
var logFile *os.File
func initSetLogOutput() {
var err error
logFile, err = os.OpenFile("errors.log", os.O_RDWR|os.O_CREATE|os.O_APPEND, 0666)
if err != nil {
log.Fatalf("error opening file: %v", err)
}
log.SetOutput(logFile)
log.Println("This is a test log entry")
}
func closeLogOutput() {
logFile.Close()
}