Home  >  Article  >  Backend Development  >  How to Extract a TAR.GZ File in Go?

How to Extract a TAR.GZ File in Go?

Patricia Arquette
Patricia ArquetteOriginal
2024-11-03 20:54:29349browse

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 corrected code closes the output file after writing to it.
  • It prints an error message to the console if the file cannot be opened.

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!

Statement:
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn