Home > Article > Backend Development > How to Extract a TAR.GZ File in Go?
Uncompressing a TAR.GZ File in Go
Decompressing a TAR.GZ file in Go involves reading the compressed file using the gzip package and parsing its contents as a tarball using the archive/tar package. Here's a corrected version of the code:
<code class="go">package main import ( "archive/tar" "compress/gzip" "fmt" "io" "log" "os" ) func ExtractTarGz(gzipStream io.Reader) { uncompressedStream, err := gzip.NewReader(gzipStream) if err != nil { log.Fatal("ExtractTarGz: NewReader failed") } tarReader := tar.NewReader(uncompressedStream) for true { header, err := tarReader.Next() if err == io.EOF { break } if err != nil { log.Fatalf("ExtractTarGz: Next() failed: %s", err.Error()) } switch header.Typeflag { case tar.TypeDir: if err := os.Mkdir(header.Name, 0755); err != nil { log.Fatalf("ExtractTarGz: Mkdir() failed: %s", err.Error()) } case tar.TypeReg: outFile, err := os.Create(header.Name) if err != nil { log.Fatalf("ExtractTarGz: Create() failed: %s", err.Error()) } if _, err := io.Copy(outFile, tarReader); err != nil { log.Fatalf("ExtractTarGz: Copy() failed: %s", err.Error()) } outFile.Close() default: log.Fatalf( "ExtractTarGz: uknown type: %s in %s", header.Typeflag, header.Name) } } } func main() { r, err := os.Open("./file.tar.gz") if err != nil { fmt.Println("error") } ExtractTarGz(r) }</code>
The main issue with the original code was that it did not close the output file after writing to it. This could lead to data corruption and the "too many open files" error.
Improvements in the Corrected Code:
The above is the detailed content of How to Extract a TAR.GZ File in Go?. For more information, please follow other related articles on the PHP Chinese website!