Home > Article > Backend Development > How to write files in golang
Golang is a modern programming language whose flexible syntax and rich built-in libraries make it the language of choice for many developers. In Golang, reading and writing files is a common operation, such as writing logs, storing configuration file information, etc. This article will show you how to write a file writer using Golang.
In Golang, to write to a file, you first need to open the file. Use the OpenFile() function in the built-in package os to open the file.
file, err := os.OpenFile("test.txt", os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644)
if err != nil { log.Fatal(err) }
defer file.Close()
In the above code, the first parameter is the file name, the second parameter is the flag to open the file, and the third parameter is the permission of the file. If the file does not exist, it will be created automatically.
After opening the file, you can write data to the file. Usually, we use the NewWriter() function in the built-in package bufio to create a new Writer object and use it to write data.
writer := bufio.NewWriter(file)
writer.WriteString("Hello, World!
")
writer.WriteString("Goodbye, World!
")
writer.Flush()
In the above code, we used the string " Hello, World!" and "Goodbye, World!" write data to the file. To ensure that the data is written to the file, the Writer's Flush() function must be called after the writing operation is completed.
After the file write operation is completed, the file must be closed to release the file handle and system resources. Usually, we use the defer statement to ensure that the file handle is closed after the program execution is completed.
defer file.Close()
The following is a complete Golang code example of a file writer:
package main
import (
"bufio" "log" "os"
)
func main() {
file, err := os.OpenFile("test.txt", os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644) if err != nil { log.Fatal(err) } defer file.Close() writer := bufio.NewWriter(file) writer.WriteString("Hello, World!
")
writer.WriteString("Goodbye, World!
")
writer.Flush()
}
Summary
In Golang, it is very simple to implement file writing. The file needs to be opened, data written and the file closed. In actual programming, we can also use more APIs and libraries to implement more complex file operations. Hope this article gave you an idea about how to write files in Golang.
The above is the detailed content of How to write files in golang. For more information, please follow other related articles on the PHP Chinese website!