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
296 formToken := r.FormValue("api_token")
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 safeAttachment := attachment && r.URL.Query().Get("api_token") == ""
302 // No token to use or redact.
303 } else if safeAjax || safeAttachment {
304 // If this is a cross-origin request, the URL won't
305 // appear in the browser's address bar, so
306 // substituting a clipboard-safe URL is pointless.
307 // Redirect-with-cookie wouldn't work anyway, because
308 // it's not safe to allow third-party use of our
311 // If we're supplying an attachment, we don't need to
312 // convert POST to GET to avoid the "really resubmit
313 // form?" problem, so provided the token isn't
314 // embedded in the URL, there's no reason to do
315 // redirect-with-cookie in this case either.
316 reqTokens = append(reqTokens, formToken)
317 } else if browserMethod[r.Method] {
318 // If this is a page view, and the client provided a
319 // token via query string or POST body, we must put
320 // the token in an HttpOnly cookie, and redirect to an
321 // equivalent URL with the query param redacted and
323 h.seeOtherWithCookie(w, r, "", credentialsOK)
327 targetPath := pathParts[stripParts:]
328 if tokens == nil && len(targetPath) > 0 && strings.HasPrefix(targetPath[0], "t=") {
329 // http://ID.example/t=TOKEN/PATH...
330 // /c=ID/t=TOKEN/PATH...
332 // This form must only be used to pass scoped tokens
333 // that give permission for a single collection. See
334 // FormValue case above.
335 tokens = []string{targetPath[0][2:]}
337 targetPath = targetPath[1:]
343 if writeMethod[r.Method] {
344 http.Error(w, webdavfs.ErrReadOnly.Error(), http.StatusMethodNotAllowed)
347 if len(reqTokens) == 0 {
348 w.Header().Add("WWW-Authenticate", "Basic realm=\"collections\"")
349 http.Error(w, unauthorizedMessage, http.StatusUnauthorized)
353 } else if collectionID == "" {
354 http.Error(w, notFoundMessage, http.StatusNotFound)
357 fsprefix = "by_id/" + collectionID + "/"
360 if src := r.Header.Get("X-Webdav-Source"); strings.HasPrefix(src, "/") && !strings.Contains(src, "//") && !strings.Contains(src, "/../") {
366 if h.Cluster.Users.AnonymousUserToken != "" {
367 tokens = append(tokens, h.Cluster.Users.AnonymousUserToken)
371 if len(targetPath) > 0 && targetPath[0] == "_" {
372 // If a collection has a directory called "t=foo" or
373 // "_", it can be served at
374 // //collections.example/_/t=foo/ or
375 // //collections.example/_/_/ respectively:
376 // //collections.example/t=foo/ won't work because
377 // t=foo will be interpreted as a token "foo".
378 targetPath = targetPath[1:]
382 dirOpenMode := os.O_RDONLY
383 if writeMethod[r.Method] {
384 dirOpenMode = os.O_RDWR
388 var tokenScopeProblem bool
390 var tokenUser *arvados.User
391 var sessionFS arvados.CustomFileSystem
392 var session *cachedSession
393 var collectionDir arvados.File
394 for _, token = range tokens {
395 var statusErr errorWithHTTPStatus
396 fs, sess, user, err := h.Cache.GetSession(token)
397 if errors.As(err, &statusErr) && statusErr.HTTPStatus() == http.StatusUnauthorized {
400 } else if err != nil {
401 http.Error(w, "cache error: "+err.Error(), http.StatusInternalServerError)
404 if token != h.Cluster.Users.AnonymousUserToken {
407 f, err := fs.OpenFile(fsprefix, dirOpenMode, 0)
408 if errors.As(err, &statusErr) &&
409 statusErr.HTTPStatus() == http.StatusForbidden &&
410 token != h.Cluster.Users.AnonymousUserToken {
411 // collection id is outside scope of supplied
413 tokenScopeProblem = true
416 } else if os.IsNotExist(err) {
417 // collection does not exist or is not
418 // readable using this token
421 } else if err != nil {
422 http.Error(w, err.Error(), http.StatusInternalServerError)
429 collectionDir, sessionFS, session, tokenUser = f, fs, sess, user
432 if forceReload && collectionDir != nil {
433 err := collectionDir.Sync()
435 if he := errorWithHTTPStatus(nil); errors.As(err, &he) {
436 http.Error(w, err.Error(), he.HTTPStatus())
438 http.Error(w, err.Error(), http.StatusInternalServerError)
445 // The URL is a "secret sharing link" that
446 // didn't work out. Asking the client for
447 // additional credentials would just be
449 http.Error(w, notFoundMessage, http.StatusNotFound)
453 // The client provided valid token(s), but the
454 // collection was not found.
455 http.Error(w, notFoundMessage, http.StatusNotFound)
458 if tokenScopeProblem {
459 // The client provided a valid token but
460 // fetching a collection returned 401, which
461 // means the token scope doesn't permit
462 // fetching that collection.
463 http.Error(w, notFoundMessage, http.StatusForbidden)
466 // The client's token was invalid (e.g., expired), or
467 // the client didn't even provide one. Redirect to
468 // workbench2's login-and-redirect-to-download url if
469 // this is a browser navigation request. (The redirect
470 // flow can't preserve the original method if it's not
471 // GET, and doesn't make sense if the UA is a
472 // command-line tool, is trying to load an inline
473 // image, etc.; in these cases, there's nothing we can
474 // do, so return 401 unauthorized.)
476 // Note Sec-Fetch-Mode is sent by all non-EOL
477 // browsers, except Safari.
478 // https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Sec-Fetch-Mode
480 // TODO(TC): This response would be confusing to
481 // someone trying (anonymously) to download public
482 // data that has been deleted. Allow a referrer to
483 // provide this context somehow?
484 if r.Method == http.MethodGet && r.Header.Get("Sec-Fetch-Mode") == "navigate" {
485 target := url.URL(h.Cluster.Services.Workbench2.ExternalURL)
486 redirkey := "redirectToPreview"
488 redirkey = "redirectToDownload"
490 callback := "/c=" + collectionID + "/" + strings.Join(targetPath, "/")
491 // target.RawQuery = url.Values{redirkey:
492 // {target}}.Encode() would be the obvious
493 // thing to do here, but wb2 doesn't decode
494 // this as a query param -- it takes
495 // everything after "${redirkey}=" as the
496 // target URL. If we encode "/" as "%2F" etc.,
497 // the redirect won't work.
498 target.RawQuery = redirkey + "=" + callback
499 w.Header().Add("Location", target.String())
500 w.WriteHeader(http.StatusSeeOther)
504 http.Error(w, fmt.Sprintf("Authorization tokens are not accepted here: %v, and no anonymous user token is configured.", reasonNotAcceptingCredentials), http.StatusUnauthorized)
507 // If none of the above cases apply, suggest the
508 // user-agent (which is either a non-browser agent
509 // like wget, or a browser that can't redirect through
510 // a login flow) prompt the user for credentials.
511 w.Header().Add("WWW-Authenticate", "Basic realm=\"collections\"")
512 http.Error(w, unauthorizedMessage, http.StatusUnauthorized)
516 if r.Method == http.MethodGet || r.Method == http.MethodHead {
517 targetfnm := fsprefix + strings.Join(pathParts[stripParts:], "/")
518 if fi, err := sessionFS.Stat(targetfnm); err == nil && fi.IsDir() {
519 if !strings.HasSuffix(r.URL.Path, "/") {
520 h.seeOtherWithCookie(w, r, r.URL.Path+"/", credentialsOK)
522 h.serveDirectory(w, r, fi.Name(), sessionFS, targetfnm, !useSiteFS)
529 if len(targetPath) > 0 {
530 basename = targetPath[len(targetPath)-1]
532 if arvadosclient.PDHMatch(collectionID) && writeMethod[r.Method] {
533 http.Error(w, webdavfs.ErrReadOnly.Error(), http.StatusMethodNotAllowed)
536 if !h.userPermittedToUploadOrDownload(r.Method, tokenUser) {
537 http.Error(w, "Not permitted", http.StatusForbidden)
540 h.logUploadOrDownload(r, session.arvadosclient, sessionFS, fsprefix+strings.Join(targetPath, "/"), nil, tokenUser)
542 writing := writeMethod[r.Method]
543 locker := h.collectionLock(collectionID, writing)
544 defer locker.Unlock()
547 // Save the collection only if/when all
548 // webdav->filesystem operations succeed --
549 // and send a 500 error if the modified
550 // collection can't be saved.
552 // Perform the write in a separate sitefs, so
553 // concurrent read operations on the same
554 // collection see the previous saved
555 // state. After the write succeeds and the
556 // collection record is updated, we reset the
557 // session so the updates are visible in
558 // subsequent read requests.
559 client := session.client.WithRequestID(r.Header.Get("X-Request-Id"))
560 sessionFS = client.SiteFileSystem(session.keepclient)
561 writingDir, err := sessionFS.OpenFile(fsprefix, os.O_RDONLY, 0)
563 http.Error(w, err.Error(), http.StatusInternalServerError)
566 defer writingDir.Close()
567 w = &updateOnSuccess{
569 logger: ctxlog.FromContext(r.Context()),
570 update: func() error {
571 err := writingDir.Sync()
572 var te arvados.TransactionError
573 if errors.As(err, &te) {
579 // Sync the changes to the persistent
580 // sessionfs for this token.
581 snap, err := writingDir.Snapshot()
585 collectionDir.Splice(snap)
589 if r.Method == http.MethodGet {
590 applyContentDispositionHdr(w, r, basename, attachment)
592 if webdavPrefix == "" {
593 webdavPrefix = "/" + strings.Join(pathParts[:stripParts], "/")
595 wh := webdav.Handler{
596 Prefix: webdavPrefix,
597 FileSystem: &webdavfs.FS{
598 FileSystem: sessionFS,
600 Writing: writeMethod[r.Method],
601 AlwaysReadEOF: r.Method == "PROPFIND",
603 LockSystem: webdavfs.NoLockSystem,
604 Logger: func(r *http.Request, err error) {
605 if err != nil && !os.IsNotExist(err) {
606 ctxlog.FromContext(r.Context()).WithError(err).Error("error reported by webdav handler")
611 if r.Method == http.MethodGet && w.WroteStatus() == http.StatusOK {
612 wrote := int64(w.WroteBodyBytes())
613 fnm := strings.Join(pathParts[stripParts:], "/")
614 fi, err := wh.FileSystem.Stat(r.Context(), fnm)
615 if err == nil && fi.Size() != wrote {
617 f, err := wh.FileSystem.OpenFile(r.Context(), fnm, os.O_RDONLY, 0)
619 n, err = f.Read(make([]byte, 1024))
622 ctxlog.FromContext(r.Context()).Errorf("stat.Size()==%d but only wrote %d bytes; read(1024) returns %d, %v", fi.Size(), wrote, n, err)
627 var dirListingTemplate = `<!DOCTYPE HTML>
629 <META name="robots" content="NOINDEX">
630 <TITLE>{{ .CollectionName }}</TITLE>
631 <STYLE type="text/css">
636 background-color: #D9EDF7;
637 border-radius: .25em;
648 font-family: monospace;
655 <H1>{{ .CollectionName }}</H1>
657 <P>This collection of data files is being shared with you through
658 Arvados. You can download individual files listed below. To download
659 the entire directory tree with wget, try:</P>
661 <PRE>$ wget --mirror --no-parent --no-host --cut-dirs={{ .StripParts }} https://{{ .Request.Host }}{{ .Request.URL.Path }}</PRE>
663 <H2>File Listing</H2>
669 <LI>{{" " | printf "%15s " | nbsp}}<A href="{{print "./" .Name}}/">{{.Name}}/</A></LI>
671 <LI>{{.Size | printf "%15d " | nbsp}}<A href="{{print "./" .Name}}">{{.Name}}</A></LI>
676 <P>(No files; this collection is empty.)</P>
683 Arvados is a free and open source software bioinformatics platform.
684 To learn more, visit arvados.org.
685 Arvados is not responsible for the files listed on this page.
692 type fileListEnt struct {
698 func (h *handler) serveDirectory(w http.ResponseWriter, r *http.Request, collectionName string, fs http.FileSystem, base string, recurse bool) {
699 var files []fileListEnt
700 var walk func(string) error
701 if !strings.HasSuffix(base, "/") {
704 walk = func(path string) error {
705 dirname := base + path
707 dirname = strings.TrimSuffix(dirname, "/")
709 d, err := fs.Open(dirname)
713 ents, err := d.Readdir(-1)
717 for _, ent := range ents {
718 if recurse && ent.IsDir() {
719 err = walk(path + ent.Name() + "/")
724 files = append(files, fileListEnt{
725 Name: path + ent.Name(),
733 if err := walk(""); err != nil {
734 http.Error(w, "error getting directory listing: "+err.Error(), http.StatusInternalServerError)
738 funcs := template.FuncMap{
739 "nbsp": func(s string) template.HTML {
740 return template.HTML(strings.Replace(s, " ", " ", -1))
743 tmpl, err := template.New("dir").Funcs(funcs).Parse(dirListingTemplate)
745 http.Error(w, "error parsing template: "+err.Error(), http.StatusInternalServerError)
748 sort.Slice(files, func(i, j int) bool {
749 return files[i].Name < files[j].Name
751 w.WriteHeader(http.StatusOK)
752 tmpl.Execute(w, map[string]interface{}{
753 "CollectionName": collectionName,
756 "StripParts": strings.Count(strings.TrimRight(r.URL.Path, "/"), "/"),
760 func applyContentDispositionHdr(w http.ResponseWriter, r *http.Request, filename string, isAttachment bool) {
761 disposition := "inline"
763 disposition = "attachment"
765 if strings.ContainsRune(r.RequestURI, '?') {
766 // Help the UA realize that the filename is just
767 // "filename.txt", not
768 // "filename.txt?disposition=attachment".
770 // TODO(TC): Follow advice at RFC 6266 appendix D
771 disposition += "; filename=" + strconv.QuoteToASCII(filename)
773 if disposition != "inline" {
774 w.Header().Set("Content-Disposition", disposition)
778 func (h *handler) seeOtherWithCookie(w http.ResponseWriter, r *http.Request, location string, credentialsOK bool) {
779 if formToken := r.FormValue("api_token"); formToken != "" {
781 // It is not safe to copy the provided token
782 // into a cookie unless the current vhost
783 // (origin) serves only a single collection or
784 // we are in TrustAllContent mode.
785 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)
789 // The HttpOnly flag is necessary to prevent
790 // JavaScript code (included in, or loaded by, a page
791 // in the collection being served) from employing the
792 // user's token beyond reading other files in the same
793 // domain, i.e., same collection.
795 // The 303 redirect is necessary in the case of a GET
796 // request to avoid exposing the token in the Location
797 // bar, and in the case of a POST request to avoid
798 // raising warnings when the user refreshes the
800 http.SetCookie(w, &http.Cookie{
801 Name: "arvados_api_token",
802 Value: auth.EncodeTokenCookie([]byte(formToken)),
805 SameSite: http.SameSiteLaxMode,
809 // Propagate query parameters (except api_token) from
810 // the original request.
811 redirQuery := r.URL.Query()
812 redirQuery.Del("api_token")
816 newu, err := u.Parse(location)
818 http.Error(w, "error resolving redirect target: "+err.Error(), http.StatusInternalServerError)
824 Scheme: r.URL.Scheme,
827 RawQuery: redirQuery.Encode(),
830 w.Header().Add("Location", redir)
831 w.WriteHeader(http.StatusSeeOther)
832 io.WriteString(w, `<A href="`)
833 io.WriteString(w, html.EscapeString(redir))
834 io.WriteString(w, `">Continue</A>`)
837 func (h *handler) userPermittedToUploadOrDownload(method string, tokenUser *arvados.User) bool {
838 var permitDownload bool
839 var permitUpload bool
840 if tokenUser != nil && tokenUser.IsAdmin {
841 permitUpload = h.Cluster.Collections.WebDAVPermission.Admin.Upload
842 permitDownload = h.Cluster.Collections.WebDAVPermission.Admin.Download
844 permitUpload = h.Cluster.Collections.WebDAVPermission.User.Upload
845 permitDownload = h.Cluster.Collections.WebDAVPermission.User.Download
847 if (method == "PUT" || method == "POST") && !permitUpload {
848 // Disallow operations that upload new files.
849 // Permit webdav operations that move existing files around.
851 } else if method == "GET" && !permitDownload {
852 // Disallow downloading file contents.
853 // Permit webdav operations like PROPFIND that retrieve metadata
854 // but not file contents.
860 func (h *handler) logUploadOrDownload(
862 client *arvadosclient.ArvadosClient,
863 fs arvados.CustomFileSystem,
865 collection *arvados.Collection,
866 user *arvados.User) {
868 log := ctxlog.FromContext(r.Context())
869 props := make(map[string]string)
870 props["reqPath"] = r.URL.Path
873 log = log.WithField("user_uuid", user.UUID).
874 WithField("user_full_name", user.FullName)
877 useruuid = fmt.Sprintf("%s-tpzed-anonymouspublic", h.Cluster.ClusterID)
879 if collection == nil && fs != nil {
880 collection, filepath = h.determineCollection(fs, filepath)
882 if collection != nil {
883 log = log.WithField("collection_file_path", filepath)
884 props["collection_file_path"] = filepath
885 // h.determineCollection populates the collection_uuid
886 // prop with the PDH, if this collection is being
887 // accessed via PDH. For logging, we use a different
888 // field depending on whether it's a UUID or PDH.
889 if len(collection.UUID) > 32 {
890 log = log.WithField("portable_data_hash", collection.UUID)
891 props["portable_data_hash"] = collection.UUID
893 log = log.WithField("collection_uuid", collection.UUID)
894 props["collection_uuid"] = collection.UUID
897 if r.Method == "PUT" || r.Method == "POST" {
898 log.Info("File upload")
899 if h.Cluster.Collections.WebDAVLogEvents {
901 lr := arvadosclient.Dict{"log": arvadosclient.Dict{
902 "object_uuid": useruuid,
903 "event_type": "file_upload",
904 "properties": props}}
905 err := client.Create("logs", lr, nil)
907 log.WithError(err).Error("Failed to create upload log event on API server")
911 } else if r.Method == "GET" {
912 if collection != nil && collection.PortableDataHash != "" {
913 log = log.WithField("portable_data_hash", collection.PortableDataHash)
914 props["portable_data_hash"] = collection.PortableDataHash
916 log.Info("File download")
917 if h.Cluster.Collections.WebDAVLogEvents {
919 lr := arvadosclient.Dict{"log": arvadosclient.Dict{
920 "object_uuid": useruuid,
921 "event_type": "file_download",
922 "properties": props}}
923 err := client.Create("logs", lr, nil)
925 log.WithError(err).Error("Failed to create download log event on API server")
932 func (h *handler) determineCollection(fs arvados.CustomFileSystem, path string) (*arvados.Collection, string) {
933 target := strings.TrimSuffix(path, "/")
934 for cut := len(target); cut >= 0; cut = strings.LastIndexByte(target, '/') {
935 target = target[:cut]
936 fi, err := fs.Stat(target)
937 if os.IsNotExist(err) {
938 // creating a new file/dir, or download
941 } else if err != nil {
944 switch src := fi.Sys().(type) {
945 case *arvados.Collection:
946 return src, strings.TrimPrefix(path[len(target):], "/")
950 if _, ok := src.(error); ok {
958 var lockTidyInterval = time.Minute * 10
960 // Lock the specified collection for reading or writing. Caller must
961 // call Unlock() on the returned Locker when the operation is
963 func (h *handler) collectionLock(collectionID string, writing bool) sync.Locker {
965 defer h.lockMtx.Unlock()
966 if time.Since(h.lockTidied) > lockTidyInterval {
967 // Periodically delete all locks that aren't in use.
968 h.lockTidied = time.Now()
969 for id, locker := range h.lock {
970 if locker.TryLock() {
976 locker := h.lock[collectionID]
978 locker = new(sync.RWMutex)
980 h.lock = map[string]*sync.RWMutex{}
982 h.lock[collectionID] = locker
989 return locker.RLocker()
993 func ServeCORSPreflight(w http.ResponseWriter, header http.Header) bool {
994 method := header.Get("Access-Control-Request-Method")
998 if !browserMethod[method] && !webdavMethod[method] {
999 w.WriteHeader(http.StatusMethodNotAllowed)
1002 w.Header().Set("Access-Control-Allow-Headers", corsAllowHeadersHeader)
1003 w.Header().Set("Access-Control-Allow-Methods", "COPY, DELETE, GET, LOCK, MKCOL, MOVE, OPTIONS, POST, PROPFIND, PROPPATCH, PUT, RMCOL, UNLOCK")
1004 w.Header().Set("Access-Control-Allow-Origin", "*")
1005 w.Header().Set("Access-Control-Max-Age", "86400")