contented/Server.go

112 lines
2.3 KiB
Go
Raw Normal View History

2017-10-06 07:02:57 +00:00
package contented
import (
"encoding/json"
"log"
"net/http"
"strings"
"github.com/boltdb/bolt"
2017-10-08 02:06:46 +00:00
"github.com/mxk/go-flowrate/flowrate"
2017-10-06 07:02:57 +00:00
)
2017-10-08 03:30:52 +00:00
var SERVER_HEADER string = `contented/0.0.0-dev`
2017-10-06 07:02:57 +00:00
type ServerPublicProperties struct {
2017-10-06 07:02:57 +00:00
AppTitle string
MaxUploadBytes int64
}
type ServerOptions struct {
2017-10-08 02:06:46 +00:00
DataDirectory string
DBPath string
BandwidthLimit int64
ServerPublicProperties
}
2017-10-06 07:02:57 +00:00
type Server struct {
opts ServerOptions
db *bolt.DB
metadataBucket []byte
}
func NewServer(opts *ServerOptions) (*Server, error) {
s := &Server{
opts: *opts,
metadataBucket: []byte(`METADATA`),
}
b, err := bolt.Open(opts.DBPath, 0644, bolt.DefaultOptions)
if err != nil {
return nil, err
}
err = b.Update(func(tx *bolt.Tx) error {
_, err := tx.CreateBucketIfNotExists(s.metadataBucket)
return err
})
if err != nil {
return nil, err
}
s.db = b
return s, nil
}
func (this *Server) serveJsonObject(w http.ResponseWriter, o interface{}) {
jb, err := json.Marshal(o)
2017-10-06 07:02:57 +00:00
if err != nil {
log.Println(err.Error())
http.Error(w, "Internal error", 500)
return
}
w.Header().Set(`Content-Type`, `application/json`)
w.WriteHeader(200)
w.Write(jb)
}
func (this *Server) handleAbout(w http.ResponseWriter) {
this.serveJsonObject(w, this.opts.ServerPublicProperties)
}
func remoteIP(r *http.Request) string {
return strings.TrimRight(strings.TrimRight(r.RemoteAddr, "0123456789"), ":")
}
const (
downloadUrlPrefix = `/get/`
metadataUrlPrefix = `/info/`
)
2017-10-06 07:02:57 +00:00
func (this *Server) ServeHTTP(w http.ResponseWriter, r *http.Request) {
w.Header().Set(`Server`, SERVER_HEADER)
2017-10-06 07:02:57 +00:00
if this.opts.MaxUploadBytes > 0 {
r.Body = http.MaxBytesReader(w, r.Body, this.opts.MaxUploadBytes)
}
2017-10-08 02:06:46 +00:00
if this.opts.BandwidthLimit > 0 {
r.Body = flowrate.NewReader(r.Body, this.opts.BandwidthLimit)
}
2017-10-06 07:02:57 +00:00
//
if r.Method == "GET" && strings.HasPrefix(r.URL.Path, downloadUrlPrefix) {
this.handleView(w, r, r.URL.Path[len(downloadUrlPrefix):])
} else if r.Method == "GET" && strings.HasPrefix(r.URL.Path, metadataUrlPrefix) {
this.handleInformation(w, r.URL.Path[len(metadataUrlPrefix):])
2017-10-06 07:02:57 +00:00
} else if r.Method == "GET" && r.URL.Path == `/about` {
this.handleAbout(w)
2017-10-06 07:02:57 +00:00
} else if r.Method == "POST" && r.URL.Path == `/upload` {
2017-10-08 01:10:15 +00:00
this.handleUpload(w, r)
2017-10-06 07:02:57 +00:00
} else {
// TODO embed into binary
http.FileServer(http.Dir(`static`)).ServeHTTP(w, r)
2017-10-06 07:02:57 +00:00
}
}