shad-go/distbuild/pkg/filecache/handler.go

100 lines
1.9 KiB
Go
Raw Normal View History

2020-04-04 18:45:29 +00:00
package filecache
import (
"errors"
"fmt"
"io"
"net/http"
"os"
"go.uber.org/zap"
"golang.org/x/sync/singleflight"
"gitlab.com/slon/shad-go/distbuild/pkg/build"
)
type Handler struct {
l *zap.Logger
cache *Cache
single singleflight.Group
}
func NewHandler(l *zap.Logger, cache *Cache) *Handler {
return &Handler{
l: l,
cache: cache,
}
}
func (h *Handler) Register(mux *http.ServeMux) {
mux.HandleFunc("/file", h.file)
}
func (h *Handler) doGet(w http.ResponseWriter, r *http.Request, id build.ID) error {
path, unlock, err := h.cache.Get(id)
if err != nil {
return err
}
defer unlock()
f, err := os.Open(path)
if err != nil {
return err
}
defer f.Close()
if _, err = io.Copy(w, f); err != nil {
h.l.Warn("error streaming file", zap.Error(err))
}
2020-04-04 21:21:55 +00:00
h.l.Debug("file download complete", zap.String("id", id.String()))
2020-04-04 18:45:29 +00:00
return nil
}
func (h *Handler) doPut(w http.ResponseWriter, r *http.Request, id build.ID) error {
_, err, _ := h.single.Do(id.String(), func() (interface{}, error) {
w, abort, err := h.cache.Write(id)
if errors.Is(err, ErrExists) {
return nil, nil
} else if err != nil {
return nil, err
}
2020-04-04 21:55:07 +00:00
defer func() { _ = abort() }()
2020-04-04 18:45:29 +00:00
if _, err = io.Copy(w, r.Body); err != nil {
return nil, err
}
return nil, w.Close()
})
if err != nil {
return err
}
w.WriteHeader(http.StatusOK)
2020-04-04 21:21:55 +00:00
h.l.Debug("file upload complete", zap.String("id", id.String()))
2020-04-04 18:45:29 +00:00
return nil
}
func (h *Handler) file(w http.ResponseWriter, r *http.Request) {
var id build.ID
err := id.UnmarshalText([]byte(r.URL.Query().Get("id")))
if err == nil {
switch r.Method {
case http.MethodGet:
err = h.doGet(w, r, id)
case http.MethodPut:
err = h.doPut(w, r, id)
default:
err = fmt.Errorf("filehandler: unsupported method %s", r.Method)
}
}
if err != nil {
h.l.Warn("file error", zap.String("method", r.Method), zap.Error(err))
w.WriteHeader(http.StatusBadRequest)
_, _ = fmt.Fprintf(w, "%v", err)
}
}