-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathsocket.go
98 lines (85 loc) · 2.19 KB
/
socket.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
package msgkit
import (
"crypto/rand"
"encoding/hex"
"encoding/json"
"fmt"
"net/http"
"sync"
"github.com/gorilla/websocket"
)
// Socket is msgkit socket connection containing context about the connection
type Socket struct {
id string
req *http.Request
mu sync.Mutex
ctx interface{}
conn *websocket.Conn
}
// newSocket upgrades the passed http connection to a websocket connection,
// and returns the connection bundled in a msgkit Socket
func newSocket(u *websocket.Upgrader, w http.ResponseWriter,
r *http.Request) (*Socket, error) {
// Upgrade the websocket connection
conn, err := u.Upgrade(w, r, nil)
if err != nil {
return nil, err
}
// Generate a unique identifier for the connection
var b [12]byte
rand.Read(b[:])
// Assemble and return a fully populated msgkit Socket
return &Socket{
id: hex.EncodeToString(b[:]),
req: r,
conn: conn,
}, nil
}
// SetContext applies the passed context interface to the Socket
func (s *Socket) SetContext(ctx interface{}) {
s.mu.Lock()
s.ctx = ctx
s.mu.Unlock()
}
// Context returns the context on the Socket
func (s *Socket) Context() interface{} {
s.mu.Lock()
ctx := s.ctx
s.mu.Unlock()
return ctx
}
// Request returns the original request used to create the Socket
func (s *Socket) Request() *http.Request { return s.req }
// Send broadcasts a message over the socket
func (s *Socket) Send(name string, msgs ...interface{}) error {
s.mu.Lock()
defer s.mu.Unlock()
if len(msgs) == 0 {
if err := s.conn.WriteMessage(1, []byte(fmt.Sprintf(`{"type":"%s"}`,
name))); err != nil {
return err
}
} else {
for _, msg := range msgs {
b, _ := json.Marshal(msg)
if err := s.conn.WriteMessage(1,
[]byte(fmt.Sprintf(`{"type":"%s","data":%s}`, name,
string(b)))); err != nil {
return err
}
}
}
return nil
}
// close closes the websocket connection
func (s *Socket) close() { s.conn.Close() }
// readMessage reads the next message off of the connection, returning the type
// and data decoded from the message
func (s *Socket) readMessage() (*Message, error) {
// Read the next message off of the connection
_, msgb, err := s.conn.ReadMessage()
if err != nil {
return nil, err
}
return ParseMessage(msgb), nil
}