caddy/middleware/websockets/websockets.go

103 lines
2.3 KiB
Go
Raw Normal View History

2015-03-04 00:49:45 +08:00
// Package websockets implements a WebSocket server by executing
// a command and piping its input and output through the WebSocket
// connection.
package websockets
import (
2015-03-04 08:36:18 +08:00
"errors"
2015-03-04 00:49:45 +08:00
"net/http"
"github.com/flynn/go-shlex"
"github.com/mholt/caddy/middleware"
"golang.org/x/net/websocket"
)
2015-03-04 08:36:18 +08:00
type (
// WebSockets is a type that holds configuration for the
// websocket middleware generally, like a list of all the
// websocket endpoints.
WebSockets struct {
Sockets []WSConfig
}
// WSConfig holds the configuration for a single websocket
// endpoint which may serve zero or more websocket connections.
WSConfig struct {
Path string
Command string
Arguments []string
}
)
2015-03-04 00:49:45 +08:00
2015-03-04 08:36:18 +08:00
// ServeHTTP converts the HTTP request to a WebSocket connection and serves it up.
2015-03-04 00:49:45 +08:00
func (ws WebSockets) ServeHTTP(w http.ResponseWriter, r *http.Request) {
2015-03-04 08:36:18 +08:00
for _, sockconfig := range ws.Sockets {
if middleware.Path(r.URL.Path).Matches(sockconfig.Path) {
socket := WebSocket{
WSConfig: sockconfig,
Request: r,
}
2015-03-04 00:49:45 +08:00
websocket.Handler(socket.Handle).ServeHTTP(w, r)
return
}
}
}
// New constructs and configures a new websockets middleware instance.
func New(c middleware.Controller) (middleware.Middleware, error) {
2015-03-04 08:36:18 +08:00
var websocks []WSConfig
2015-03-04 00:49:45 +08:00
var path string
var command string
for c.Next() {
var val string
// Path or command; not sure which yet
if !c.NextArg() {
return nil, c.ArgErr()
}
val = c.Val()
// The rest of the arguments are the command
if c.NextArg() {
path = val
command = c.Val()
for c.NextArg() {
command += " " + c.Val()
}
} else {
path = "/"
command = val
}
// Split command into the actual command and its arguments
var cmd string
var args []string
parts, err := shlex.Split(command)
if err != nil {
2015-03-04 08:36:18 +08:00
return nil, errors.New("Error parsing command for websocket use: " + err.Error())
2015-03-04 00:49:45 +08:00
} else if len(parts) == 0 {
2015-03-04 08:36:18 +08:00
return nil, errors.New("No command found for use by websocket")
2015-03-04 00:49:45 +08:00
}
cmd = parts[0]
if len(parts) > 1 {
args = parts[1:]
}
2015-03-04 08:36:18 +08:00
websocks = append(websocks, WSConfig{
2015-03-04 00:49:45 +08:00
Path: path,
Command: cmd,
Arguments: args,
})
}
return func(next http.HandlerFunc) http.HandlerFunc {
// We don't use next because websockets aren't HTTP,
// so we don't invoke other middleware after this.
return WebSockets{Sockets: websocks}.ServeHTTP
}, nil
}