1
0
Fork 0
mirror of https://github.com/chrislusf/seaweedfs synced 2024-06-28 21:31:56 +02:00

Merge pull request #2274 from qieqieplus/gzip-pool

This commit is contained in:
Chris Lu 2021-08-20 04:22:41 -07:00 committed by GitHub
commit 1b1ab331f6
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
2 changed files with 64 additions and 21 deletions

View file

@ -2,10 +2,7 @@ package util
import ( import (
"bytes" "bytes"
"compress/flate"
"compress/gzip"
"fmt" "fmt"
"io/ioutil"
"strings" "strings"
"github.com/chrislusf/seaweedfs/weed/glog" "github.com/chrislusf/seaweedfs/weed/glog"
@ -42,17 +39,21 @@ func MaybeDecompressData(input []byte) []byte {
} }
func GzipData(input []byte) ([]byte, error) { func GzipData(input []byte) ([]byte, error) {
buf := new(bytes.Buffer) w := new(bytes.Buffer)
w, _ := gzip.NewWriterLevel(buf, flate.BestSpeed) _, err := GzipStream(w, bytes.NewReader(input))
if _, err := w.Write(input); err != nil { if err != nil {
glog.V(2).Infof("error gzip data: %v", err)
return nil, err return nil, err
} }
if err := w.Close(); err != nil { return w.Bytes(), nil
glog.V(2).Infof("error closing gzipped data: %v", err) }
func ungzipData(input []byte) ([]byte, error) {
w := new(bytes.Buffer)
_, err := GunzipStream(w, bytes.NewReader(input))
if err != nil {
return nil, err return nil, err
} }
return buf.Bytes(), nil return w.Bytes(), nil
} }
func DecompressData(input []byte) ([]byte, error) { func DecompressData(input []byte) ([]byte, error) {
@ -67,17 +68,6 @@ func DecompressData(input []byte) ([]byte, error) {
return input, UnsupportedCompression return input, UnsupportedCompression
} }
func ungzipData(input []byte) ([]byte, error) {
buf := bytes.NewBuffer(input)
r, _ := gzip.NewReader(buf)
defer r.Close()
output, err := ioutil.ReadAll(r)
if err != nil {
glog.V(2).Infof("error ungzip data: %v", err)
}
return output, err
}
func IsGzippedContent(data []byte) bool { func IsGzippedContent(data []byte) bool {
if len(data) < 2 { if len(data) < 2 {
return false return false

View file

@ -0,0 +1,53 @@
package util
import (
"compress/gzip"
"fmt"
"io"
"sync"
)
var (
gzipReaderPool = sync.Pool{
New: func() interface{} {
return new(gzip.Reader)
//return gzip.NewReader()
},
}
gzipWriterPool = sync.Pool{
New: func() interface{} {
w, _ := gzip.NewWriterLevel(nil, gzip.BestSpeed)
return w
},
}
)
func GzipStream(w io.Writer, r io.Reader) (int64, error) {
gw, ok := gzipWriterPool.Get().(*gzip.Writer)
if !ok {
return 0, fmt.Errorf("gzip: new writer error")
}
gw.Reset(w)
defer func() {
gw.Close()
gzipWriterPool.Put(gw)
}()
return io.Copy(gw, r)
}
func GunzipStream(w io.Writer, r io.Reader) (int64, error) {
gr, ok := gzipReaderPool.Get().(*gzip.Reader)
if !ok {
return 0, fmt.Errorf("gzip: new reader error")
}
if err := gr.Reset(r); err != nil {
return 0, err
}
defer func() {
gr.Close()
gzipReaderPool.Put(gr)
}()
return io.Copy(w, gr)
}