webdav.go 2.2 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798
  1. package webdav
  2. import (
  3. "context"
  4. "fmt"
  5. "log"
  6. "net/http"
  7. "os"
  8. "sync"
  9. "time"
  10. "golang.org/x/net/webdav"
  11. )
  12. /*
  13. WebDAV module
  14. This module handle the interfacing to the underlying file system
  15. through the middle ware
  16. */
  17. type Options struct {
  18. ListeningAddress string //Listening address, e.g. 0.0.0.0:8443
  19. SecureServe bool //Use TLS to serve the WebDAV request
  20. PublicKeyPath string
  21. PrivateKeyPath string
  22. }
  23. type Server struct {
  24. LoadedWorkers sync.Map //Storing uuid to bokoworker pointer (*bokoworker.Worker)
  25. RouterDir *RouterDir
  26. Options *Options
  27. }
  28. /* NewWebdavInterfaceServer creates a new WebDAV server instance */
  29. func NewWebdavInterfaceServer(options Options) *Server {
  30. newRouter := &RouterDir{}
  31. return &Server{
  32. LoadedWorkers: sync.Map{},
  33. RouterDir: newRouter,
  34. Options: &options,
  35. }
  36. }
  37. func (s *Server) Start() error {
  38. srv := &webdav.Handler{
  39. FileSystem: s.RouterDir,
  40. LockSystem: webdav.NewMemLS(),
  41. Logger: func(r *http.Request, err error) {
  42. if err != nil {
  43. log.Printf("WEBDAV [%s]: %s, ERROR: %s\n", r.Method, r.URL, err)
  44. } else {
  45. log.Printf("WEBDAV [%s]: %s \n", r.Method, r.URL)
  46. }
  47. },
  48. }
  49. http.Handle("/", srv)
  50. if s.Options.SecureServe {
  51. if _, err := os.Stat(s.Options.PublicKeyPath); err != nil {
  52. fmt.Println("Public ket not found")
  53. return err
  54. }
  55. if _, err := os.Stat(s.Options.PrivateKeyPath); err != nil {
  56. fmt.Println("Private key not found")
  57. return err
  58. }
  59. }
  60. ctx, cancel := context.WithTimeout(context.Background(), 3*time.Second)
  61. defer cancel()
  62. done := make(chan error)
  63. go func() {
  64. if s.Options.SecureServe {
  65. if err := http.ListenAndServeTLS(s.Options.ListeningAddress, s.Options.PublicKeyPath, s.Options.PrivateKeyPath, nil); err != nil {
  66. done <- err
  67. }
  68. } else {
  69. if err := http.ListenAndServe(s.Options.ListeningAddress, nil); err != nil {
  70. log.Fatalf("Error with WebDAV server: %v", err)
  71. done <- err
  72. }
  73. }
  74. }()
  75. select {
  76. case <-ctx.Done():
  77. //No error in 3 seconds. Assume all green
  78. return nil
  79. case success := <-done:
  80. if success != nil {
  81. log.Fatalf("Error with WebDAV server")
  82. return success
  83. }
  84. }
  85. return nil
  86. }