1 // Copyright (C) The Arvados Authors. All rights reserved.
3 // SPDX-License-Identifier: AGPL-3.0
23 "git.arvados.org/arvados.git/lib/cmd"
24 "git.arvados.org/arvados.git/lib/webdavfs"
25 "git.arvados.org/arvados.git/sdk/go/arvados"
26 "git.arvados.org/arvados.git/sdk/go/arvadosclient"
27 "git.arvados.org/arvados.git/sdk/go/auth"
28 "git.arvados.org/arvados.git/sdk/go/ctxlog"
29 "git.arvados.org/arvados.git/sdk/go/httpserver"
30 "git.arvados.org/arvados.git/sdk/go/keepclient"
31 "github.com/sirupsen/logrus"
32 "golang.org/x/net/webdav"
37 Cluster *arvados.Cluster
41 lock map[string]*sync.RWMutex
45 var urlPDHDecoder = strings.NewReplacer(" ", "+", "-", "+")
47 var notFoundMessage = "Not Found"
48 var unauthorizedMessage = "401 Unauthorized\n\nA valid Arvados token must be provided to access this resource."
50 // parseCollectionIDFromURL returns a UUID or PDH if s is a UUID or a
51 // PDH (even if it is a PDH with "+" replaced by " " or "-");
53 func parseCollectionIDFromURL(s string) string {
54 if arvadosclient.UUIDMatch(s) {
57 if pdh := urlPDHDecoder.Replace(s); arvadosclient.PDHMatch(pdh) {
63 func (h *handler) setup() {
64 keepclient.DefaultBlockCache.MaxBlocks = h.Cluster.Collections.WebDAVCache.MaxBlockEntries
67 func (h *handler) serveStatus(w http.ResponseWriter, r *http.Request) {
68 json.NewEncoder(w).Encode(struct{ Version string }{cmd.Version.String()})
71 type errorWithHTTPStatus interface {
75 // updateOnSuccess wraps httpserver.ResponseWriter. If the handler
76 // sends an HTTP header indicating success, updateOnSuccess first
77 // calls the provided update func. If the update func fails, an error
78 // response is sent (using the error's HTTP status or 500 if none),
79 // and the status code and body sent by the handler are ignored (all
80 // response writes return the update error).
81 type updateOnSuccess struct {
82 httpserver.ResponseWriter
83 logger logrus.FieldLogger
89 func (uos *updateOnSuccess) Write(p []byte) (int, error) {
91 uos.WriteHeader(http.StatusOK)
96 return uos.ResponseWriter.Write(p)
99 func (uos *updateOnSuccess) WriteHeader(code int) {
101 uos.sentHeader = true
102 if code >= 200 && code < 400 {
103 if uos.err = uos.update(); uos.err != nil {
104 code := http.StatusInternalServerError
105 if he := errorWithHTTPStatus(nil); errors.As(uos.err, &he) {
106 code = he.HTTPStatus()
108 uos.logger.WithError(uos.err).Errorf("update() returned %T error, changing response to HTTP %d", uos.err, code)
109 http.Error(uos.ResponseWriter, uos.err.Error(), code)
114 uos.ResponseWriter.WriteHeader(code)
118 corsAllowHeadersHeader = strings.Join([]string{
119 "Authorization", "Content-Type", "Range",
120 // WebDAV request headers:
121 "Depth", "Destination", "If", "Lock-Token", "Overwrite", "Timeout", "Cache-Control",
123 writeMethod = map[string]bool{
134 webdavMethod = map[string]bool{
147 browserMethod = map[string]bool{
152 // top-level dirs to serve with siteFS
153 siteFSDir = map[string]bool{
154 "": true, // root directory
160 func stripDefaultPort(host string) string {
161 // Will consider port 80 and port 443 to be the same vhost. I think that's fine.
162 u := &url.URL{Host: host}
163 if p := u.Port(); p == "80" || p == "443" {
164 return strings.ToLower(u.Hostname())
166 return strings.ToLower(host)
170 // CheckHealth implements service.Handler.
171 func (h *handler) CheckHealth() error {
175 // Done implements service.Handler.
176 func (h *handler) Done() <-chan struct{} {
180 // ServeHTTP implements http.Handler.
181 func (h *handler) ServeHTTP(wOrig http.ResponseWriter, r *http.Request) {
182 h.setupOnce.Do(h.setup)
184 if xfp := r.Header.Get("X-Forwarded-Proto"); xfp != "" && xfp != "http" {
188 w := httpserver.WrapResponseWriter(wOrig)
190 if r.Method == "OPTIONS" && ServeCORSPreflight(w, r.Header) {
194 if !browserMethod[r.Method] && !webdavMethod[r.Method] {
195 w.WriteHeader(http.StatusMethodNotAllowed)
199 if r.Header.Get("Origin") != "" {
200 // Allow simple cross-origin requests without user
201 // credentials ("user credentials" as defined by CORS,
202 // i.e., cookies, HTTP authentication, and client-side
203 // SSL certificates. See
204 // http://www.w3.org/TR/cors/#user-credentials).
205 w.Header().Set("Access-Control-Allow-Origin", "*")
206 w.Header().Set("Access-Control-Expose-Headers", "Content-Range")
214 arvPath := r.URL.Path
215 if prefix := r.Header.Get("X-Webdav-Prefix"); prefix != "" {
216 // Enable a proxy (e.g., container log handler in
217 // controller) to satisfy a request for path
218 // "/foo/bar/baz.txt" using content from
219 // "//abc123-4.internal/bar/baz.txt", by adding a
220 // request header "X-Webdav-Prefix: /foo"
221 if !strings.HasPrefix(arvPath, prefix) {
222 http.Error(w, "X-Webdav-Prefix header is not a prefix of the requested path", http.StatusBadRequest)
225 arvPath = r.URL.Path[len(prefix):]
229 w.Header().Set("Vary", "X-Webdav-Prefix, "+w.Header().Get("Vary"))
230 webdavPrefix = prefix
232 pathParts := strings.Split(arvPath[1:], "/")
235 var collectionID string
237 var reqTokens []string
241 credentialsOK := h.Cluster.Collections.TrustAllContent
242 reasonNotAcceptingCredentials := ""
244 if r.Host != "" && stripDefaultPort(r.Host) == stripDefaultPort(h.Cluster.Services.WebDAVDownload.ExternalURL.Host) {
247 } else if r.FormValue("disposition") == "attachment" {
252 reasonNotAcceptingCredentials = fmt.Sprintf("vhost %q does not specify a single collection ID or match Services.WebDAVDownload.ExternalURL %q, and Collections.TrustAllContent is false",
253 r.Host, h.Cluster.Services.WebDAVDownload.ExternalURL)
256 if collectionID = arvados.CollectionIDFromDNSName(r.Host); collectionID != "" {
257 // http://ID.collections.example/PATH...
259 } else if r.URL.Path == "/status.json" {
262 } else if siteFSDir[pathParts[0]] {
264 } else if len(pathParts) >= 1 && strings.HasPrefix(pathParts[0], "c=") {
266 collectionID = parseCollectionIDFromURL(pathParts[0][2:])
268 } else if len(pathParts) >= 2 && pathParts[0] == "collections" {
269 if len(pathParts) >= 4 && pathParts[1] == "download" {
270 // /collections/download/ID/TOKEN/PATH...
271 collectionID = parseCollectionIDFromURL(pathParts[2])
272 tokens = []string{pathParts[3]}
276 // /collections/ID/PATH...
277 collectionID = parseCollectionIDFromURL(pathParts[1])
279 // This path is only meant to work for public
280 // data. Tokens provided with the request are
282 credentialsOK = false
283 reasonNotAcceptingCredentials = "the '/collections/UUID/PATH' form only works for public data"
288 if cc := r.Header.Get("Cache-Control"); strings.Contains(cc, "no-cache") || strings.Contains(cc, "must-revalidate") {
293 reqTokens = auth.CredentialsFromRequest(r).Tokens
297 origin := r.Header.Get("Origin")
298 cors := origin != "" && !strings.HasSuffix(origin, "://"+r.Host)
299 safeAjax := cors && (r.Method == http.MethodGet || r.Method == http.MethodHead)
300 // Important distiction: safeAttachment checks whether api_token exists as
301 // a query parameter. The following condition checks whether api_token
302 // exists as request form data *or* a query parameter. This distinction is
303 // necessary to redirect when required, and not when not.
304 safeAttachment := attachment && !r.URL.Query().Has("api_token")
305 if formTokens, haveFormTokens := r.Form["api_token"]; !haveFormTokens {
306 // No token to use or redact.
307 } else if safeAjax || safeAttachment {
308 // If this is a cross-origin request, the URL won't
309 // appear in the browser's address bar, so
310 // substituting a clipboard-safe URL is pointless.
311 // Redirect-with-cookie wouldn't work anyway, because
312 // it's not safe to allow third-party use of our
315 // If we're supplying an attachment, we don't need to
316 // convert POST to GET to avoid the "really resubmit
317 // form?" problem, so provided the token isn't
318 // embedded in the URL, there's no reason to do
319 // redirect-with-cookie in this case either.
320 for _, tok := range formTokens {
321 reqTokens = append(reqTokens, tok)
323 } else if browserMethod[r.Method] {
324 // If this is a page view, and the client provided a
325 // token via query string or POST body, we must put
326 // the token in an HttpOnly cookie, and redirect to an
327 // equivalent URL with the query param redacted and
329 h.seeOtherWithCookie(w, r, "", credentialsOK)
333 targetPath := pathParts[stripParts:]
334 if tokens == nil && len(targetPath) > 0 && strings.HasPrefix(targetPath[0], "t=") {
335 // http://ID.example/t=TOKEN/PATH...
336 // /c=ID/t=TOKEN/PATH...
338 // This form must only be used to pass scoped tokens
339 // that give permission for a single collection. See
340 // FormValue case above.
341 tokens = []string{targetPath[0][2:]}
343 targetPath = targetPath[1:]
349 if writeMethod[r.Method] {
350 http.Error(w, webdavfs.ErrReadOnly.Error(), http.StatusMethodNotAllowed)
353 if len(reqTokens) == 0 {
354 w.Header().Add("WWW-Authenticate", "Basic realm=\"collections\"")
355 http.Error(w, unauthorizedMessage, http.StatusUnauthorized)
359 } else if collectionID == "" {
360 http.Error(w, notFoundMessage, http.StatusNotFound)
363 fsprefix = "by_id/" + collectionID + "/"
366 if src := r.Header.Get("X-Webdav-Source"); strings.HasPrefix(src, "/") && !strings.Contains(src, "//") && !strings.Contains(src, "/../") {
372 if h.Cluster.Users.AnonymousUserToken != "" {
373 tokens = append(tokens, h.Cluster.Users.AnonymousUserToken)
377 if len(targetPath) > 0 && targetPath[0] == "_" {
378 // If a collection has a directory called "t=foo" or
379 // "_", it can be served at
380 // //collections.example/_/t=foo/ or
381 // //collections.example/_/_/ respectively:
382 // //collections.example/t=foo/ won't work because
383 // t=foo will be interpreted as a token "foo".
384 targetPath = targetPath[1:]
388 dirOpenMode := os.O_RDONLY
389 if writeMethod[r.Method] {
390 dirOpenMode = os.O_RDWR
394 var tokenScopeProblem bool
396 var tokenUser *arvados.User
397 var sessionFS arvados.CustomFileSystem
398 var session *cachedSession
399 var collectionDir arvados.File
400 for _, token = range tokens {
401 var statusErr errorWithHTTPStatus
402 fs, sess, user, err := h.Cache.GetSession(token)
403 if errors.As(err, &statusErr) && statusErr.HTTPStatus() == http.StatusUnauthorized {
406 } else if err != nil {
407 http.Error(w, "cache error: "+err.Error(), http.StatusInternalServerError)
410 if token != h.Cluster.Users.AnonymousUserToken {
413 f, err := fs.OpenFile(fsprefix, dirOpenMode, 0)
414 if errors.As(err, &statusErr) &&
415 statusErr.HTTPStatus() == http.StatusForbidden &&
416 token != h.Cluster.Users.AnonymousUserToken {
417 // collection id is outside scope of supplied
419 tokenScopeProblem = true
422 } else if os.IsNotExist(err) {
423 // collection does not exist or is not
424 // readable using this token
427 } else if err != nil {
428 http.Error(w, err.Error(), http.StatusInternalServerError)
435 collectionDir, sessionFS, session, tokenUser = f, fs, sess, user
438 if forceReload && collectionDir != nil {
439 err := collectionDir.Sync()
441 if he := errorWithHTTPStatus(nil); errors.As(err, &he) {
442 http.Error(w, err.Error(), he.HTTPStatus())
444 http.Error(w, err.Error(), http.StatusInternalServerError)
451 // The URL is a "secret sharing link" that
452 // didn't work out. Asking the client for
453 // additional credentials would just be
455 http.Error(w, notFoundMessage, http.StatusNotFound)
459 // The client provided valid token(s), but the
460 // collection was not found.
461 http.Error(w, notFoundMessage, http.StatusNotFound)
464 if tokenScopeProblem {
465 // The client provided a valid token but
466 // fetching a collection returned 401, which
467 // means the token scope doesn't permit
468 // fetching that collection.
469 http.Error(w, notFoundMessage, http.StatusForbidden)
472 // The client's token was invalid (e.g., expired), or
473 // the client didn't even provide one. Redirect to
474 // workbench2's login-and-redirect-to-download url if
475 // this is a browser navigation request. (The redirect
476 // flow can't preserve the original method if it's not
477 // GET, and doesn't make sense if the UA is a
478 // command-line tool, is trying to load an inline
479 // image, etc.; in these cases, there's nothing we can
480 // do, so return 401 unauthorized.)
482 // Note Sec-Fetch-Mode is sent by all non-EOL
483 // browsers, except Safari.
484 // https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Sec-Fetch-Mode
486 // TODO(TC): This response would be confusing to
487 // someone trying (anonymously) to download public
488 // data that has been deleted. Allow a referrer to
489 // provide this context somehow?
490 if r.Method == http.MethodGet && r.Header.Get("Sec-Fetch-Mode") == "navigate" {
491 target := url.URL(h.Cluster.Services.Workbench2.ExternalURL)
492 redirkey := "redirectToPreview"
494 redirkey = "redirectToDownload"
496 callback := "/c=" + collectionID + "/" + strings.Join(targetPath, "/")
497 // target.RawQuery = url.Values{redirkey:
498 // {target}}.Encode() would be the obvious
499 // thing to do here, but wb2 doesn't decode
500 // this as a query param -- it takes
501 // everything after "${redirkey}=" as the
502 // target URL. If we encode "/" as "%2F" etc.,
503 // the redirect won't work.
504 target.RawQuery = redirkey + "=" + callback
505 w.Header().Add("Location", target.String())
506 w.WriteHeader(http.StatusSeeOther)
510 http.Error(w, fmt.Sprintf("Authorization tokens are not accepted here: %v, and no anonymous user token is configured.", reasonNotAcceptingCredentials), http.StatusUnauthorized)
513 // If none of the above cases apply, suggest the
514 // user-agent (which is either a non-browser agent
515 // like wget, or a browser that can't redirect through
516 // a login flow) prompt the user for credentials.
517 w.Header().Add("WWW-Authenticate", "Basic realm=\"collections\"")
518 http.Error(w, unauthorizedMessage, http.StatusUnauthorized)
522 if r.Method == http.MethodGet || r.Method == http.MethodHead {
523 targetfnm := fsprefix + strings.Join(pathParts[stripParts:], "/")
524 if fi, err := sessionFS.Stat(targetfnm); err == nil && fi.IsDir() {
525 if !strings.HasSuffix(r.URL.Path, "/") {
526 h.seeOtherWithCookie(w, r, r.URL.Path+"/", credentialsOK)
528 h.serveDirectory(w, r, fi.Name(), sessionFS, targetfnm, !useSiteFS)
535 if len(targetPath) > 0 {
536 basename = targetPath[len(targetPath)-1]
538 if arvadosclient.PDHMatch(collectionID) && writeMethod[r.Method] {
539 http.Error(w, webdavfs.ErrReadOnly.Error(), http.StatusMethodNotAllowed)
542 if !h.userPermittedToUploadOrDownload(r.Method, tokenUser) {
543 http.Error(w, "Not permitted", http.StatusForbidden)
546 h.logUploadOrDownload(r, session.arvadosclient, sessionFS, fsprefix+strings.Join(targetPath, "/"), nil, tokenUser)
548 writing := writeMethod[r.Method]
549 locker := h.collectionLock(collectionID, writing)
550 defer locker.Unlock()
553 // Save the collection only if/when all
554 // webdav->filesystem operations succeed --
555 // and send a 500 error if the modified
556 // collection can't be saved.
558 // Perform the write in a separate sitefs, so
559 // concurrent read operations on the same
560 // collection see the previous saved
561 // state. After the write succeeds and the
562 // collection record is updated, we reset the
563 // session so the updates are visible in
564 // subsequent read requests.
565 client := session.client.WithRequestID(r.Header.Get("X-Request-Id"))
566 sessionFS = client.SiteFileSystem(session.keepclient)
567 writingDir, err := sessionFS.OpenFile(fsprefix, os.O_RDONLY, 0)
569 http.Error(w, err.Error(), http.StatusInternalServerError)
572 defer writingDir.Close()
573 w = &updateOnSuccess{
575 logger: ctxlog.FromContext(r.Context()),
576 update: func() error {
577 err := writingDir.Sync()
578 var te arvados.TransactionError
579 if errors.As(err, &te) {
585 // Sync the changes to the persistent
586 // sessionfs for this token.
587 snap, err := writingDir.Snapshot()
591 collectionDir.Splice(snap)
595 if r.Method == http.MethodGet {
596 applyContentDispositionHdr(w, r, basename, attachment)
598 if webdavPrefix == "" {
599 webdavPrefix = "/" + strings.Join(pathParts[:stripParts], "/")
601 wh := webdav.Handler{
602 Prefix: webdavPrefix,
603 FileSystem: &webdavfs.FS{
604 FileSystem: sessionFS,
606 Writing: writeMethod[r.Method],
607 AlwaysReadEOF: r.Method == "PROPFIND",
609 LockSystem: webdavfs.NoLockSystem,
610 Logger: func(r *http.Request, err error) {
611 if err != nil && !os.IsNotExist(err) {
612 ctxlog.FromContext(r.Context()).WithError(err).Error("error reported by webdav handler")
617 if r.Method == http.MethodGet && w.WroteStatus() == http.StatusOK {
618 wrote := int64(w.WroteBodyBytes())
619 fnm := strings.Join(pathParts[stripParts:], "/")
620 fi, err := wh.FileSystem.Stat(r.Context(), fnm)
621 if err == nil && fi.Size() != wrote {
623 f, err := wh.FileSystem.OpenFile(r.Context(), fnm, os.O_RDONLY, 0)
625 n, err = f.Read(make([]byte, 1024))
628 ctxlog.FromContext(r.Context()).Errorf("stat.Size()==%d but only wrote %d bytes; read(1024) returns %d, %v", fi.Size(), wrote, n, err)
633 var dirListingTemplate = `<!DOCTYPE HTML>
635 <META name="robots" content="NOINDEX">
636 <TITLE>{{ .CollectionName }}</TITLE>
637 <STYLE type="text/css">
642 background-color: #D9EDF7;
643 border-radius: .25em;
654 font-family: monospace;
661 <H1>{{ .CollectionName }}</H1>
663 <P>This collection of data files is being shared with you through
664 Arvados. You can download individual files listed below. To download
665 the entire directory tree with wget, try:</P>
667 <PRE>$ wget --mirror --no-parent --no-host --cut-dirs={{ .StripParts }} https://{{ .Request.Host }}{{ .Request.URL.Path }}</PRE>
669 <H2>File Listing</H2>
675 <LI>{{" " | printf "%15s " | nbsp}}<A href="{{print "./" .Name}}/">{{.Name}}/</A></LI>
677 <LI>{{.Size | printf "%15d " | nbsp}}<A href="{{print "./" .Name}}">{{.Name}}</A></LI>
682 <P>(No files; this collection is empty.)</P>
689 Arvados is a free and open source software bioinformatics platform.
690 To learn more, visit arvados.org.
691 Arvados is not responsible for the files listed on this page.
698 type fileListEnt struct {
704 func (h *handler) serveDirectory(w http.ResponseWriter, r *http.Request, collectionName string, fs http.FileSystem, base string, recurse bool) {
705 var files []fileListEnt
706 var walk func(string) error
707 if !strings.HasSuffix(base, "/") {
710 walk = func(path string) error {
711 dirname := base + path
713 dirname = strings.TrimSuffix(dirname, "/")
715 d, err := fs.Open(dirname)
719 ents, err := d.Readdir(-1)
723 for _, ent := range ents {
724 if recurse && ent.IsDir() {
725 err = walk(path + ent.Name() + "/")
730 files = append(files, fileListEnt{
731 Name: path + ent.Name(),
739 if err := walk(""); err != nil {
740 http.Error(w, "error getting directory listing: "+err.Error(), http.StatusInternalServerError)
744 funcs := template.FuncMap{
745 "nbsp": func(s string) template.HTML {
746 return template.HTML(strings.Replace(s, " ", " ", -1))
749 tmpl, err := template.New("dir").Funcs(funcs).Parse(dirListingTemplate)
751 http.Error(w, "error parsing template: "+err.Error(), http.StatusInternalServerError)
754 sort.Slice(files, func(i, j int) bool {
755 return files[i].Name < files[j].Name
757 w.WriteHeader(http.StatusOK)
758 tmpl.Execute(w, map[string]interface{}{
759 "CollectionName": collectionName,
762 "StripParts": strings.Count(strings.TrimRight(r.URL.Path, "/"), "/"),
766 func applyContentDispositionHdr(w http.ResponseWriter, r *http.Request, filename string, isAttachment bool) {
767 disposition := "inline"
769 disposition = "attachment"
771 if strings.ContainsRune(r.RequestURI, '?') {
772 // Help the UA realize that the filename is just
773 // "filename.txt", not
774 // "filename.txt?disposition=attachment".
776 // TODO(TC): Follow advice at RFC 6266 appendix D
777 disposition += "; filename=" + strconv.QuoteToASCII(filename)
779 if disposition != "inline" {
780 w.Header().Set("Content-Disposition", disposition)
784 func (h *handler) seeOtherWithCookie(w http.ResponseWriter, r *http.Request, location string, credentialsOK bool) {
785 if formTokens, haveFormTokens := r.Form["api_token"]; haveFormTokens {
787 // It is not safe to copy the provided token
788 // into a cookie unless the current vhost
789 // (origin) serves only a single collection or
790 // we are in TrustAllContent mode.
791 http.Error(w, "cannot serve inline content at this URL (possible configuration error; see https://doc.arvados.org/install/install-keep-web.html#dns)", http.StatusBadRequest)
795 // The HttpOnly flag is necessary to prevent
796 // JavaScript code (included in, or loaded by, a page
797 // in the collection being served) from employing the
798 // user's token beyond reading other files in the same
799 // domain, i.e., same collection.
801 // The 303 redirect is necessary in the case of a GET
802 // request to avoid exposing the token in the Location
803 // bar, and in the case of a POST request to avoid
804 // raising warnings when the user refreshes the
806 for _, tok := range formTokens {
810 http.SetCookie(w, &http.Cookie{
811 Name: "arvados_api_token",
812 Value: auth.EncodeTokenCookie([]byte(tok)),
815 SameSite: http.SameSiteLaxMode,
821 // Propagate query parameters (except api_token) from
822 // the original request.
823 redirQuery := r.URL.Query()
824 redirQuery.Del("api_token")
828 newu, err := u.Parse(location)
830 http.Error(w, "error resolving redirect target: "+err.Error(), http.StatusInternalServerError)
836 Scheme: r.URL.Scheme,
839 RawQuery: redirQuery.Encode(),
842 w.Header().Add("Location", redir)
843 w.WriteHeader(http.StatusSeeOther)
844 io.WriteString(w, `<A href="`)
845 io.WriteString(w, html.EscapeString(redir))
846 io.WriteString(w, `">Continue</A>`)
849 func (h *handler) userPermittedToUploadOrDownload(method string, tokenUser *arvados.User) bool {
850 var permitDownload bool
851 var permitUpload bool
852 if tokenUser != nil && tokenUser.IsAdmin {
853 permitUpload = h.Cluster.Collections.WebDAVPermission.Admin.Upload
854 permitDownload = h.Cluster.Collections.WebDAVPermission.Admin.Download
856 permitUpload = h.Cluster.Collections.WebDAVPermission.User.Upload
857 permitDownload = h.Cluster.Collections.WebDAVPermission.User.Download
859 if (method == "PUT" || method == "POST") && !permitUpload {
860 // Disallow operations that upload new files.
861 // Permit webdav operations that move existing files around.
863 } else if method == "GET" && !permitDownload {
864 // Disallow downloading file contents.
865 // Permit webdav operations like PROPFIND that retrieve metadata
866 // but not file contents.
872 func (h *handler) logUploadOrDownload(
874 client *arvadosclient.ArvadosClient,
875 fs arvados.CustomFileSystem,
877 collection *arvados.Collection,
878 user *arvados.User) {
880 log := ctxlog.FromContext(r.Context())
881 props := make(map[string]string)
882 props["reqPath"] = r.URL.Path
885 log = log.WithField("user_uuid", user.UUID).
886 WithField("user_full_name", user.FullName)
889 useruuid = fmt.Sprintf("%s-tpzed-anonymouspublic", h.Cluster.ClusterID)
891 if collection == nil && fs != nil {
892 collection, filepath = h.determineCollection(fs, filepath)
894 if collection != nil {
895 log = log.WithField("collection_file_path", filepath)
896 props["collection_file_path"] = filepath
897 // h.determineCollection populates the collection_uuid
898 // prop with the PDH, if this collection is being
899 // accessed via PDH. For logging, we use a different
900 // field depending on whether it's a UUID or PDH.
901 if len(collection.UUID) > 32 {
902 log = log.WithField("portable_data_hash", collection.UUID)
903 props["portable_data_hash"] = collection.UUID
905 log = log.WithField("collection_uuid", collection.UUID)
906 props["collection_uuid"] = collection.UUID
909 if r.Method == "PUT" || r.Method == "POST" {
910 log.Info("File upload")
911 if h.Cluster.Collections.WebDAVLogEvents {
913 lr := arvadosclient.Dict{"log": arvadosclient.Dict{
914 "object_uuid": useruuid,
915 "event_type": "file_upload",
916 "properties": props}}
917 err := client.Create("logs", lr, nil)
919 log.WithError(err).Error("Failed to create upload log event on API server")
923 } else if r.Method == "GET" {
924 if collection != nil && collection.PortableDataHash != "" {
925 log = log.WithField("portable_data_hash", collection.PortableDataHash)
926 props["portable_data_hash"] = collection.PortableDataHash
928 log.Info("File download")
929 if h.Cluster.Collections.WebDAVLogEvents {
931 lr := arvadosclient.Dict{"log": arvadosclient.Dict{
932 "object_uuid": useruuid,
933 "event_type": "file_download",
934 "properties": props}}
935 err := client.Create("logs", lr, nil)
937 log.WithError(err).Error("Failed to create download log event on API server")
944 func (h *handler) determineCollection(fs arvados.CustomFileSystem, path string) (*arvados.Collection, string) {
945 target := strings.TrimSuffix(path, "/")
946 for cut := len(target); cut >= 0; cut = strings.LastIndexByte(target, '/') {
947 target = target[:cut]
948 fi, err := fs.Stat(target)
949 if os.IsNotExist(err) {
950 // creating a new file/dir, or download
953 } else if err != nil {
956 switch src := fi.Sys().(type) {
957 case *arvados.Collection:
958 return src, strings.TrimPrefix(path[len(target):], "/")
962 if _, ok := src.(error); ok {
970 var lockTidyInterval = time.Minute * 10
972 // Lock the specified collection for reading or writing. Caller must
973 // call Unlock() on the returned Locker when the operation is
975 func (h *handler) collectionLock(collectionID string, writing bool) sync.Locker {
977 defer h.lockMtx.Unlock()
978 if time.Since(h.lockTidied) > lockTidyInterval {
979 // Periodically delete all locks that aren't in use.
980 h.lockTidied = time.Now()
981 for id, locker := range h.lock {
982 if locker.TryLock() {
988 locker := h.lock[collectionID]
990 locker = new(sync.RWMutex)
992 h.lock = map[string]*sync.RWMutex{}
994 h.lock[collectionID] = locker
1001 return locker.RLocker()
1005 func ServeCORSPreflight(w http.ResponseWriter, header http.Header) bool {
1006 method := header.Get("Access-Control-Request-Method")
1010 if !browserMethod[method] && !webdavMethod[method] {
1011 w.WriteHeader(http.StatusMethodNotAllowed)
1014 w.Header().Set("Access-Control-Allow-Headers", corsAllowHeadersHeader)
1015 w.Header().Set("Access-Control-Allow-Methods", "COPY, DELETE, GET, LOCK, MKCOL, MOVE, OPTIONS, POST, PROPFIND, PROPPATCH, PUT, RMCOL, UNLOCK")
1016 w.Header().Set("Access-Control-Allow-Origin", "*")
1017 w.Header().Set("Access-Control-Max-Age", "86400")