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
+17.6k Golang : Clone with pointer and modify value
+8.6k Android Studio : Import third-party library or package into Gradle Scripts
+7k Golang : constant 20013 overflows byte error message
+6.6k Golang : How to determine if request or crawl is from Google robots
+21.2k Golang : Convert(cast) string to rune and back to string example
+11.6k Get form post value in Go
+6.9k Golang : Pat multiplexer routing example
+7.6k Golang : Set horizontal, vertical scroll bars policies and disable interaction on Qt image
+11.2k CodeIgniter : How to check if a session exist in PHP?
+14.9k Golang : How to check for empty array string or string?
+5.2k Golang : Customize scanner.Scanner to treat dash as part of identifier
+45k Golang : Use wildcard patterns with filepath.Glob() example