Skip to content

Commit

Permalink
Merge pull request #1030 from SiaFoundation/pj/object-head
Browse files Browse the repository at this point in the history
add HEAD object endpoint to worker API
  • Loading branch information
ChrisSchinnerl authored Mar 7, 2024
2 parents 55dcdfc + e9ba938 commit bfc9feb
Show file tree
Hide file tree
Showing 5 changed files with 172 additions and 47 deletions.
23 changes: 21 additions & 2 deletions api/object.go
Original file line number Diff line number Diff line change
Expand Up @@ -83,9 +83,14 @@ type (
Object *Object `json:"object,omitempty"`
}

// GetObjectResponse is the response type for the /worker/object endpoint.
// GetObjectResponse is the response type for the GET /worker/object endpoint.
GetObjectResponse struct {
Content io.ReadCloser `json:"content"`
Content io.ReadCloser `json:"content"`
HeadObjectResponse
}

// HeadObjectResponse is the response type for the HEAD /worker/object endpoint.
HeadObjectResponse struct {
ContentType string `json:"contentType"`
LastModified string `json:"lastModified"`
Range *DownloadRange `json:"range,omitempty"`
Expand Down Expand Up @@ -206,6 +211,10 @@ type (
Batch bool
}

HeadObjectOptions struct {
Range DownloadRange
}

DownloadObjectOptions struct {
GetObjectOptions
Range DownloadRange
Expand Down Expand Up @@ -301,6 +310,16 @@ func (opts DeleteObjectOptions) Apply(values url.Values) {
}
}

func (opts HeadObjectOptions) ApplyHeaders(h http.Header) {
if opts.Range != (DownloadRange{}) {
if opts.Range.Length == -1 {
h.Set("Range", fmt.Sprintf("bytes=%v-", opts.Range.Offset))
} else {
h.Set("Range", fmt.Sprintf("bytes=%v-%v", opts.Range.Offset, opts.Range.Offset+opts.Range.Length-1))
}
}
}

func (opts GetObjectOptions) Apply(values url.Values) {
if opts.Prefix != "" {
values.Set("prefix", opts.Prefix)
Expand Down
35 changes: 25 additions & 10 deletions internal/test/e2e/metadata_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -33,27 +33,42 @@ func TestObjectMetadata(t *testing.T) {
}

// upload the object
_, err := w.UploadObject(context.Background(), bytes.NewReader([]byte(t.Name())), api.DefaultBucketName, t.Name(), opts)
data := []byte(t.Name())
_, err := w.UploadObject(context.Background(), bytes.NewReader(data), api.DefaultBucketName, t.Name(), opts)
if err != nil {
t.Fatal(err)
}

// get the object from the bus and assert it has the metadata
ress, err := b.Object(context.Background(), api.DefaultBucketName, t.Name(), api.GetObjectOptions{})
or, err := b.Object(context.Background(), api.DefaultBucketName, t.Name(), api.GetObjectOptions{})
if err != nil {
t.Fatal(err)
}
if !reflect.DeepEqual(ress.Object.Metadata, opts.Metadata) {
t.Fatal("metadata mismatch", ress.Object.Metadata)
if !reflect.DeepEqual(or.Object.Metadata, opts.Metadata) {
t.Fatal("metadata mismatch", or.Object.Metadata)
}

// get the object from the worker and assert it has the metadata
res, err := w.GetObject(context.Background(), api.DefaultBucketName, t.Name(), api.DownloadObjectOptions{})
gor, err := w.GetObject(context.Background(), api.DefaultBucketName, t.Name(), api.DownloadObjectOptions{})
if err != nil {
t.Fatal(err)
}
if !reflect.DeepEqual(res.Metadata, opts.Metadata) {
t.Fatal("metadata mismatch", res.Metadata)
if !reflect.DeepEqual(gor.Metadata, opts.Metadata) {
t.Fatal("metadata mismatch", gor.Metadata)
}

// perform a HEAD request and assert the headers are all present
hor, err := w.HeadObject(context.Background(), api.DefaultBucketName, t.Name(), api.HeadObjectOptions{Range: api.DownloadRange{Offset: 1, Length: 1}})
if err != nil {
t.Fatal(err)
} else if !reflect.DeepEqual(hor, &api.HeadObjectResponse{
ContentType: or.Object.ContentType(),
LastModified: or.Object.LastModified(),
Range: &api.DownloadRange{Offset: 1, Length: 1, Size: int64(len(data))},
Size: int64(len(data)),
Metadata: gor.Metadata,
}) {
t.Fatalf("unexpected response: %+v", hor)
}

// re-upload the object
Expand All @@ -63,11 +78,11 @@ func TestObjectMetadata(t *testing.T) {
}

// assert metadata was removed
res, err = w.GetObject(context.Background(), api.DefaultBucketName, t.Name(), api.DownloadObjectOptions{})
gor, err = w.GetObject(context.Background(), api.DefaultBucketName, t.Name(), api.DownloadObjectOptions{})
if err != nil {
t.Fatal(err)
}
if len(res.Metadata) > 0 {
t.Fatal("unexpected metadata", res.Metadata)
if len(gor.Metadata) > 0 {
t.Fatal("unexpected metadata", gor.Metadata)
}
}
111 changes: 80 additions & 31 deletions worker/client/client.go
Original file line number Diff line number Diff line change
Expand Up @@ -77,13 +77,49 @@ func (c *Client) DownloadStats() (resp api.DownloadStatsResponse, err error) {
return
}

// HeadObject returns the metadata of the object at the given path.
func (c *Client) HeadObject(ctx context.Context, bucket, path string, opts api.HeadObjectOptions) (*api.HeadObjectResponse, error) {
c.c.Custom("HEAD", fmt.Sprintf("/objects/%s", path), nil, nil)

if strings.HasSuffix(path, "/") {
return nil, errors.New("the given path is a directory, HEAD can only be performed on objects")
}

values := url.Values{}
values.Set("bucket", url.QueryEscape(bucket))
path += "?" + values.Encode()

// TODO: support HEAD in jape client
req, err := http.NewRequestWithContext(ctx, "HEAD", fmt.Sprintf("%s/objects/%s", c.c.BaseURL, path), nil)
if err != nil {
panic(err)
}
req.SetBasicAuth("", c.c.WithContext(ctx).Password)
opts.ApplyHeaders(req.Header)

resp, err := http.DefaultClient.Do(req)
if err != nil {
return nil, err
}
if resp.StatusCode != 200 && resp.StatusCode != 206 {
err, _ := io.ReadAll(resp.Body)
_ = resp.Body.Close()
return nil, errors.New(string(err))
}

head, err := parseObjectResponseHeaders(resp.Header)
if err != nil {
return nil, err
}
return &head, nil
}

// GetObject returns the object at given path alongside its metadata.
func (c *Client) GetObject(ctx context.Context, bucket, path string, opts api.DownloadObjectOptions) (*api.GetObjectResponse, error) {
if strings.HasSuffix(path, "/") {
return nil, errors.New("the given path is a directory, use ObjectEntries instead")
}

// Start download.
path = api.ObjectPathEscape(path)
body, header, err := c.object(ctx, bucket, path, opts)
if err != nil {
Expand All @@ -96,41 +132,14 @@ func (c *Client) GetObject(ctx context.Context, bucket, path string, opts api.Do
}
}()

// Parse header.
var size int64
_, err = fmt.Sscan(header.Get("Content-Length"), &size)
head, err := parseObjectResponseHeaders(header)
if err != nil {
return nil, err
}
var r *api.DownloadRange
if cr := header.Get("Content-Range"); cr != "" {
dr, err := api.ParseDownloadRange(cr)
if err != nil {
return nil, err
}
r = &dr

// If a range is set, the size is the size extracted from the range
// since Content-Length will then only be the length of the returned
// range.
size = dr.Size
}

// Parse headers.
headers := make(map[string]string)
for k, v := range header {
if len(v) > 0 {
headers[k] = v[0]
}
}

return &api.GetObjectResponse{
Content: body,
ContentType: header.Get("Content-Type"),
LastModified: header.Get("Last-Modified"),
Range: r,
Size: size,
Metadata: api.ExtractObjectUserMetadataFrom(headers),
Content: body,
HeadObjectResponse: head,
}, nil
}

Expand Down Expand Up @@ -283,6 +292,46 @@ func (c *Client) object(ctx context.Context, bucket, path string, opts api.Downl
return resp.Body, resp.Header, err
}

func parseObjectResponseHeaders(header http.Header) (api.HeadObjectResponse, error) {
// parse size
var size int64
_, err := fmt.Sscan(header.Get("Content-Length"), &size)
if err != nil {
return api.HeadObjectResponse{}, err
}

// parse range
var r *api.DownloadRange
if cr := header.Get("Content-Range"); cr != "" {
dr, err := api.ParseDownloadRange(cr)
if err != nil {
return api.HeadObjectResponse{}, err
}
r = &dr

// if a range is set, the size is the size extracted from the range
// since Content-Length will then only be the length of the returned
// range.
size = dr.Size
}

// parse headers
headers := make(map[string]string)
for k, v := range header {
if len(v) > 0 {
headers[k] = v[0]
}
}

return api.HeadObjectResponse{
ContentType: header.Get("Content-Type"),
LastModified: header.Get("Last-Modified"),
Range: r,
Size: size,
Metadata: api.ExtractObjectUserMetadataFrom(headers),
}, nil
}

func sizeFromSeeker(r io.Reader) (int64, error) {
s, ok := r.(io.Seeker)
if !ok {
Expand Down
8 changes: 4 additions & 4 deletions worker/serve.go
Original file line number Diff line number Diff line change
Expand Up @@ -76,9 +76,6 @@ func serveContent(rw http.ResponseWriter, req *http.Request, obj api.Object, dow
}
}()

// create a content reader
rs := newContentReader(pr, obj, offset)

// fetch the content type, if not set and we can't infer it from object's
// name we default to application/octet-stream, that is important because we
// have to avoid http.ServeContent to sniff the content type as it would
Expand All @@ -87,17 +84,20 @@ func serveContent(rw http.ResponseWriter, req *http.Request, obj api.Object, dow
if contentType == "" {
contentType = "application/octet-stream"
}
rw.Header().Set("Content-Type", contentType)

// set the response headers, no need to set Last-Modified header as
// serveContent does that for us
rw.Header().Set("ETag", api.FormatETag(obj.ETag))
rw.Header().Set("Content-Type", contentType)

// set the user metadata headers
for k, v := range obj.Metadata {
rw.Header().Set(fmt.Sprintf("%s%s", api.ObjectMetadataPrefix, k), v)
}

// create a content reader
rs := newContentReader(pr, obj, offset)

http.ServeContent(rw, req, obj.Name, obj.ModTime.Std(), rs)
return http.StatusOK, nil
}
Expand Down
42 changes: 42 additions & 0 deletions worker/worker.go
Original file line number Diff line number Diff line change
Expand Up @@ -854,6 +854,47 @@ func (w *worker) uploadsStatsHandlerGET(jc jape.Context) {
})
}

func (w *worker) objectsHandlerHEAD(jc jape.Context) {
// parse bucket
bucket := api.DefaultBucketName
if jc.DecodeForm("bucket", &bucket) != nil {
return
}

// parse path
path := jc.PathParam("path")
if path == "" || strings.HasSuffix(path, "/") {
jc.Error(errors.New("HEAD requests can only be performed on objects, not directories"), http.StatusBadRequest)
return
}

// fetch object metadata
res, err := w.bus.Object(jc.Request.Context(), bucket, path, api.GetObjectOptions{
OnlyMetadata: true,
})
if errors.Is(err, api.ErrObjectNotFound) {
jc.Error(err, http.StatusNotFound)
return
} else if err != nil {
jc.Error(err, http.StatusInternalServerError)
return
} else if res.Object == nil {
jc.Error(api.ErrObjectNotFound, http.StatusInternalServerError) // should never happen but checking because we deref. later
return
}

// serve the content to ensure we're setting the exact same headers as we
// would for a GET request
status, err := serveContent(jc.ResponseWriter, jc.Request, *res.Object, func(io.Writer, int64, int64) error { return nil })
if errors.Is(err, http_range.ErrInvalid) || errors.Is(err, errMultiRangeNotSupported) {
jc.Error(err, http.StatusBadRequest)
} else if errors.Is(err, http_range.ErrNoOverlap) {
jc.Error(err, http.StatusRequestedRangeNotSatisfiable)
} else if err != nil {
jc.Error(err, status)
}
}

func (w *worker) objectsHandlerGET(jc jape.Context) {
jc.Custom(nil, []api.ObjectMetadata{})

Expand Down Expand Up @@ -1360,6 +1401,7 @@ func (w *worker) Handler() http.Handler {
"GET /stats/uploads": w.uploadsStatsHandlerGET,
"POST /slab/migrate": w.slabMigrateHandler,

"HEAD /objects/*path": w.objectsHandlerHEAD,
"GET /objects/*path": w.objectsHandlerGET,
"PUT /objects/*path": w.objectsHandlerPUT,
"DELETE /objects/*path": w.objectsHandlerDELETE,
Expand Down

0 comments on commit bfc9feb

Please sign in to comment.