1 // Copyright (C) The Arvados Authors. All rights reserved.
3 // SPDX-License-Identifier: AGPL-3.0
29 "git.arvados.org/arvados.git/sdk/go/arvados"
30 "git.arvados.org/arvados.git/sdk/go/ctxlog"
35 s3SignAlgorithm = "AWS4-HMAC-SHA256"
36 s3MaxClockSkew = 5 * time.Minute
37 s3SecretCacheTidyInterval = time.Minute
40 type commonPrefix struct {
44 type listV1Resp struct {
45 XMLName string `xml:"http://s3.amazonaws.com/doc/2006-03-01/ ListBucketResult"`
53 // If we use a []string here, xml marshals an empty tag when
54 // CommonPrefixes is nil, which confuses some clients. Fix by
55 // using this nested struct instead.
56 CommonPrefixes []commonPrefix
57 // Similarly, we need omitempty here, because an empty
58 // tag confuses some clients (e.g.,
59 // github.com/aws/aws-sdk-net never terminates its
61 NextMarker string `xml:"NextMarker,omitempty"`
62 // ListObjectsV2 has a KeyCount response field.
66 type listV2Resp struct {
67 XMLName string `xml:"http://s3.amazonaws.com/doc/2006-03-01/ ListBucketResult"`
74 CommonPrefixes []commonPrefix
75 EncodingType string `xml:",omitempty"`
77 ContinuationToken string `xml:",omitempty"`
78 NextContinuationToken string `xml:",omitempty"`
79 StartAfter string `xml:",omitempty"`
86 // The following fields are not populated, but are here in
87 // case clients rely on the keys being present in xml
97 type cachedS3Secret struct {
98 auth *arvados.APIClientAuthorization
102 func newCachedS3Secret(auth *arvados.APIClientAuthorization, maxExpiry time.Time) *cachedS3Secret {
104 if auth.ExpiresAt.IsZero() || maxExpiry.Before(auth.ExpiresAt) {
107 expiry = auth.ExpiresAt
109 return &cachedS3Secret{
115 func (cs *cachedS3Secret) isValidAt(t time.Time) bool {
116 return cs.auth != nil &&
117 !cs.expiry.IsZero() &&
122 func hmacstring(msg string, key []byte) []byte {
123 h := hmac.New(sha256.New, key)
124 io.WriteString(h, msg)
128 func hashdigest(h hash.Hash, payload string) string {
129 io.WriteString(h, payload)
130 return fmt.Sprintf("%x", h.Sum(nil))
133 // Signing key for given secret key and request attrs.
134 func s3signatureKey(key, datestamp, regionName, serviceName string) []byte {
135 return hmacstring("aws4_request",
136 hmacstring(serviceName,
137 hmacstring(regionName,
138 hmacstring(datestamp, []byte("AWS4"+key)))))
141 // Canonical query string for S3 V4 signature: sorted keys, spaces
142 // escaped as %20 instead of +, keyvalues joined with &.
143 func s3querystring(u *url.URL) string {
144 keys := make([]string, 0, len(u.Query()))
145 values := make(map[string]string, len(u.Query()))
146 for k, vs := range u.Query() {
147 k = strings.Replace(url.QueryEscape(k), "+", "%20", -1)
148 keys = append(keys, k)
149 for _, v := range vs {
150 v = strings.Replace(url.QueryEscape(v), "+", "%20", -1)
154 values[k] += k + "=" + v
158 for i, k := range keys {
161 return strings.Join(keys, "&")
164 var reMultipleSlashChars = regexp.MustCompile(`//+`)
166 func s3stringToSign(alg, scope, signedHeaders string, r *http.Request) (string, error) {
167 timefmt, timestr := "20060102T150405Z", r.Header.Get("X-Amz-Date")
169 timefmt, timestr = time.RFC1123, r.Header.Get("Date")
171 t, err := time.Parse(timefmt, timestr)
173 return "", fmt.Errorf("invalid timestamp %q: %s", timestr, err)
175 if skew := time.Now().Sub(t); skew < -s3MaxClockSkew || skew > s3MaxClockSkew {
176 return "", errors.New("exceeded max clock skew")
179 var canonicalHeaders string
180 for _, h := range strings.Split(signedHeaders, ";") {
182 canonicalHeaders += h + ":" + r.Host + "\n"
184 canonicalHeaders += h + ":" + r.Header.Get(h) + "\n"
188 normalizedPath := normalizePath(r.URL.Path)
189 ctxlog.FromContext(r.Context()).Debugf("normalizedPath %q", normalizedPath)
190 canonicalRequest := fmt.Sprintf("%s\n%s\n%s\n%s\n%s\n%s", r.Method, normalizedPath, s3querystring(r.URL), canonicalHeaders, signedHeaders, r.Header.Get("X-Amz-Content-Sha256"))
191 ctxlog.FromContext(r.Context()).Debugf("s3stringToSign: canonicalRequest %s", canonicalRequest)
192 return fmt.Sprintf("%s\n%s\n%s\n%s", alg, r.Header.Get("X-Amz-Date"), scope, hashdigest(sha256.New(), canonicalRequest)), nil
195 func normalizePath(s string) string {
196 // (url.URL).EscapedPath() would be incorrect here. AWS
197 // documentation specifies the URL path should be normalized
198 // according to RFC 3986, i.e., unescaping ALPHA / DIGIT / "-"
199 // / "." / "_" / "~". The implication is that everything other
200 // than those chars (and "/") _must_ be percent-encoded --
201 // even chars like ";" and "," that are not normally
202 // percent-encoded in paths.
204 for _, c := range []byte(reMultipleSlashChars.ReplaceAllString(s, "/")) {
205 if (c >= 'a' && c <= 'z') ||
206 (c >= 'A' && c <= 'Z') ||
207 (c >= '0' && c <= '9') ||
215 out += fmt.Sprintf("%%%02X", c)
221 func s3signature(secretKey, scope, signedHeaders, stringToSign string) (string, error) {
222 // scope is {datestamp}/{region}/{service}/aws4_request
223 drs := strings.Split(scope, "/")
225 return "", fmt.Errorf("invalid scope %q", scope)
227 key := s3signatureKey(secretKey, drs[0], drs[1], drs[2])
228 return hashdigest(hmac.New(sha256.New, key), stringToSign), nil
231 var v2tokenUnderscore = regexp.MustCompile(`^v2_[a-z0-9]{5}-gj3su-[a-z0-9]{15}_`)
233 func unescapeKey(key string) string {
234 if v2tokenUnderscore.MatchString(key) {
235 // Entire Arvados token, with "/" replaced by "_" to
236 // avoid colliding with the Authorization header
238 return strings.Replace(key, "_", "/", -1)
239 } else if s, err := url.PathUnescape(key); err == nil {
246 func (h *handler) updateS3SecretCache(aca *arvados.APIClientAuthorization, key string) {
248 ttlExpiry := now.Add(h.Cluster.Collections.WebDAVCache.TTL.Duration())
249 cachedSecret := newCachedS3Secret(aca, ttlExpiry)
251 h.s3SecretCacheMtx.Lock()
252 defer h.s3SecretCacheMtx.Unlock()
254 if h.s3SecretCache == nil {
255 h.s3SecretCache = make(map[string]*cachedS3Secret)
257 h.s3SecretCache[key] = cachedSecret
258 h.s3SecretCache[cachedSecret.auth.UUID] = cachedSecret
259 h.s3SecretCache[cachedSecret.auth.APIToken] = cachedSecret
260 h.s3SecretCache[cachedSecret.auth.TokenV2()] = cachedSecret
262 if h.s3SecretCacheNextTidy.After(now) {
265 for key, entry := range h.s3SecretCache {
266 if entry.expiry.Before(now) {
267 delete(h.s3SecretCache, key)
270 h.s3SecretCacheNextTidy = now.Add(s3SecretCacheTidyInterval)
273 // checks3signature verifies the given S3 V4 signature and returns the
274 // Arvados token that corresponds to the given accessKey. An error is
275 // returned if accessKey is not a valid token UUID or the signature
277 func (h *handler) checks3signature(r *http.Request) (string, error) {
278 var key, scope, signedHeaders, signature string
279 authstring := strings.TrimPrefix(r.Header.Get("Authorization"), s3SignAlgorithm+" ")
280 for _, cmpt := range strings.Split(authstring, ",") {
281 cmpt = strings.TrimSpace(cmpt)
282 split := strings.SplitN(cmpt, "=", 2)
284 case len(split) != 2:
286 case split[0] == "Credential":
287 keyandscope := strings.SplitN(split[1], "/", 2)
288 if len(keyandscope) == 2 {
289 key, scope = keyandscope[0], keyandscope[1]
291 case split[0] == "SignedHeaders":
292 signedHeaders = split[1]
293 case split[0] == "Signature":
297 keyIsUUID := len(key) == 27 && key[5:12] == "-gj3su-"
298 unescapedKey := unescapeKey(key)
300 h.s3SecretCacheMtx.Lock()
301 cached := h.s3SecretCache[unescapedKey]
302 h.s3SecretCacheMtx.Unlock()
303 usedCache := cached != nil && cached.isValidAt(time.Now())
304 var aca *arvados.APIClientAuthorization
308 var acaAuth, acaPath string
310 acaAuth = h.Cluster.SystemRootToken
313 acaAuth = unescapedKey
316 client := (&arvados.Client{
317 APIHost: h.Cluster.Services.Controller.ExternalURL.Host,
318 Insecure: h.Cluster.TLS.Insecure,
319 }).WithRequestID(r.Header.Get("X-Request-Id"))
320 ctx := arvados.ContextWithAuthorization(r.Context(), "Bearer "+acaAuth)
321 aca = new(arvados.APIClientAuthorization)
322 err := client.RequestAndDecodeContext(ctx, aca, "GET", "arvados/v1/api_client_authorizations/"+acaPath, nil, nil)
324 ctxlog.FromContext(r.Context()).WithError(err).WithField("UUID", key).Info("token lookup failed")
325 return "", errors.New("invalid access key")
330 secret = aca.APIToken
334 stringToSign, err := s3stringToSign(s3SignAlgorithm, scope, signedHeaders, r)
338 expect, err := s3signature(secret, scope, signedHeaders, stringToSign)
341 } else if expect != signature {
342 return "", fmt.Errorf("signature does not match (scope %q signedHeaders %q stringToSign %q)", scope, signedHeaders, stringToSign)
345 h.updateS3SecretCache(aca, unescapedKey)
347 return aca.TokenV2(), nil
350 func s3ErrorResponse(w http.ResponseWriter, s3code string, message string, resource string, code int) {
351 w.Header().Set("Content-Type", "application/xml")
352 w.Header().Set("X-Content-Type-Options", "nosniff")
354 var errstruct struct {
360 errstruct.Code = s3code
361 errstruct.Message = message
362 errstruct.Resource = resource
363 errstruct.RequestId = ""
364 enc := xml.NewEncoder(w)
365 fmt.Fprint(w, xml.Header)
366 enc.EncodeElement(errstruct, xml.StartElement{Name: xml.Name{Local: "Error"}})
369 var NoSuchKey = "NoSuchKey"
370 var NoSuchBucket = "NoSuchBucket"
371 var InvalidArgument = "InvalidArgument"
372 var InternalError = "InternalError"
373 var UnauthorizedAccess = "UnauthorizedAccess"
374 var InvalidRequest = "InvalidRequest"
375 var SignatureDoesNotMatch = "SignatureDoesNotMatch"
377 var reRawQueryIndicatesAPI = regexp.MustCompile(`^[a-z]+(&|$)`)
379 // serveS3 handles r and returns true if r is a request from an S3
380 // client, otherwise it returns false.
381 func (h *handler) serveS3(w http.ResponseWriter, r *http.Request) bool {
383 if auth := r.Header.Get("Authorization"); strings.HasPrefix(auth, "AWS ") {
384 split := strings.SplitN(auth[4:], ":", 2)
386 s3ErrorResponse(w, InvalidRequest, "malformed Authorization header", r.URL.Path, http.StatusUnauthorized)
389 token = unescapeKey(split[0])
390 } else if strings.HasPrefix(auth, s3SignAlgorithm+" ") {
391 t, err := h.checks3signature(r)
393 s3ErrorResponse(w, SignatureDoesNotMatch, "signature verification failed: "+err.Error(), r.URL.Path, http.StatusForbidden)
401 fs, sess, tokenUser, err := h.Cache.GetSession(token)
403 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusInternalServerError)
408 if writeMethod[r.Method] {
409 // Create a FileSystem for this request, to avoid
410 // exposing incomplete write operations to concurrent
412 client := sess.client.WithRequestID(r.Header.Get("X-Request-Id"))
413 fs = client.SiteFileSystem(sess.keepclient)
414 fs.ForwardSlashNameSubstitution(h.Cluster.Collections.ForwardSlashNameSubstitution)
417 var objectNameGiven bool
418 var bucketName string
420 if id := arvados.CollectionIDFromDNSName(r.Host); id != "" {
423 objectNameGiven = strings.Count(strings.TrimSuffix(r.URL.Path, "/"), "/") > 0
425 bucketName = strings.SplitN(strings.TrimPrefix(r.URL.Path, "/"), "/", 2)[0]
426 objectNameGiven = strings.Count(strings.TrimSuffix(r.URL.Path, "/"), "/") > 1
428 fspath += reMultipleSlashChars.ReplaceAllString(r.URL.Path, "/")
431 case r.Method == http.MethodGet && !objectNameGiven:
432 // Path is "/{uuid}" or "/{uuid}/", has no object name
433 if _, ok := r.URL.Query()["versioning"]; ok {
434 // GetBucketVersioning
435 w.Header().Set("Content-Type", "application/xml")
436 io.WriteString(w, xml.Header)
437 fmt.Fprintln(w, `<VersioningConfiguration xmlns="http://s3.amazonaws.com/doc/2006-03-01/"/>`)
438 } else if _, ok = r.URL.Query()["location"]; ok {
440 w.Header().Set("Content-Type", "application/xml")
441 io.WriteString(w, xml.Header)
442 fmt.Fprintln(w, `<LocationConstraint><LocationConstraint xmlns="http://s3.amazonaws.com/doc/2006-03-01/">`+
444 `</LocationConstraint></LocationConstraint>`)
445 } else if reRawQueryIndicatesAPI.MatchString(r.URL.RawQuery) {
446 // GetBucketWebsite ("GET /bucketid/?website"), GetBucketTagging, etc.
447 s3ErrorResponse(w, InvalidRequest, "API not supported", r.URL.Path+"?"+r.URL.RawQuery, http.StatusBadRequest)
450 h.s3list(bucketName, w, r, fs)
453 case r.Method == http.MethodGet || r.Method == http.MethodHead:
454 if reRawQueryIndicatesAPI.MatchString(r.URL.RawQuery) {
455 // GetObjectRetention ("GET /bucketid/objectid?retention&versionID=..."), etc.
456 s3ErrorResponse(w, InvalidRequest, "API not supported", r.URL.Path+"?"+r.URL.RawQuery, http.StatusBadRequest)
459 fi, err := fs.Stat(fspath)
460 if r.Method == "HEAD" && !objectNameGiven {
462 if err == nil && fi.IsDir() {
463 err = setFileInfoHeaders(w.Header(), fs, fspath)
465 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusBadGateway)
468 w.WriteHeader(http.StatusOK)
469 } else if os.IsNotExist(err) {
470 s3ErrorResponse(w, NoSuchBucket, "The specified bucket does not exist.", r.URL.Path, http.StatusNotFound)
472 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusBadGateway)
476 if err == nil && fi.IsDir() && objectNameGiven && strings.HasSuffix(fspath, "/") && h.Cluster.Collections.S3FolderObjects {
477 err = setFileInfoHeaders(w.Header(), fs, fspath)
479 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusBadGateway)
482 w.Header().Set("Content-Type", "application/x-directory")
483 w.WriteHeader(http.StatusOK)
486 if os.IsNotExist(err) ||
487 (err != nil && err.Error() == "not a directory") ||
488 (fi != nil && fi.IsDir()) {
489 s3ErrorResponse(w, NoSuchKey, "The specified key does not exist.", r.URL.Path, http.StatusNotFound)
493 if !h.userPermittedToUploadOrDownload(r.Method, tokenUser) {
494 http.Error(w, "Not permitted", http.StatusForbidden)
497 h.logUploadOrDownload(r, sess.arvadosclient, fs, fspath, nil, tokenUser)
499 // shallow copy r, and change URL path
502 err = setFileInfoHeaders(w.Header(), fs, fspath)
504 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusBadGateway)
507 http.FileServer(fs).ServeHTTP(w, &r)
509 case r.Method == http.MethodPut:
510 if reRawQueryIndicatesAPI.MatchString(r.URL.RawQuery) {
511 // PutObjectAcl ("PUT /bucketid/objectid?acl&versionID=..."), etc.
512 s3ErrorResponse(w, InvalidRequest, "API not supported", r.URL.Path+"?"+r.URL.RawQuery, http.StatusBadRequest)
515 if !objectNameGiven {
516 s3ErrorResponse(w, InvalidArgument, "Missing object name in PUT request.", r.URL.Path, http.StatusBadRequest)
520 if strings.HasSuffix(fspath, "/") {
521 if !h.Cluster.Collections.S3FolderObjects {
522 s3ErrorResponse(w, InvalidArgument, "invalid object name: trailing slash", r.URL.Path, http.StatusBadRequest)
525 n, err := r.Body.Read(make([]byte, 1))
526 if err != nil && err != io.EOF {
527 s3ErrorResponse(w, InternalError, fmt.Sprintf("error reading request body: %s", err), r.URL.Path, http.StatusInternalServerError)
530 s3ErrorResponse(w, InvalidArgument, "cannot create object with trailing '/' char unless content is empty", r.URL.Path, http.StatusBadRequest)
532 } else if strings.SplitN(r.Header.Get("Content-Type"), ";", 2)[0] != "application/x-directory" {
533 s3ErrorResponse(w, InvalidArgument, "cannot create object with trailing '/' char unless Content-Type is 'application/x-directory'", r.URL.Path, http.StatusBadRequest)
536 // Given PUT "foo/bar/", we'll use "foo/bar/."
537 // in the "ensure parents exist" block below,
538 // and then we'll be done.
542 fi, err := fs.Stat(fspath)
543 if err != nil && err.Error() == "not a directory" {
544 // requested foo/bar, but foo is a file
545 s3ErrorResponse(w, InvalidArgument, "object name conflicts with existing object", r.URL.Path, http.StatusBadRequest)
548 if strings.HasSuffix(r.URL.Path, "/") && err == nil && !fi.IsDir() {
549 // requested foo/bar/, but foo/bar is a file
550 s3ErrorResponse(w, InvalidArgument, "object name conflicts with existing object", r.URL.Path, http.StatusBadRequest)
553 // create missing parent/intermediate directories, if any
554 for i, c := range fspath {
555 if i > 0 && c == '/' {
557 if strings.HasSuffix(dir, "/") {
558 err = errors.New("invalid object name (consecutive '/' chars)")
559 s3ErrorResponse(w, InvalidArgument, err.Error(), r.URL.Path, http.StatusBadRequest)
562 err = fs.Mkdir(dir, 0755)
563 if errors.Is(err, arvados.ErrInvalidArgument) || errors.Is(err, arvados.ErrInvalidOperation) {
564 // Cannot create a directory
566 err = fmt.Errorf("mkdir %q failed: %w", dir, err)
567 s3ErrorResponse(w, InvalidArgument, err.Error(), r.URL.Path, http.StatusBadRequest)
569 } else if err != nil && !os.IsExist(err) {
570 err = fmt.Errorf("mkdir %q failed: %w", dir, err)
571 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusInternalServerError)
577 f, err := fs.OpenFile(fspath, os.O_WRONLY|os.O_TRUNC|os.O_CREATE, 0644)
578 if os.IsNotExist(err) {
579 f, err = fs.OpenFile(fspath, os.O_WRONLY|os.O_TRUNC|os.O_CREATE, 0644)
582 err = fmt.Errorf("open %q failed: %w", r.URL.Path, err)
583 s3ErrorResponse(w, InvalidArgument, err.Error(), r.URL.Path, http.StatusBadRequest)
588 if !h.userPermittedToUploadOrDownload(r.Method, tokenUser) {
589 http.Error(w, "Not permitted", http.StatusForbidden)
592 h.logUploadOrDownload(r, sess.arvadosclient, fs, fspath, nil, tokenUser)
594 _, err = io.Copy(f, r.Body)
596 err = fmt.Errorf("write to %q failed: %w", r.URL.Path, err)
597 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusBadGateway)
602 err = fmt.Errorf("write to %q failed: close: %w", r.URL.Path, err)
603 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusBadGateway)
607 err = h.syncCollection(fs, readfs, fspath)
609 err = fmt.Errorf("sync failed: %w", err)
610 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusInternalServerError)
613 w.WriteHeader(http.StatusOK)
615 case r.Method == http.MethodDelete:
616 if reRawQueryIndicatesAPI.MatchString(r.URL.RawQuery) {
617 // DeleteObjectTagging ("DELETE /bucketid/objectid?tagging&versionID=..."), etc.
618 s3ErrorResponse(w, InvalidRequest, "API not supported", r.URL.Path+"?"+r.URL.RawQuery, http.StatusBadRequest)
621 if !objectNameGiven || r.URL.Path == "/" {
622 s3ErrorResponse(w, InvalidArgument, "missing object name in DELETE request", r.URL.Path, http.StatusBadRequest)
625 if strings.HasSuffix(fspath, "/") {
626 fspath = strings.TrimSuffix(fspath, "/")
627 fi, err := fs.Stat(fspath)
628 if os.IsNotExist(err) {
629 w.WriteHeader(http.StatusNoContent)
631 } else if err != nil {
632 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusInternalServerError)
634 } else if !fi.IsDir() {
635 // if "foo" exists and is a file, then
636 // "foo/" doesn't exist, so we say
637 // delete was successful.
638 w.WriteHeader(http.StatusNoContent)
641 } else if fi, err := fs.Stat(fspath); err == nil && fi.IsDir() {
642 // if "foo" is a dir, it is visible via S3
643 // only as "foo/", not "foo" -- so we leave
644 // the dir alone and return 204 to indicate
645 // that "foo" does not exist.
646 w.WriteHeader(http.StatusNoContent)
649 err = fs.Remove(fspath)
650 if os.IsNotExist(err) {
651 w.WriteHeader(http.StatusNoContent)
655 err = fmt.Errorf("rm failed: %w", err)
656 s3ErrorResponse(w, InvalidArgument, err.Error(), r.URL.Path, http.StatusBadRequest)
659 err = h.syncCollection(fs, readfs, fspath)
661 err = fmt.Errorf("sync failed: %w", err)
662 s3ErrorResponse(w, InternalError, err.Error(), r.URL.Path, http.StatusInternalServerError)
665 w.WriteHeader(http.StatusNoContent)
668 s3ErrorResponse(w, InvalidRequest, "method not allowed", r.URL.Path, http.StatusMethodNotAllowed)
673 // Save modifications to the indicated collection in srcfs, then (if
674 // successful) ensure they are also reflected in dstfs.
675 func (h *handler) syncCollection(srcfs, dstfs arvados.CustomFileSystem, path string) error {
676 coll, _ := h.determineCollection(srcfs, path)
677 if coll == nil || coll.UUID == "" {
678 return errors.New("could not determine collection to sync")
680 d, err := srcfs.OpenFile("by_id/"+coll.UUID, os.O_RDWR, 0777)
689 snap, err := d.Snapshot()
693 dstd, err := dstfs.OpenFile("by_id/"+coll.UUID, os.O_RDWR, 0777)
698 return dstd.Splice(snap)
701 func setFileInfoHeaders(header http.Header, fs arvados.CustomFileSystem, path string) error {
702 maybeEncode := func(s string) string {
703 for _, c := range s {
704 if c > '\u007f' || c < ' ' {
705 return mime.BEncoding.Encode("UTF-8", s)
710 path = strings.TrimSuffix(path, "/")
711 var props map[string]interface{}
713 fi, err := fs.Stat(path)
717 switch src := fi.Sys().(type) {
718 case *arvados.Collection:
719 props = src.Properties
720 if src.PortableDataHash != "" {
721 header.Set("Etag", fmt.Sprintf(`"%s"`, src.PortableDataHash))
724 props = src.Properties
726 if err, ok := src.(error); ok {
730 cut := strings.LastIndexByte(path, '/')
739 for k, v := range props {
740 if !validMIMEHeaderKey(k) {
743 k = "x-amz-meta-" + k
744 if s, ok := v.(string); ok {
745 header.Set(k, maybeEncode(s))
746 } else if j, err := json.Marshal(v); err == nil {
747 header.Set(k, maybeEncode(string(j)))
753 func validMIMEHeaderKey(k string) bool {
755 return check != textproto.CanonicalMIMEHeaderKey(check)
758 // Call fn on the given path (directory) and its contents, in
759 // lexicographic order.
761 // If isRoot==true and path is not a directory, return nil.
763 // If fn returns filepath.SkipDir when called on a directory, don't
764 // descend into that directory.
765 func walkFS(fs arvados.CustomFileSystem, path string, isRoot bool, fn func(path string, fi os.FileInfo) error) error {
767 fi, err := fs.Stat(path)
768 if os.IsNotExist(err) || (err == nil && !fi.IsDir()) {
770 } else if err != nil {
774 if err == filepath.SkipDir {
776 } else if err != nil {
780 f, err := fs.Open(path)
781 if os.IsNotExist(err) && isRoot {
783 } else if err != nil {
784 return fmt.Errorf("open %q: %w", path, err)
790 fis, err := f.Readdir(-1)
794 sort.Slice(fis, func(i, j int) bool { return fis[i].Name() < fis[j].Name() })
795 for _, fi := range fis {
796 err = fn(path+"/"+fi.Name(), fi)
797 if err == filepath.SkipDir {
799 } else if err != nil {
803 err = walkFS(fs, path+"/"+fi.Name(), false, fn)
812 var errDone = errors.New("done")
814 func (h *handler) s3list(bucket string, w http.ResponseWriter, r *http.Request, fs arvados.CustomFileSystem) {
820 marker string // decoded continuationToken (v2) or provided by client (v1)
821 startAfter string // v2
822 continuationToken string // v2
823 encodingTypeURL bool // v2
825 params.delimiter = r.FormValue("delimiter")
826 if mk, _ := strconv.ParseInt(r.FormValue("max-keys"), 10, 64); mk > 0 && mk < s3MaxKeys {
827 params.maxKeys = int(mk)
829 params.maxKeys = s3MaxKeys
831 params.prefix = r.FormValue("prefix")
832 switch r.FormValue("list-type") {
837 http.Error(w, "invalid list-type parameter", http.StatusBadRequest)
841 params.continuationToken = r.FormValue("continuation-token")
842 marker, err := base64.StdEncoding.DecodeString(params.continuationToken)
844 http.Error(w, "invalid continuation token", http.StatusBadRequest)
847 // marker and start-after perform the same function,
848 // but we keep them separate so we can repeat them
849 // back to the client in the response.
850 params.marker = string(marker)
851 params.startAfter = r.FormValue("start-after")
852 switch r.FormValue("encoding-type") {
855 params.encodingTypeURL = true
857 http.Error(w, "invalid encoding-type parameter", http.StatusBadRequest)
861 // marker is functionally equivalent to start-after.
862 params.marker = r.FormValue("marker")
865 // startAfter is params.marker or params.startAfter, whichever
867 startAfter := params.startAfter
868 if startAfter < params.marker {
869 startAfter = params.marker
872 bucketdir := "by_id/" + bucket
873 // walkpath is the directory (relative to bucketdir) we need
874 // to walk: the innermost directory that is guaranteed to
875 // contain all paths that have the requested prefix. Examples:
876 // prefix "foo/bar" => walkpath "foo"
877 // prefix "foo/bar/" => walkpath "foo/bar"
878 // prefix "foo" => walkpath ""
879 // prefix "" => walkpath ""
880 walkpath := params.prefix
881 if cut := strings.LastIndex(walkpath, "/"); cut >= 0 {
882 walkpath = walkpath[:cut]
889 Prefix: params.prefix,
890 Delimiter: params.delimiter,
891 MaxKeys: params.maxKeys,
892 ContinuationToken: r.FormValue("continuation-token"),
893 StartAfter: params.startAfter,
896 // nextMarker will be the last path we add to either
897 // resp.Contents or commonPrefixes. It will be included in
898 // the response as NextMarker or NextContinuationToken if
902 commonPrefixes := map[string]bool{}
904 err := walkFS(fs, strings.TrimSuffix(bucketdir+"/"+walkpath, "/"), true, func(path string, fi os.FileInfo) error {
905 if path == bucketdir {
908 path = path[len(bucketdir)+1:]
909 filesize := fi.Size()
914 if strings.HasPrefix(params.prefix, path) && params.prefix != path {
915 // Descend into subtree until we reach desired prefix
917 } else if path < params.prefix {
918 // Not an ancestor or descendant of desired
919 // prefix, therefore none of its descendants
920 // can be either -- skip
921 return filepath.SkipDir
922 } else if path > params.prefix && !strings.HasPrefix(path, params.prefix) {
923 // We must have traversed everything under
926 } else if path == startAfter {
927 // Skip startAfter itself, just descend into
930 } else if strings.HasPrefix(startAfter, path) {
931 // Descend into subtree in case it contains
932 // something after startAfter
934 } else if path < startAfter {
935 // Skip ahead until we reach startAfter
936 return filepath.SkipDir
938 if fi.IsDir() && !h.Cluster.Collections.S3FolderObjects {
939 // Note we don't add anything to
940 // commonPrefixes here even if delimiter is
941 // "/". We descend into the directory, and
942 // return a commonPrefix only if we end up
943 // finding a regular file inside it.
946 if params.delimiter != "" {
947 idx := strings.Index(path[len(params.prefix):], params.delimiter)
949 // with prefix "foobar" and delimiter
950 // "z", when we hit "foobar/baz", we
951 // add "/baz" to commonPrefixes and
953 prefix := path[:len(params.prefix)+idx+1]
954 if prefix == startAfter {
956 } else if prefix < startAfter && !strings.HasPrefix(startAfter, prefix) {
959 resp.IsTruncated = true
962 commonPrefixes[prefix] = true
964 full = len(resp.Contents)+len(commonPrefixes) >= params.maxKeys
965 return filepath.SkipDir
970 resp.IsTruncated = true
973 resp.Contents = append(resp.Contents, s3Key{
975 LastModified: fi.ModTime().UTC().Format("2006-01-02T15:04:05.999") + "Z",
979 full = len(resp.Contents)+len(commonPrefixes) >= params.maxKeys
982 if err != nil && err != errDone {
983 http.Error(w, err.Error(), http.StatusInternalServerError)
986 if params.delimiter == "" && !params.v2 || !resp.IsTruncated {
989 if params.delimiter != "" {
990 resp.CommonPrefixes = make([]commonPrefix, 0, len(commonPrefixes))
991 for prefix := range commonPrefixes {
992 resp.CommonPrefixes = append(resp.CommonPrefixes, commonPrefix{prefix})
994 sort.Slice(resp.CommonPrefixes, func(i, j int) bool { return resp.CommonPrefixes[i].Prefix < resp.CommonPrefixes[j].Prefix })
996 resp.KeyCount = len(resp.Contents)
997 var respV1orV2 interface{}
999 if params.encodingTypeURL {
1000 // https://docs.aws.amazon.com/AmazonS3/latest/API/API_ListObjectsV2.html
1001 // "If you specify the encoding-type request
1002 // parameter, Amazon S3 includes this element in the
1003 // response, and returns encoded key name values in
1004 // the following response elements:
1006 // Delimiter, Prefix, Key, and StartAfter.
1010 // Valid Values: url"
1012 // This is somewhat vague but in practice it appears
1013 // to mean x-www-form-urlencoded as in RFC1866 8.2.1
1014 // para 1 (encode space as "+") rather than straight
1015 // percent-encoding as in RFC1738 2.2. Presumably,
1016 // the intent is to allow the client to decode XML and
1017 // then paste the strings directly into another URI
1018 // query or POST form like "https://host/path?foo=" +
1019 // foo + "&bar=" + bar.
1020 resp.EncodingType = "url"
1021 resp.Delimiter = url.QueryEscape(resp.Delimiter)
1022 resp.Prefix = url.QueryEscape(resp.Prefix)
1023 resp.StartAfter = url.QueryEscape(resp.StartAfter)
1024 for i, ent := range resp.Contents {
1025 ent.Key = url.QueryEscape(ent.Key)
1026 resp.Contents[i] = ent
1028 for i, ent := range resp.CommonPrefixes {
1029 ent.Prefix = url.QueryEscape(ent.Prefix)
1030 resp.CommonPrefixes[i] = ent
1035 resp.NextContinuationToken = base64.StdEncoding.EncodeToString([]byte(nextMarker))
1038 respV1orV2 = listV1Resp{
1039 CommonPrefixes: resp.CommonPrefixes,
1040 NextMarker: nextMarker,
1041 KeyCount: resp.KeyCount,
1042 IsTruncated: resp.IsTruncated,
1044 Prefix: params.prefix,
1045 Delimiter: params.delimiter,
1046 Marker: params.marker,
1047 MaxKeys: params.maxKeys,
1048 Contents: resp.Contents,
1052 w.Header().Set("Content-Type", "application/xml")
1053 io.WriteString(w, xml.Header)
1054 if err := xml.NewEncoder(w).Encode(respV1orV2); err != nil {
1055 ctxlog.FromContext(r.Context()).WithError(err).Error("error writing xml response")