ddns/web.go

114 lines
2.4 KiB
Go
Raw Normal View History

package main
import (
"fmt"
"github.com/gin-gonic/gin"
"github.com/pboehm/ddns/connection"
"html/template"
"net"
"net/http"
)
func RunWebService(conn *connection.RedisConnection) {
r := gin.Default()
2014-07-15 23:41:54 +02:00
r.HTMLTemplates = BuildTemplate()
r.GET("/", func(g *gin.Context) {
g.HTML(200, "index.html", gin.H{"domain": DdnsDomain})
})
r.GET("/available/:hostname", func(c *gin.Context) {
hostname := c.Params.ByName("hostname")
c.JSON(200, gin.H{
"available": !conn.HostExist(hostname),
})
})
r.GET("/new/:hostname", func(c *gin.Context) {
hostname := c.Params.ByName("hostname")
if conn.HostExist(hostname) {
2014-07-15 23:41:54 +02:00
c.JSON(403, gin.H{
"error": "This hostname has already been registered.",
})
return
}
host := &connection.Host{Hostname: hostname, Ip: "127.0.0.1"}
host.GenerateAndSetToken()
conn.SaveHost(host)
c.JSON(200, gin.H{
"hostname": host.Hostname,
"token": host.Token,
"update_link": fmt.Sprintf("/update/%s/%s", host.Hostname, host.Token),
})
})
r.GET("/update/:hostname/:token", func(c *gin.Context) {
hostname := c.Params.ByName("hostname")
token := c.Params.ByName("token")
if !conn.HostExist(hostname) {
2014-07-15 23:41:54 +02:00
c.JSON(404, gin.H{
"error": "This hostname has not been registered or is expired.",
})
return
}
host := conn.GetHost(hostname)
if host.Token != token {
2014-07-15 23:41:54 +02:00
c.JSON(403, gin.H{
"error": "You have supplied the wrong token to manipulate this host",
})
return
}
ip, err := GetRemoteAddr(c.Req)
if err != nil {
2014-07-15 23:41:54 +02:00
c.JSON(400, gin.H{
"error": "Your sender IP address is not in the right format",
})
return
}
host.Ip = ip
conn.SaveHost(host)
2014-07-15 23:41:54 +02:00
c.JSON(200, gin.H{
"current_ip": ip,
"status": "Successfuly updated",
})
})
2014-07-15 23:41:54 +02:00
r.Run(DdnsWebListenSocket)
}
// Get the Remote Address of the client. At First we try to get the
// X-Forwarded-For Header which holds the IP if we are behind a proxy,
// otherwise the RemoteAddr is used
func GetRemoteAddr(req *http.Request) (string, error) {
header_data, ok := req.Header["X-Forwarded-For"]
if ok {
return header_data[0], nil
} else {
ip, _, err := net.SplitHostPort(req.RemoteAddr)
return ip, err
}
}
2014-07-15 23:41:54 +02:00
// Get index template from bindata
func BuildTemplate() *template.Template {
index_content, err := Asset("templates/index.html")
HandleErr(err)
html, err := template.New("index.html").Parse(string(index_content))
HandleErr(err)
return html
}