mirror of
https://github.com/Luzifer/password.git
synced 2024-11-14 20:22:47 +00:00
48 lines
1.1 KiB
Go
48 lines
1.1 KiB
Go
|
package http
|
||
|
|
||
|
import (
|
||
|
"compress/gzip"
|
||
|
"io"
|
||
|
"net/http"
|
||
|
"strings"
|
||
|
)
|
||
|
|
||
|
type gzipResponseWriter struct {
|
||
|
io.Writer
|
||
|
http.ResponseWriter
|
||
|
}
|
||
|
|
||
|
func (w gzipResponseWriter) Write(b []byte) (int, error) {
|
||
|
return w.Writer.Write(b)
|
||
|
}
|
||
|
|
||
|
// GzipHandler wraps an http.Handler and gzips responses if the client supports it
|
||
|
func GzipHandler(handler http.Handler) http.Handler {
|
||
|
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
|
||
|
if !strings.Contains(r.Header.Get("Accept-Encoding"), "gzip") {
|
||
|
handler.ServeHTTP(w, r)
|
||
|
return
|
||
|
}
|
||
|
w.Header().Set("Content-Encoding", "gzip")
|
||
|
gz := gzip.NewWriter(w)
|
||
|
defer gz.Close()
|
||
|
gzw := gzipResponseWriter{Writer: gz, ResponseWriter: w}
|
||
|
handler.ServeHTTP(gzw, r)
|
||
|
})
|
||
|
}
|
||
|
|
||
|
// GzipFunc wraps an http.HandlerFunc and gzips responses if the client supports it
|
||
|
func GzipFunc(f http.HandlerFunc) http.HandlerFunc {
|
||
|
return func(w http.ResponseWriter, r *http.Request) {
|
||
|
if !strings.Contains(r.Header.Get("Accept-Encoding"), "gzip") {
|
||
|
f(w, r)
|
||
|
return
|
||
|
}
|
||
|
w.Header().Set("Content-Encoding", "gzip")
|
||
|
gz := gzip.NewWriter(w)
|
||
|
defer gz.Close()
|
||
|
gzw := gzipResponseWriter{Writer: gz, ResponseWriter: w}
|
||
|
f(gzw, r)
|
||
|
}
|
||
|
}
|