1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68
|
package zstd_test
import (
"archive/zip"
"bytes"
"fmt"
"io"
"github.com/klauspost/compress/zstd"
)
func ExampleZipCompressor() {
// Get zstandard de/compressors for zip.
// These can be used by multiple readers and writers.
compr := zstd.ZipCompressor(zstd.WithWindowSize(1<<20), zstd.WithEncoderCRC(false))
decomp := zstd.ZipDecompressor()
// Try it out...
var buf bytes.Buffer
zw := zip.NewWriter(&buf)
zw.RegisterCompressor(zstd.ZipMethodWinZip, compr)
zw.RegisterCompressor(zstd.ZipMethodPKWare, compr)
// Create 1MB data
tmp := make([]byte, 1<<20)
for i := range tmp {
tmp[i] = byte(i)
}
w, err := zw.CreateHeader(&zip.FileHeader{
Name: "file1.txt",
Method: zstd.ZipMethodWinZip,
})
if err != nil {
panic(err)
}
w.Write(tmp)
// Another...
w, err = zw.CreateHeader(&zip.FileHeader{
Name: "file2.txt",
Method: zstd.ZipMethodPKWare,
})
w.Write(tmp)
zw.Close()
zr, err := zip.NewReader(bytes.NewReader(buf.Bytes()), int64(buf.Len()))
if err != nil {
panic(err)
}
zr.RegisterDecompressor(zstd.ZipMethodWinZip, decomp)
zr.RegisterDecompressor(zstd.ZipMethodPKWare, decomp)
for _, file := range zr.File {
rc, err := file.Open()
if err != nil {
panic(err)
}
b, err := io.ReadAll(rc)
rc.Close()
if bytes.Equal(b, tmp) {
fmt.Println(file.Name, "ok")
} else {
fmt.Println(file.Name, "mismatch")
}
}
// Output:
// file1.txt ok
// file2.txt ok
}
|