In this tutorial, we'll delve into the implementation of file-based logging in Go. Log files are a critical component of any application for debugging and tracking purposes. By the end of this tutorial, you'll be able to create a log file, write log messages to it, and handle log file rotation.
You will learn to:
- Create a log file in Go
- Write log messages to the file
- Implement log file rotation
Prerequisites:
- Basic understanding of Go programming language. If you're new to Go, check out A Tour of Go
In Go, we can create a log file using the os package's OpenFile function. This function opens a file with specified flags (like os.O_CREATE to create the file if it doesn't exist and os.O_WRONLY for write-only access) and file permission.
We use the log package's New function to create a new logger. This logger writes output to our file.
A good practice is to rotate log files when they reach a certain size or age. We'll use the lumberjack package for this, a package that provides a rolling logger.
package main
import (
    "log"
    "os"
)
func main() {
    // Open the log file
    logFile, err := os.OpenFile("log.txt", os.O_CREATE|os.O_WRONLY|os.O_APPEND, 0666)
    if err != nil {
        log.Fatal(err)
    }
    // Create a new logger
    logger := log.New(logFile, "customLogPrefix: ", log.LstdFlags)
    // Use the logger
    logger.Println("This is a log message.")
}
In this code snippet, we first open the log file log.txt with os.OpenFile. If there's an error opening the file, the program will terminate with log.Fatal. We then create a logger with log.New, which writes to our log file, with a custom prefix and standard flags for the log messages. Finally, we log a message with logger.Println.
For log file rotation, we'll use the lumberjack package. You can get it with go get gopkg.in/natefinch/lumberjack.v2.
package main
import (
    "log"
    "gopkg.in/natefinch/lumberjack.v2"
)
func main() {
    // Set up the logger
    logger := log.New(&lumberjack.Logger{
        Filename:   "log.txt",
        MaxSize:    500, // megabytes
        MaxBackups: 3,
        MaxAge:     28, //days
    }, "customLogPrefix: ", log.LstdFlags)
    // Use the logger
    logger.Println("This is a log message.")
}
With lumberjack.Logger, we set Filename to the log file's name. MaxSize is the maximum size before it gets rotated, MaxBackups is the maximum number of old log files to retain, and MaxAge is the maximum number of days to retain old log files.
We've learned how to create a log file, write log messages to it, and implement log file rotation in Go.
For further learning, consider exploring more advanced logging libraries like logrus or zap. You could also learn about structured logging, which is beneficial for machine-readable logs.
log.Lshortfile).Remember, the more you practice, the more you'll get comfortable with file-based logging in Go. Happy coding!