syncthing/cmd/syncthing/gui.go

343 lines
7.9 KiB
Go
Raw Normal View History

2014-03-02 23:58:14 +01:00
package main
import (
"bytes"
"encoding/base64"
2014-03-02 23:58:14 +01:00
"encoding/json"
"io/ioutil"
"log"
"math/rand"
"net"
2014-03-02 23:58:14 +01:00
"net/http"
"runtime"
"sync"
"time"
2014-05-21 14:04:16 +02:00
"crypto/tls"
"code.google.com/p/go.crypto/bcrypt"
2014-05-15 02:18:09 +02:00
"github.com/calmh/syncthing/config"
2014-05-15 02:08:56 +02:00
"github.com/calmh/syncthing/logger"
2014-05-15 05:26:55 +02:00
"github.com/calmh/syncthing/model"
2014-03-02 23:58:14 +01:00
"github.com/codegangsta/martini"
"github.com/vitrun/qart/qr"
2014-03-02 23:58:14 +01:00
)
type guiError struct {
Time time.Time
Error string
}
var (
configInSync = true
guiErrors = []guiError{}
guiErrorsMut sync.Mutex
static = embeddedStatic()
staticFunc = static.(func(http.ResponseWriter, *http.Request, *log.Logger))
2014-03-02 23:58:14 +01:00
)
const (
unchangedPassword = "--password-unchanged--"
)
2014-05-15 02:08:56 +02:00
func init() {
l.AddHandler(logger.LevelWarn, showGuiError)
}
2014-05-15 05:26:55 +02:00
func startGUI(cfg config.GUIConfiguration, m *model.Model) error {
2014-05-21 14:04:16 +02:00
var listener net.Listener
var err error
if cfg.UseTLS {
cert, err := loadCert(confDir, "https-")
if err != nil {
newCertificate(confDir, "https-")
cert, err = loadCert(confDir, "https-")
}
if err != nil {
return err
}
tlsCfg := &tls.Config{
Certificates: []tls.Certificate{cert},
ServerName: "syncthing",
}
listener, err = tls.Listen("tcp", cfg.Address, tlsCfg)
if err != nil {
return err
}
} else {
listener, err = net.Listen("tcp", cfg.Address)
if err != nil {
return err
}
}
2014-03-02 23:58:14 +01:00
router := martini.NewRouter()
router.Get("/", getRoot)
router.Get("/rest/version", restGetVersion)
router.Get("/rest/model", restGetModel)
router.Get("/rest/need", restGetNeed)
2014-03-02 23:58:14 +01:00
router.Get("/rest/connections", restGetConnections)
router.Get("/rest/config", restGetConfig)
router.Get("/rest/config/sync", restGetConfigInSync)
router.Get("/rest/system", restGetSystem)
router.Get("/rest/errors", restGetErrors)
router.Get("/rest/discovery", restGetDiscovery)
router.Get("/qr/:text", getQR)
2014-03-02 23:58:14 +01:00
router.Post("/rest/config", restPostConfig)
router.Post("/rest/restart", restPostRestart)
router.Post("/rest/reset", restPostReset)
2014-05-12 01:16:27 +02:00
router.Post("/rest/shutdown", restPostShutdown)
2014-03-02 23:58:14 +01:00
router.Post("/rest/error", restPostError)
router.Post("/rest/error/clear", restClearErrors)
router.Post("/rest/discovery/hint", restPostDiscoveryHint)
2014-03-02 23:58:14 +01:00
mr := martini.New()
if len(cfg.User) > 0 && len(cfg.Password) > 0 {
mr.Use(basic(cfg.User, cfg.Password))
}
mr.Use(static)
mr.Use(martini.Recovery())
mr.Use(restMiddleware)
mr.Action(router.Handle)
mr.Map(m)
2014-05-15 02:08:56 +02:00
go http.Serve(listener, mr)
return nil
2014-03-02 23:58:14 +01:00
}
func getRoot(w http.ResponseWriter, r *http.Request) {
r.URL.Path = "/index.html"
staticFunc(w, r, nil)
2014-03-02 23:58:14 +01:00
}
func restMiddleware(w http.ResponseWriter, r *http.Request) {
if len(r.URL.Path) >= 6 && r.URL.Path[:6] == "/rest/" {
w.Header().Set("Cache-Control", "no-cache")
}
}
2014-03-02 23:58:14 +01:00
func restGetVersion() string {
return Version
}
2014-05-15 05:26:55 +02:00
func restGetModel(m *model.Model, w http.ResponseWriter, r *http.Request) {
var qs = r.URL.Query()
var repo = qs.Get("repo")
2014-03-02 23:58:14 +01:00
var res = make(map[string]interface{})
for _, cr := range cfg.Repositories {
if cr.ID == repo {
res["invalid"] = cr.Invalid
break
}
}
globalFiles, globalDeleted, globalBytes := m.GlobalSize(repo)
2014-03-02 23:58:14 +01:00
res["globalFiles"], res["globalDeleted"], res["globalBytes"] = globalFiles, globalDeleted, globalBytes
localFiles, localDeleted, localBytes := m.LocalSize(repo)
2014-03-02 23:58:14 +01:00
res["localFiles"], res["localDeleted"], res["localBytes"] = localFiles, localDeleted, localBytes
needFiles, needBytes := m.NeedSize(repo)
res["needFiles"], res["needBytes"] = needFiles, needBytes
2014-03-02 23:58:14 +01:00
res["inSyncFiles"], res["inSyncBytes"] = globalFiles-needFiles, globalBytes-needBytes
2014-03-02 23:58:14 +01:00
res["state"] = m.State(repo)
2014-03-02 23:58:14 +01:00
w.Header().Set("Content-Type", "application/json")
json.NewEncoder(w).Encode(res)
}
func restGetNeed(m *model.Model, w http.ResponseWriter, r *http.Request) {
var qs = r.URL.Query()
var repo = qs.Get("repo")
files := m.NeedFilesRepo(repo)
w.Header().Set("Content-Type", "application/json")
json.NewEncoder(w).Encode(files)
}
2014-05-15 05:26:55 +02:00
func restGetConnections(m *model.Model, w http.ResponseWriter) {
2014-03-02 23:58:14 +01:00
var res = m.ConnectionStats()
w.Header().Set("Content-Type", "application/json")
json.NewEncoder(w).Encode(res)
}
func restGetConfig(w http.ResponseWriter) {
encCfg := cfg
2014-04-19 22:36:12 +02:00
if encCfg.GUI.Password != "" {
encCfg.GUI.Password = unchangedPassword
}
json.NewEncoder(w).Encode(encCfg)
2014-03-02 23:58:14 +01:00
}
func restPostConfig(req *http.Request) {
var prevPassHash = cfg.GUI.Password
2014-03-02 23:58:14 +01:00
err := json.NewDecoder(req.Body).Decode(&cfg)
if err != nil {
2014-05-15 02:08:56 +02:00
l.Warnln(err)
2014-03-02 23:58:14 +01:00
} else {
2014-04-19 22:36:12 +02:00
if cfg.GUI.Password == "" {
// Leave it empty
} else if cfg.GUI.Password != unchangedPassword {
hash, err := bcrypt.GenerateFromPassword([]byte(cfg.GUI.Password), 0)
if err != nil {
2014-05-15 02:08:56 +02:00
l.Warnln(err)
} else {
cfg.GUI.Password = string(hash)
}
} else {
cfg.GUI.Password = prevPassHash
}
2014-03-02 23:58:14 +01:00
saveConfig()
configInSync = false
}
}
func restGetConfigInSync(w http.ResponseWriter) {
json.NewEncoder(w).Encode(map[string]bool{"configInSync": configInSync})
}
2014-05-13 02:15:18 +02:00
func restPostRestart(w http.ResponseWriter) {
flushResponse(`{"ok": "restarting"}`, w)
go restart()
}
2014-05-13 02:15:18 +02:00
func restPostReset(w http.ResponseWriter) {
flushResponse(`{"ok": "resetting repos"}`, w)
resetRepositories()
go restart()
2014-03-02 23:58:14 +01:00
}
2014-05-13 02:15:18 +02:00
func restPostShutdown(w http.ResponseWriter) {
flushResponse(`{"ok": "shutting down"}`, w)
2014-05-12 01:16:27 +02:00
go shutdown()
}
2014-05-13 02:15:18 +02:00
func flushResponse(s string, w http.ResponseWriter) {
w.Write([]byte(s + "\n"))
f := w.(http.Flusher)
f.Flush()
}
2014-04-14 12:02:40 +02:00
var cpuUsagePercent [10]float64 // The last ten seconds
2014-03-02 23:58:14 +01:00
var cpuUsageLock sync.RWMutex
func restGetSystem(w http.ResponseWriter) {
var m runtime.MemStats
runtime.ReadMemStats(&m)
res := make(map[string]interface{})
res["myID"] = myID
res["goroutines"] = runtime.NumGoroutine()
res["alloc"] = m.Alloc
res["sys"] = m.Sys
2014-05-20 19:44:40 +02:00
res["tilde"] = expandTilde("~/")
if cfg.Options.GlobalAnnEnabled && discoverer != nil {
res["extAnnounceOK"] = discoverer.ExtAnnounceOK()
}
2014-03-02 23:58:14 +01:00
cpuUsageLock.RLock()
2014-04-14 12:02:40 +02:00
var cpusum float64
for _, p := range cpuUsagePercent {
cpusum += p
}
2014-03-02 23:58:14 +01:00
cpuUsageLock.RUnlock()
2014-04-14 12:02:40 +02:00
res["cpuPercent"] = cpusum / 10
2014-03-02 23:58:14 +01:00
w.Header().Set("Content-Type", "application/json")
json.NewEncoder(w).Encode(res)
}
func restGetErrors(w http.ResponseWriter) {
guiErrorsMut.Lock()
json.NewEncoder(w).Encode(guiErrors)
guiErrorsMut.Unlock()
}
func restPostError(req *http.Request) {
bs, _ := ioutil.ReadAll(req.Body)
req.Body.Close()
2014-05-15 02:08:56 +02:00
showGuiError(0, string(bs))
2014-03-02 23:58:14 +01:00
}
func restClearErrors() {
guiErrorsMut.Lock()
guiErrors = []guiError{}
guiErrorsMut.Unlock()
}
2014-05-15 02:08:56 +02:00
func showGuiError(l logger.LogLevel, err string) {
2014-03-02 23:58:14 +01:00
guiErrorsMut.Lock()
guiErrors = append(guiErrors, guiError{time.Now(), err})
if len(guiErrors) > 5 {
guiErrors = guiErrors[len(guiErrors)-5:]
}
guiErrorsMut.Unlock()
}
func restPostDiscoveryHint(r *http.Request) {
var qs = r.URL.Query()
var node = qs.Get("node")
var addr = qs.Get("addr")
if len(node) != 0 && len(addr) != 0 && discoverer != nil {
discoverer.Hint(node, []string{addr})
}
}
func restGetDiscovery(w http.ResponseWriter) {
json.NewEncoder(w).Encode(discoverer.All())
}
func getQR(w http.ResponseWriter, params martini.Params) {
code, err := qr.Encode(params["text"], qr.M)
if err != nil {
http.Error(w, "Invalid", 500)
return
}
w.Header().Set("Content-Type", "image/png")
w.Write(code.PNG())
}
func basic(username string, passhash string) http.HandlerFunc {
return func(res http.ResponseWriter, req *http.Request) {
error := func() {
time.Sleep(time.Duration(rand.Intn(100)+100) * time.Millisecond)
res.Header().Set("WWW-Authenticate", "Basic realm=\"Authorization Required\"")
http.Error(res, "Not Authorized", http.StatusUnauthorized)
}
hdr := req.Header.Get("Authorization")
if len(hdr) < len("Basic ") || hdr[:6] != "Basic " {
error()
return
}
hdr = hdr[6:]
bs, err := base64.StdEncoding.DecodeString(hdr)
if err != nil {
error()
return
}
fields := bytes.SplitN(bs, []byte(":"), 2)
if len(fields) != 2 {
error()
return
}
if string(fields[0]) != username {
error()
return
}
if err := bcrypt.CompareHashAndPassword([]byte(passhash), fields[1]); err != nil {
error()
return
}
}
}