package updater import ( "archive/zip" "fmt" "io" "os" "path/filepath" "strings" ) // Unzip will decompress a zip archive, moving all files and folders // within the zip file (src) to an output directory (dest). func Unzip(src string, dest string) ([]string, error) { var filenames []string r, err := zip.OpenReader(src) if err != nil { return filenames, err } defer r.Close() for _, f := range r.File { // Store filename/path for returning and using later on fpath := filepath.Join(dest, filepath.Clean(f.Name)) // Check for ZipSlip. More Info: http://bit.ly/2MsjAWE if !strings.HasPrefix(fpath, filepath.Clean(dest)+string(os.PathSeparator)) { return filenames, fmt.Errorf("%s: illegal file path", fpath) } filenames = append(filenames, fpath) if f.FileInfo().IsDir() { // Make Folder if err := os.MkdirAll(fpath, os.ModePerm); err != nil { return filenames, err } continue } // Make File if err = os.MkdirAll(filepath.Dir(fpath), os.ModePerm); err != nil { return filenames, err } outFile, err := os.OpenFile(filepath.Clean(fpath), os.O_WRONLY|os.O_CREATE|os.O_TRUNC, f.Mode()) if err != nil { return filenames, err } rc, err := f.Open() if err != nil { return filenames, err } _, err = io.Copy(outFile, rc) // #nosec - file is streamed from zip to file // Close the file without defer to close before next iteration of loop if err := outFile.Close(); err != nil { return filenames, err } if err := rc.Close(); err != nil { return filenames, err } if err != nil { return filenames, err } } return filenames, nil }