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

584 lines
16 KiB
Go
Raw Normal View History

2015-11-16 13:28:16 -08:00
package server // import "bitbucket.org/stendec/frankerfacez/socketserver/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-28 18:12:20 -07:00
"io/ioutil"
2015-10-25 12:40:07 -07:00
"log"
"net/http"
2015-11-08 21:10:24 -08:00
"net/url"
"strconv"
"strings"
"sync"
"time"
2015-11-17 19:53:58 -08:00
"sync/atomic"
2015-10-24 19:59:34 -07:00
)
2015-11-15 18:43:34 -08:00
// SuccessCommand is a Reply Command to indicate success in reply to a C2S Command.
2015-11-01 00:30:49 -07:00
const SuccessCommand Command = "ok"
2015-11-15 18:43:34 -08:00
// ErrorCommand is a Reply Command to indicate that a C2S Command failed.
const ErrorCommand Command = "error"
2015-11-15 18:43:34 -08:00
// HelloCommand is a C2S Command.
// HelloCommand must be the Command of the first ClientMessage sent during a connection.
// Sending any other command will result in a CloseFirstMessageNotHello.
2015-10-24 21:33:55 -07:00
const HelloCommand Command = "hello"
2015-11-15 18:43:34 -08:00
// AuthorizeCommand is a S2C Command sent as part of Twitch username validation.
2015-11-08 16:44:16 -08:00
const AuthorizeCommand Command = "do_authorize"
2015-11-15 18:43:34 -08:00
// AsyncResponseCommand is a pseudo-Reply Command.
// It indicates that the Reply Command to the client's C2S Command will be delivered
// on a goroutine over the ClientInfo.MessageChannel and should not be delivered immediately.
2015-10-24 22:38:04 -07:00
const AsyncResponseCommand Command = "_async"
2015-10-24 19:59:34 -07:00
2015-11-17 11:11:14 -08:00
const defaultMinMemoryKB = 1024 * 24
2015-11-17 11:04:10 -08:00
// TwitchDotTv is the http origin for twitch.tv.
const TwitchDotTv = "http://www.twitch.tv"
2015-11-15 18:43:34 -08:00
// ResponseSuccess is a Reply ClientMessage with the MessageID not yet filled out.
2015-11-08 22:34:06 -08:00
var ResponseSuccess = ClientMessage{Command: SuccessCommand}
2015-10-24 19:59:34 -07:00
2015-11-15 18:43:34 -08:00
// Configuration is the active ConfigFile.
var Configuration *ConfigFile
2015-10-25 03:21:50 -07:00
2015-11-15 18:43:34 -08:00
// SetupServerAndHandle starts all background goroutines and registers HTTP listeners on the given ServeMux.
// Essentially, this function completely preps the server for a http.ListenAndServe call.
// (Uses http.DefaultServeMux if `serveMux` is nil.)
func SetupServerAndHandle(config *ConfigFile, serveMux *http.ServeMux) {
2015-11-15 18:43:34 -08:00
Configuration = config
2015-10-25 03:21:50 -07:00
2015-11-17 11:11:14 -08:00
if config.MinMemoryKBytes == 0 {
config.MinMemoryKBytes = defaultMinMemoryKB
2015-11-17 11:04:10 -08:00
}
2015-11-15 18:43:34 -08:00
setupBackend(config)
2015-10-25 03:21:50 -07:00
if serveMux == nil {
serveMux = http.DefaultServeMux
}
2015-10-28 18:12:20 -07:00
bannerBytes, err := ioutil.ReadFile("index.html")
if err != nil {
2015-11-08 21:10:24 -08:00
log.Fatalln("Could not open index.html:", err)
2015-10-28 18:12:20 -07:00
}
BannerHTML = bannerBytes
2015-11-16 12:50:00 -08:00
serveMux.HandleFunc("/", HTTPHandleRootURL)
2015-11-17 13:44:52 -08:00
serveMux.Handle("/.well-known/", http.FileServer(http.FileSystem(http.Dir("/tmp/letsencrypt/"))))
2015-11-16 13:25:25 -08:00
serveMux.HandleFunc("/stats", HTTPShowStatistics)
2015-11-16 12:50:00 -08:00
serveMux.HandleFunc("/drop_backlog", HTTPBackendDropBacklog)
2015-11-16 13:25:25 -08:00
serveMux.HandleFunc("/uncached_pub", HTTPBackendUncachedPublish)
serveMux.HandleFunc("/cached_pub", HTTPBackendCachedPublish)
2015-11-08 21:10:24 -08:00
announceForm, err := SealRequest(url.Values{
"startup": []string{"1"},
})
if err != nil {
log.Fatalln("Unable to seal requests:", err)
}
2015-11-15 18:43:34 -08:00
resp, err := backendHTTPClient.PostForm(announceStartupURL, announceForm)
2015-11-08 21:10:24 -08:00
if err != nil {
2015-11-16 13:07:02 -08:00
log.Println("could not announce startup to backend:", err)
2015-11-08 21:10:24 -08:00
} else {
resp.Body.Close()
}
2015-11-08 16:44:16 -08:00
go authorizationJanitor()
go backlogJanitor()
go bunchCacheJanitor()
go pubsubJanitor()
2015-11-16 12:50:00 -08:00
go aggregateDataSender()
2015-11-08 16:44:16 -08:00
go ircConnection()
2015-10-24 19:59:34 -07:00
}
2015-11-15 18:43:34 -08:00
// SocketUpgrader is the websocket.Upgrader currently in use.
2015-11-08 22:34:06 -08:00
var SocketUpgrader = websocket.Upgrader{
ReadBufferSize: 1024,
WriteBufferSize: 1024,
CheckOrigin: func(r *http.Request) bool {
2015-11-16 22:34:55 -08:00
return r.Header.Get("Origin") == TwitchDotTv
2015-11-08 22:34:06 -08:00
},
}
2015-11-15 18:43:34 -08:00
// BannerHTML is the content served to web browsers viewing the socket server website.
// Memes go here.
2015-11-08 22:34:06 -08:00
var BannerHTML []byte
2015-11-16 12:50:00 -08:00
// HTTPHandleRootURL is the http.HandleFunc for requests on `/`.
// It either uses the SocketUpgrader or writes out the BannerHTML.
func HTTPHandleRootURL(w http.ResponseWriter, r *http.Request) {
2015-11-17 13:44:52 -08:00
if r.URL.Path != "/" {
http.NotFound(w, r)
fmt.Println(404)
return
}
if r.Header.Get("Connection") == "Upgrade" {
2015-11-17 11:01:42 -08:00
updateSysMem()
2015-11-17 11:11:14 -08:00
if Statistics.SysMemTotalKB-Statistics.SysMemFreeKB < Configuration.MinMemoryKBytes {
2015-11-17 11:01:42 -08:00
w.WriteHeader(503)
return
}
conn, err := SocketUpgrader.Upgrade(w, r, nil)
if err != nil {
fmt.Fprintf(w, "error: %v", err)
return
}
2015-11-16 12:50:00 -08:00
RunSocketConnection(conn)
return
} else {
2015-10-28 18:12:20 -07:00
w.Write(BannerHTML)
}
}
2015-11-16 12:50:00 -08:00
// ErrProtocolGeneric is sent in a ErrorCommand Reply.
var ErrProtocolGeneric error = errors.New("FFZ Socket protocol error.")
2015-11-16 13:25:25 -08:00
2015-11-16 12:50:00 -08:00
// ErrProtocolNegativeMsgID is sent in a ErrorCommand Reply when a negative MessageID is received.
var ErrProtocolNegativeMsgID error = errors.New("FFZ Socket protocol error: negative or zero message ID.")
2015-11-16 13:25:25 -08:00
2015-11-16 12:50:00 -08:00
// ErrExpectedSingleString is sent in a ErrorCommand Reply when the Arguments are of the wrong type.
var ErrExpectedSingleString = errors.New("Error: Expected single string as arguments.")
2015-11-16 13:25:25 -08:00
2015-11-16 12:50:00 -08:00
// ErrExpectedSingleInt is sent in a ErrorCommand Reply when the Arguments are of the wrong type.
var ErrExpectedSingleInt = errors.New("Error: Expected single integer as arguments.")
2015-11-16 13:25:25 -08:00
2015-11-16 12:50:00 -08:00
// ErrExpectedTwoStrings is sent in a ErrorCommand Reply when the Arguments are of the wrong type.
var ErrExpectedTwoStrings = errors.New("Error: Expected array of string, string as arguments.")
2015-11-16 13:25:25 -08:00
2015-11-16 12:50:00 -08:00
// ErrExpectedStringAndBool is sent in a ErrorCommand Reply when the Arguments are of the wrong type.
var ErrExpectedStringAndBool = errors.New("Error: Expected array of string, bool as arguments.")
2015-11-16 13:25:25 -08:00
2015-11-16 12:50:00 -08:00
// ErrExpectedStringAndInt is sent in a ErrorCommand Reply when the Arguments are of the wrong type.
var ErrExpectedStringAndInt = errors.New("Error: Expected array of string, int as arguments.")
2015-11-16 13:25:25 -08:00
2015-11-16 12:50:00 -08:00
// ErrExpectedStringAndIntGotFloat is sent in a ErrorCommand Reply when the Arguments are of the wrong type.
var ErrExpectedStringAndIntGotFloat = errors.New("Error: Second argument was a float, expected an integer.")
// CloseGotBinaryMessage is the termination reason when the client sends a binary websocket frame.
var CloseGotBinaryMessage = websocket.CloseError{Code: websocket.CloseUnsupportedData, Text: "got binary packet"}
2015-11-16 13:25:25 -08:00
2015-11-16 12:50:00 -08:00
// CloseTimedOut is the termination reason when the client fails to send or respond to ping frames.
2015-10-28 22:59:27 -07:00
var CloseTimedOut = websocket.CloseError{Code: websocket.CloseNoStatusReceived, Text: "no ping replies for 5 minutes"}
2015-11-16 13:25:25 -08:00
2015-11-17 00:28:42 -08:00
// CloseTooManyBufferedMessages is the termination reason when the sending thread buffers too many messages.
var CloseTooManyBufferedMessages = websocket.CloseError{Code: websocket.CloseMessageTooBig, Text: "too many pending messages"}
2015-11-16 12:50:00 -08:00
// CloseFirstMessageNotHello is the termination reason
2015-10-28 17:31:44 -07:00
var CloseFirstMessageNotHello = websocket.CloseError{
Text: "Error - the first message sent must be a 'hello'",
Code: websocket.ClosePolicyViolation,
}
2015-11-17 00:28:42 -08:00
const sendMessageBufferLength = 125
const sendMessageAbortLength = 50
2015-11-16 12:50:00 -08:00
// RunSocketConnection contains the main run loop of a websocket connection.
// First, it sets up the channels, the ClientInfo object, and the pong frame handler.
// It starts the reader goroutine pointing at the newly created channels.
// The function then enters the run loop (a `for{select{}}`).
// The run loop is broken when an object is received on errorChan, or if `hello` is not the first C2S Command.
// After the run loop stops, the function launches a goroutine to drain
// client.MessageChannel, signals the reader goroutine to stop, unsubscribes
// from all pub/sub channels, waits on MsgChannelKeepalive (remember, the
// messages are being drained), and finally closes client.MessageChannel
// (which ends the drainer goroutine).
func RunSocketConnection(conn *websocket.Conn) {
2015-10-24 19:59:34 -07:00
// websocket.Conn is a ReadWriteCloser
2015-11-17 19:53:58 -08:00
atomic.AddUint64(&Statistics.ClientConnectsTotal, 1)
atomic.AddUint64(&Statistics.CurrentClientCount, 1)
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)
2015-11-17 00:28:42 -08:00
_serverMessageChan := make(chan ClientMessage, sendMessageBufferLength)
2015-10-24 20:40:49 -07:00
_errorChan := make(chan error)
stoppedChan := make(chan struct{})
2015-10-24 20:40:49 -07:00
var client ClientInfo
client.MessageChannel = _serverMessageChan
2015-11-01 13:17:35 -08:00
client.RemoteAddr = conn.RemoteAddr()
2015-11-03 16:44:42 -08:00
client.MsgChannelIsDone = stoppedChan
2015-10-25 03:21:50 -07:00
// Launch receiver goroutine
go func(errorChan chan<- error, clientChan chan<- ClientMessage, stoppedChan <-chan struct{}) {
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
}
select {
case clientChan <- msg:
case <-stoppedChan:
close(errorChan)
close(clientChan)
return
}
2015-10-24 20:40:49 -07:00
}
2015-10-27 21:21:06 -07:00
2015-11-03 16:44:42 -08:00
select {
case errorChan <- err:
case <-stoppedChan:
}
2015-10-24 20:40:49 -07:00
close(errorChan)
close(clientChan)
2015-11-16 13:28:16 -08:00
// exit goroutine
}(_errorChan, _clientChan, stoppedChan)
2015-10-24 20:40:49 -07:00
2015-10-28 22:59:27 -07:00
conn.SetPongHandler(func(pongBody string) error {
2015-11-16 12:50:00 -08:00
client.Mutex.Lock()
2015-10-28 22:59:27 -07:00
client.pingCount = 0
2015-11-16 12:50:00 -08:00
client.Mutex.Unlock()
2015-10-28 22:59:27 -07:00
return nil
})
2015-10-24 20:40:49 -07:00
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
2015-11-17 19:53:58 -08:00
var closeReason websocket.CloseError
RunLoop:
2015-10-24 20:40:49 -07:00
for {
select {
case err := <-errorChan:
if err == io.EOF {
2015-11-17 19:53:58 -08:00
closeReason = websocket.CloseError{
Code: websocket.CloseGoingAway,
Text: err.Error(),
}
} else if closeMsg, isClose := err.(*websocket.CloseError); isClose {
2015-11-17 19:53:58 -08:00
closeReason = *closeMsg
} else {
2015-11-17 19:53:58 -08:00
closeReason = websocket.CloseError{
Code: websocket.CloseInternalServerErr,
Text: err.Error(),
2015-11-17 19:53:58 -08:00
}
}
2015-10-24 20:40:49 -07:00
break RunLoop
2015-10-24 21:33:55 -07:00
case msg := <-clientChan:
2015-11-16 14:30:09 -08:00
if client.VersionString == "" && msg.Command != HelloCommand {
2015-11-17 19:53:58 -08:00
closeReason = CloseFirstMessageNotHello
2015-10-24 21:33:55 -07:00
break RunLoop
}
2015-11-16 12:50:00 -08:00
DispatchC2SCommand(conn, &client, msg)
2015-10-28 22:59:27 -07:00
2015-11-16 12:50:00 -08:00
case msg := <-serverMessageChan:
2015-11-17 00:28:42 -08:00
if len(serverMessageChan) > sendMessageAbortLength {
2015-11-17 19:53:58 -08:00
closeReason = CloseTooManyBufferedMessages
break RunLoop
2015-11-17 00:28:42 -08:00
}
2015-11-16 12:50:00 -08:00
SendMessage(conn, msg)
2015-10-28 22:59:27 -07:00
2015-11-01 13:17:35 -08:00
case <-time.After(1 * time.Minute):
2015-11-16 12:50:00 -08:00
client.Mutex.Lock()
2015-10-28 22:59:27 -07:00
client.pingCount++
2015-11-16 12:50:00 -08:00
tooManyPings := client.pingCount == 5
client.Mutex.Unlock()
if tooManyPings {
2015-11-17 19:53:58 -08:00
closeReason = CloseTimedOut
2015-10-28 22:59:27 -07:00
break RunLoop
} else {
conn.WriteControl(websocket.PingMessage, []byte(strconv.FormatInt(time.Now().Unix(), 10)), getDeadline())
}
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
2015-11-17 19:53:58 -08:00
CloseConnection(conn, closeReason)
2015-10-25 03:21:50 -07:00
// 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
}()
close(stoppedChan)
2015-10-25 03:21:50 -07:00
// Stop getting messages...
UnsubscribeAll(&client)
// Wait for pending jobs to finish...
client.MsgChannelKeepalive.Wait()
client.MessageChannel = nil
// And done.
2015-10-25 03:21:50 -07:00
// Close the channel so the draining goroutine can finish, too.
close(_serverMessageChan)
2015-11-17 19:53:58 -08:00
atomic.AddUint64(&Statistics.ClientDisconnectsTotal, 1)
atomic.AddUint64(&Statistics.CurrentClientCount, ^uint64(0))
2015-10-24 19:59:34 -07:00
}
2015-10-28 22:59:27 -07:00
func getDeadline() time.Time {
return time.Now().Add(1 * time.Minute)
}
2015-11-17 19:53:58 -08:00
func CloseConnection(conn *websocket.Conn, closeMsg websocket.CloseError) {
2015-11-16 20:26:59 -08:00
closeTxt := closeMsg.Text
if strings.Contains(closeTxt, "read: connection reset by peer") {
closeTxt = "read: connection reset by peer"
} else if strings.Contains(closeTxt, "use of closed network connection") {
closeTxt = "read: use of closed network connection"
2015-11-16 20:26:59 -08:00
} else if closeMsg.Code == 1001 {
closeTxt = "clean shutdown"
}
// todo kibana cannot analyze these
Statistics.DisconnectCodes[strconv.Itoa(closeMsg.Code)]++
2015-11-16 20:26:59 -08:00
Statistics.DisconnectReasons[closeTxt]++
2015-11-16 13:07:02 -08:00
2015-10-28 22:59:27 -07:00
conn.WriteControl(websocket.CloseMessage, websocket.FormatCloseMessage(closeMsg.Code, closeMsg.Text), getDeadline())
conn.Close()
}
2015-11-15 18:43:34 -08:00
// SendMessage sends a ClientMessage over the websocket connection with a timeout.
// If marshalling the ClientMessage fails, this function will panic.
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))
}
2015-10-28 22:59:27 -07:00
conn.SetWriteDeadline(getDeadline())
conn.WriteMessage(messageType, packet)
2015-11-16 13:07:02 -08:00
Statistics.MessagesSent++
}
2015-11-15 18:43:34 -08:00
// UnmarshalClientMessage unpacks websocket TextMessage into a ClientMessage provided in the `v` parameter.
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 {
2015-11-16 12:50:00 -08:00
return ErrProtocolGeneric
2015-10-24 19:59:34 -07:00
}
2015-11-15 18:43:34 -08:00
messageID, err := strconv.Atoi(dataStr[:spaceIdx])
if messageID < -1 || messageID == 0 {
2015-11-16 12:50:00 -08:00
return ErrProtocolNegativeMsgID
2015-10-24 19:59:34 -07:00
}
2015-11-15 18:43:34 -08: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-11-15 18:43:34 -08: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
}
// 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 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedSingleString
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 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedSingleInt
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 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedTwoStrings
return
2015-10-24 19:59:34 -07:00
} else {
if len(ary) != 2 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedTwoStrings
return
2015-10-24 19:59:34 -07:00
}
string1, ok = ary[0].(string)
if !ok {
2015-11-16 12:50:00 -08:00
err = ErrExpectedTwoStrings
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 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedTwoStrings
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 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndInt
return
2015-10-24 19:59:34 -07:00
} else {
if len(ary) != 2 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndInt
return
2015-10-24 19:59:34 -07:00
}
string1, ok = ary[0].(string)
if !ok {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndInt
return
2015-10-24 19:59:34 -07:00
}
var num float64
num, ok = ary[1].(float64)
if !ok {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndInt
return
2015-10-24 19:59:34 -07:00
}
int = int64(num)
if float64(int) != num {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndIntGotFloat
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 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndBool
return
} else {
if len(ary) != 2 {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndBool
return
}
str, ok = ary[0].(string)
if !ok {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndBool
return
}
flag, ok = ary[1].(bool)
if !ok {
2015-11-16 12:50:00 -08:00
err = ErrExpectedStringAndBool
return
}
return str, flag, nil
}
}