1
0
Fork 0
mirror of https://github.com/FrankerFaceZ/FrankerFaceZ.git synced 2025-06-27 21:05:53 +00:00
FrankerFaceZ/socketserver/internal/server/handlecore.go

470 lines
12 KiB
Go
Raw Normal View History

package server // import "bitbucket.org/stendec/frankerfacez/socketserver/internal/server"
2015-10-24 19:59:34 -07:00
import (
"encoding/json"
"errors"
2015-10-24 19:59:34 -07:00
"fmt"
"github.com/gorilla/websocket"
2015-10-27 21:21:06 -07:00
"io"
2015-10-25 12:40:07 -07:00
"log"
"net/http"
"strconv"
"strings"
"sync"
"time"
2015-10-24 19:59:34 -07:00
)
const MAX_PACKET_SIZE = 1024
// A command is how the client refers to a function on the server. It's just a string.
type Command string
2015-10-24 20:40:49 -07:00
// A function that is called to respond to a Command.
2015-10-24 21:33:55 -07:00
type CommandHandler func(*websocket.Conn, *ClientInfo, ClientMessage) (ClientMessage, error)
2015-10-24 21:42:16 -07:00
var CommandHandlers = map[Command]CommandHandler{
2015-10-24 21:33:55 -07:00
HelloCommand: HandleHello,
"setuser": HandleSetUser,
2015-10-26 14:55:20 -07:00
"ready": HandleReady,
2015-10-26 14:55:20 -07:00
"sub": HandleSub,
"unsub": HandleUnsub,
"track_follow": HandleTrackFollow,
2015-10-24 21:33:55 -07:00
"emoticon_uses": HandleEmoticonUses,
"survey": HandleSurvey,
"twitch_emote": HandleRemoteCommand,
"get_link": HandleRemoteCommand,
"get_display_name": HandleRemoteCommand,
"update_follow_buttons": HandleRemoteCommand,
"chat_history": HandleRemoteCommand,
2015-10-24 21:33:55 -07:00
}
2015-10-24 20:40:49 -07:00
2015-10-24 19:59:34 -07:00
// Sent by the server in ClientMessage.Command to indicate success.
const SuccessCommand Command = "True"
// Sent by the server in ClientMessage.Command to indicate failure.
const ErrorCommand Command = "error"
2015-10-24 22:38:04 -07:00
// This must be the first command sent by the client once the connection is established.
2015-10-24 21:33:55 -07:00
const HelloCommand Command = "hello"
2015-10-24 22:38:04 -07:00
// A handler returning a ClientMessage with this Command will prevent replying to the client.
// It signals that the work has been handed off to a background goroutine.
const AsyncResponseCommand Command = "_async"
2015-10-24 19:59:34 -07:00
var SocketUpgrader = websocket.Upgrader{
ReadBufferSize: 1024,
WriteBufferSize: 1024,
CheckOrigin: func(r *http.Request) bool {
return r.Header.Get("Origin") == "http://www.twitch.tv"
},
2015-10-24 19:59:34 -07:00
}
// Errors that get returned to the client.
var ProtocolError error = errors.New("FFZ Socket protocol error.")
var ProtocolErrorNegativeID error = errors.New("FFZ Socket protocol error: negative or zero message ID.")
2015-10-24 19:59:34 -07:00
var ExpectedSingleString = errors.New("Error: Expected single string as arguments.")
var ExpectedSingleInt = errors.New("Error: Expected single integer as arguments.")
2015-10-24 19:59:34 -07:00
var ExpectedTwoStrings = errors.New("Error: Expected array of string, string as arguments.")
var ExpectedStringAndInt = errors.New("Error: Expected array of string, int as arguments.")
var ExpectedStringAndBool = errors.New("Error: Expected array of string, bool as arguments.")
2015-10-24 19:59:34 -07:00
var ExpectedStringAndIntGotFloat = errors.New("Error: Second argument was a float, expected an integer.")
var gconfig *ConfigFile
2015-10-25 03:21:50 -07:00
// Set up a websocket listener and register it on /.
// (Uses http.DefaultServeMux .)
func SetupServerAndHandle(config *ConfigFile, serveMux *http.ServeMux) {
2015-10-25 03:21:50 -07:00
gconfig = config
SetupBackend(config)
if serveMux == nil {
serveMux = http.DefaultServeMux
}
serveMux.HandleFunc("/", ServeWebsocketOrCatbag)
2015-10-26 10:24:28 -07:00
serveMux.HandleFunc("/pub_msg", HBackendPublishRequest)
serveMux.HandleFunc("/dump_backlog", HBackendDumpBacklog)
2015-10-26 10:24:28 -07:00
serveMux.HandleFunc("/update_and_pub", HBackendUpdateAndPublish)
go deadChannelReaper()
go backlogJanitor()
go sendAggregateData()
2015-10-24 19:59:34 -07:00
}
func ServeWebsocketOrCatbag(w http.ResponseWriter, r *http.Request) {
if r.Header.Get("Connection") == "Upgrade" {
conn, err := SocketUpgrader.Upgrade(w, r, nil)
if err != nil {
fmt.Fprintf(w, "error: %v", err)
return
}
fmt.Println("upgraded!")
HandleSocketConnection(conn)
return
} else {
w.Write([]byte(gconfig.BannerHTML))
}
}
var CloseGotBinaryMessage = websocket.CloseError{Code: websocket.CloseUnsupportedData, Text: "got binary packet"}
var CloseGotMessageId0 = websocket.CloseError{Code: websocket.ClosePolicyViolation, Text: "got messageid 0"}
2015-10-24 19:59:34 -07:00
// Handle a new websocket connection from a FFZ client.
// This runs in a goroutine started by net/http.
func HandleSocketConnection(conn *websocket.Conn) {
// websocket.Conn is a ReadWriteCloser
log.Println("Got socket connection from", conn.RemoteAddr())
2015-10-27 21:21:06 -07:00
2015-10-24 21:33:55 -07:00
var _closer sync.Once
closer := func() {
_closer.Do(func() {
conn.Close()
})
}
2015-10-24 19:59:34 -07:00
2015-10-25 03:21:50 -07:00
// Close the connection when we're done.
defer closer()
2015-10-24 20:40:49 -07:00
_clientChan := make(chan ClientMessage)
_serverMessageChan := make(chan ClientMessage)
_errorChan := make(chan error)
var client ClientInfo
client.MessageChannel = _serverMessageChan
2015-10-25 03:21:50 -07:00
// Launch receiver goroutine
go func(errorChan chan<- error, clientChan chan<- ClientMessage) {
2015-10-24 20:40:49 -07:00
var msg ClientMessage
var messageType int
var packet []byte
2015-10-24 20:40:49 -07:00
var err error
for ; err == nil; messageType, packet, err = conn.ReadMessage() {
if messageType == websocket.BinaryMessage {
err = &CloseGotBinaryMessage
break
}
if messageType == websocket.CloseMessage {
err = io.EOF
break
}
UnmarshalClientMessage(packet, messageType, &msg)
2015-10-24 20:40:49 -07:00
if msg.MessageID == 0 {
continue
}
clientChan <- msg
}
2015-10-27 21:21:06 -07:00
_, isClose := err.(*websocket.CloseError)
if err != io.EOF && !isClose {
log.Println("Error while reading from client:", err)
2015-10-27 21:21:06 -07:00
}
2015-10-24 20:40:49 -07:00
errorChan <- err
close(errorChan)
close(clientChan)
// exit
}(_errorChan, _clientChan)
var errorChan <-chan error = _errorChan
var clientChan <-chan ClientMessage = _clientChan
var serverMessageChan <-chan ClientMessage = _serverMessageChan
2015-10-25 03:21:50 -07:00
// All set up, now enter the work loop
RunLoop:
2015-10-24 20:40:49 -07:00
for {
select {
case err := <-errorChan:
if err == io.EOF {
conn.Close() // no need to send a close frame :)
break RunLoop
} else if closeMsg, isClose := err.(*websocket.CloseError); isClose {
CloseConnection(conn, closeMsg)
} else {
CloseConnection(conn, &websocket.CloseError{
Code: websocket.CloseInternalServerErr,
Text: err.Error(),
})
}
2015-10-24 20:40:49 -07:00
break RunLoop
2015-10-24 21:33:55 -07:00
case msg := <-clientChan:
if client.Version == "" && msg.Command != HelloCommand {
log.Println("error - first message wasn't hello from", conn.RemoteAddr(), "-", msg)
CloseConnection(conn, &websocket.CloseError{
Text: "Error - the first message sent must be a 'hello'",
Code: websocket.ClosePolicyViolation,
2015-10-24 21:33:55 -07:00
})
break RunLoop
}
HandleCommand(conn, &client, msg)
2015-10-24 20:40:49 -07:00
case smsg := <-serverMessageChan:
SendMessage(conn, smsg)
2015-10-24 20:40:49 -07:00
}
2015-10-24 19:59:34 -07:00
}
2015-10-25 03:21:50 -07:00
// Exit
// Launch message draining goroutine - we aren't out of the pub/sub records
go func() {
for _ = range _serverMessageChan {
}
2015-10-25 03:21:50 -07:00
}()
// Stop getting messages...
UnsubscribeAll(&client)
// And finished.
// Close the channel so the draining goroutine can finish, too.
close(_serverMessageChan)
log.Println("End socket connection from", conn.RemoteAddr())
2015-10-24 19:59:34 -07:00
}
2015-10-24 21:33:55 -07:00
func CallHandler(handler CommandHandler, conn *websocket.Conn, client *ClientInfo, cmsg ClientMessage) (rmsg ClientMessage, err error) {
defer func() {
if r := recover(); r != nil {
var ok bool
fmt.Print("[!] Error executing command", cmsg.Command, "--", r)
err, ok = r.(error)
if !ok {
err = fmt.Errorf("command handler: %v", r)
}
}
}()
return handler(conn, client, cmsg)
}
func CloseConnection(conn *websocket.Conn, closeMsg *websocket.CloseError) {
fmt.Println("Terminating connection with", conn.RemoteAddr(), "-", closeMsg.Text)
conn.WriteControl(websocket.CloseMessage, websocket.FormatCloseMessage(closeMsg.Code, closeMsg.Text), time.Now().Add(2*time.Minute))
conn.Close()
}
func SendMessage(conn *websocket.Conn, msg ClientMessage) {
messageType, packet, err := MarshalClientMessage(msg)
if err != nil {
panic(fmt.Sprintf("failed to marshal: %v %v", err, msg))
}
fmt.Println(string(packet))
conn.WriteMessage(messageType, packet)
}
2015-10-24 19:59:34 -07:00
// Unpack a message sent from the client into a ClientMessage.
func UnmarshalClientMessage(data []byte, payloadType int, v interface{}) (err error) {
2015-10-24 19:59:34 -07:00
var spaceIdx int
out := v.(*ClientMessage)
dataStr := string(data)
// Message ID
spaceIdx = strings.IndexRune(dataStr, ' ')
if spaceIdx == -1 {
return ProtocolError
}
messageId, err := strconv.Atoi(dataStr[:spaceIdx])
if messageId < -1 || messageId == 0 {
return ProtocolErrorNegativeID
2015-10-24 19:59:34 -07:00
}
out.MessageID = messageId
dataStr = dataStr[spaceIdx+1:]
2015-10-24 19:59:34 -07:00
spaceIdx = strings.IndexRune(dataStr, ' ')
if spaceIdx == -1 {
out.Command = Command(dataStr)
out.Arguments = nil
return nil
} else {
out.Command = Command(dataStr[:spaceIdx])
}
dataStr = dataStr[spaceIdx+1:]
2015-10-24 19:59:34 -07:00
argumentsJson := dataStr
out.origArguments = argumentsJson
err = out.parseOrigArguments()
2015-10-24 19:59:34 -07:00
if err != nil {
return
}
return nil
}
func (cm *ClientMessage) parseOrigArguments() error {
err := json.Unmarshal([]byte(cm.origArguments), &cm.Arguments)
if err != nil {
return err
}
return nil
}
func MarshalClientMessage(clientMessage interface{}) (payloadType int, data []byte, err error) {
2015-10-24 19:59:34 -07:00
var msg ClientMessage
var ok bool
msg, ok = clientMessage.(ClientMessage)
if !ok {
pMsg, ok := clientMessage.(*ClientMessage)
if !ok {
panic("MarshalClientMessage: argument needs to be a ClientMessage")
}
msg = *pMsg
}
var dataStr string
2015-10-24 20:40:49 -07:00
if msg.Command == "" && msg.MessageID == 0 {
panic("MarshalClientMessage: attempt to send an empty ClientMessage")
}
2015-10-24 19:59:34 -07:00
if msg.Command == "" {
msg.Command = SuccessCommand
}
2015-10-24 20:40:49 -07:00
if msg.MessageID == 0 {
msg.MessageID = -1
}
2015-10-24 19:59:34 -07:00
if msg.Arguments != nil {
argBytes, err := json.Marshal(msg.Arguments)
if err != nil {
return 0, nil, err
2015-10-24 19:59:34 -07:00
}
dataStr = fmt.Sprintf("%d %s %s", msg.MessageID, msg.Command, string(argBytes))
} else {
dataStr = fmt.Sprintf("%d %s", msg.MessageID, msg.Command)
}
return websocket.TextMessage, []byte(dataStr), nil
2015-10-24 19:59:34 -07:00
}
2015-10-24 20:40:49 -07:00
// Command handlers should use this to construct responses.
func NewClientMessage(arguments interface{}) ClientMessage {
return ClientMessage{
MessageID: 0, // filled by the select loop
Command: SuccessCommand,
2015-10-24 20:40:49 -07:00
Arguments: arguments,
}
}
2015-10-24 19:59:34 -07:00
// Convenience method: Parse the arguments of the ClientMessage as a single string.
func (cm *ClientMessage) ArgumentsAsString() (string1 string, err error) {
var ok bool
string1, ok = cm.Arguments.(string)
if !ok {
err = ExpectedSingleString
return
2015-10-24 19:59:34 -07:00
} else {
return string1, nil
}
}
// Convenience method: Parse the arguments of the ClientMessage as a single int.
2015-10-26 14:55:20 -07:00
func (cm *ClientMessage) ArgumentsAsInt() (int1 int64, err error) {
var ok bool
var num float64
num, ok = cm.Arguments.(float64)
if !ok {
err = ExpectedSingleInt
return
} else {
2015-10-26 14:55:20 -07:00
int1 = int64(num)
return int1, nil
}
}
2015-10-24 19:59:34 -07:00
// Convenience method: Parse the arguments of the ClientMessage as an array of two strings.
func (cm *ClientMessage) ArgumentsAsTwoStrings() (string1, string2 string, err error) {
var ok bool
var ary []interface{}
ary, ok = cm.Arguments.([]interface{})
if !ok {
err = ExpectedTwoStrings
return
2015-10-24 19:59:34 -07:00
} else {
if len(ary) != 2 {
err = ExpectedTwoStrings
return
2015-10-24 19:59:34 -07:00
}
string1, ok = ary[0].(string)
if !ok {
err = ExpectedTwoStrings
return
2015-10-24 19:59:34 -07:00
}
// clientID can be null
if ary[1] == nil {
return string1, "", nil
}
2015-10-24 19:59:34 -07:00
string2, ok = ary[1].(string)
if !ok {
err = ExpectedTwoStrings
return
2015-10-24 19:59:34 -07:00
}
return string1, string2, nil
}
}
// Convenience method: Parse the arguments of the ClientMessage as an array of a string and an int.
func (cm *ClientMessage) ArgumentsAsStringAndInt() (string1 string, int int64, err error) {
var ok bool
var ary []interface{}
ary, ok = cm.Arguments.([]interface{})
if !ok {
err = ExpectedStringAndInt
return
2015-10-24 19:59:34 -07:00
} else {
if len(ary) != 2 {
err = ExpectedStringAndInt
return
2015-10-24 19:59:34 -07:00
}
string1, ok = ary[0].(string)
if !ok {
err = ExpectedStringAndInt
return
2015-10-24 19:59:34 -07:00
}
var num float64
num, ok = ary[1].(float64)
if !ok {
err = ExpectedStringAndInt
return
2015-10-24 19:59:34 -07:00
}
int = int64(num)
if float64(int) != num {
err = ExpectedStringAndIntGotFloat
return
2015-10-24 19:59:34 -07:00
}
return string1, int, nil
}
}
// Convenience method: Parse the arguments of the ClientMessage as an array of a string and an int.
func (cm *ClientMessage) ArgumentsAsStringAndBool() (str string, flag bool, err error) {
var ok bool
var ary []interface{}
ary, ok = cm.Arguments.([]interface{})
if !ok {
err = ExpectedStringAndBool
return
} else {
if len(ary) != 2 {
err = ExpectedStringAndBool
return
}
str, ok = ary[0].(string)
if !ok {
err = ExpectedStringAndBool
return
}
flag, ok = ary[1].(bool)
if !ok {
err = ExpectedStringAndBool
return
}
return str, flag, nil
}
}