Golang : Compress and decompress file with compress/flate example
A quick and simple tutorial on how to compress a file with Golang's compress/flate
package. Package flate implements the DEFLATE compressed data format, as described in RFC 1951.
To compress a file, pipe and flush the data out with NewWriter()
function :
package main
import (
"compress/flate"
"fmt"
"io"
"os"
)
func main() {
inputFile, err := os.Open("file.txt")
if err != nil {
fmt.Println(err)
os.Exit(1)
}
defer inputFile.Close()
outputFile, err := os.Create("file.txt.compressed")
if err != nil {
fmt.Println(err)
os.Exit(1)
}
defer outputFile.Close()
flateWriter, err := flate.NewWriter(outputFile, flate.BestCompression)
if err != nil {
fmt.Println("NewWriter error ", err)
os.Exit(1)
}
defer flateWriter.Close()
io.Copy(flateWriter, inputFile)
flateWriter.Flush()
}
Sample test data :
>cat file.txt
This is a test file for Golang Compress/Flate
This is a test file for Golang Compress/Flate
This is a test file for Golang Compress/Flate
This is a test file for Golang Compress/Flate
This is a test file for Golang Compress/Flate
This is a test file for Golang Compress/Flate
>cat file.txt.compressed
��,V�D������T���"��ļt��܂���b}��ĒT�Q�#U5����
To decompress the file, read in the compressed data with NewReader()
function before piping out the decompressed data to file
package main
import (
"compress/flate"
"fmt"
"io"
"os"
)
func main() {
inputFile, err := os.Open("file.txt.compressed")
if err != nil {
fmt.Println(err)
os.Exit(1)
}
defer inputFile.Close()
outputFile, err := os.Create("file.txt.decompressed")
if err != nil {
fmt.Println(err)
os.Exit(1)
}
defer outputFile.Close()
flateReader := flate.NewReader(inputFile)
defer flateReader.Close()
io.Copy(outputFile, flateReader)
}
Happy coding!
Reference :
See also : Golang : Gzip file example
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+8.1k Findstr command the Grep equivalent for Windows
+31.2k Golang : Calculate percentage change of two values
+17.5k Golang : Linked list example
+14.1k Golang : Reverse IP address for reverse DNS lookup example
+17.7k Golang : Parse date string and convert to dd-mm-yyyy format
+10.2k Golang : Find and replace data in all files recursively
+21.8k Golang : Setting up/configure AWS credentials with official aws-sdk-go
+22.2k Golang : How to run Golang application such as web server in the background or as daemon?
+11.8k How to tell if a binary(executable) file or web application is built with Golang?
+16.3k Golang : Loop each day of the current month example
+40.2k Golang : UDP client server read write example
+46.2k Golang : Read tab delimited file with encoding/csv package