easy way to unzip file with golang

后端 未结 8 879
情话喂你
情话喂你 2021-02-01 03:45

is there a easy way to unzip file with golang ?

right now my code is:

func Unzip(src, dest string) error {
    r, err := zip.OpenReader(src)
    if err !         


        
8条回答
  •  萌比男神i
    2021-02-01 04:20

    I'm using archive/zip package to read .zip files and copy to the local disk. Below is the source code to unzip .zip files for my own needs.

    import (
        "archive/zip"
        "io"
        "log"
        "os"
        "path/filepath"
        "strings"
    )
    
    func unzip(src, dest string) error {
        r, err := zip.OpenReader(src)
        if err != nil {
            return err
        }
        defer r.Close()
    
        for _, f := range r.File {
            rc, err := f.Open()
            if err != nil {
                return err
            }
            defer rc.Close()
    
            fpath := filepath.Join(dest, f.Name)
            if f.FileInfo().IsDir() {
                os.MkdirAll(fpath, f.Mode())
            } else {
                var fdir string
                if lastIndex := strings.LastIndex(fpath,string(os.PathSeparator)); lastIndex > -1 {
                    fdir = fpath[:lastIndex]
                }
    
                err = os.MkdirAll(fdir, f.Mode())
                if err != nil {
                    log.Fatal(err)
                    return err
                }
                f, err := os.OpenFile(
                    fpath, os.O_WRONLY|os.O_CREATE|os.O_TRUNC, f.Mode())
                if err != nil {
                    return err
                }
                defer f.Close()
    
                _, err = io.Copy(f, rc)
                if err != nil {
                    return err
                }
            }
        }
        return nil
    }
    

提交回复
热议问题