forked from madari/go-socket.io
-
Notifications
You must be signed in to change notification settings - Fork 0
/
connection.go
347 lines (294 loc) · 8.35 KB
/
connection.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
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
package socketio
import (
"http"
"os"
"net"
"bytes"
"time"
"fmt"
"sync"
)
var (
// ErrDestroyed is used when the connection has been disconnected (i.e. can't be used anymore).
ErrDestroyed = os.NewError("connection is disconnected")
// ErrQueueFull is used when the send queue is full.
ErrQueueFull = os.NewError("send queue is full")
errMissingPostData = os.NewError("Missing HTTP post data-field")
)
// Conn represents a single session and handles its handshaking,
// message buffering and reconnections.
type Conn struct {
mutex sync.Mutex
socket socket // The i/o connection that abstract the transport.
sio *SocketIO // The server.
sessionid SessionID
online bool
lastConnected int64
lastDisconnected int64
lastHeartbeat heartbeat
numHeartbeats int
ticker *time.Ticker
queue chan interface{} // Buffers the outgoing messages.
numConns int // Total number of reconnects.
handshaked bool // Indicates if the handshake has been sent.
disconnected bool // Indicates if the connection has been disconnected.
wakeupFlusher chan byte // Used internally to wake up the flusher.
wakeupReader chan byte // Used internally to wake up the reader.
enc Encoder
dec Decoder
decBuf bytes.Buffer
}
// NewConn creates a new connection for the sio. It generates the session id and
// prepares the internal structure for usage.
func newConn(sio *SocketIO) (c *Conn, err os.Error) {
var sessionid SessionID
if sessionid, err = NewSessionID(); err != nil {
sio.Log("sio/newConn: newSessionID:", err)
return
}
c = &Conn{
sio: sio,
sessionid: sessionid,
wakeupFlusher: make(chan byte),
wakeupReader: make(chan byte),
queue: make(chan interface{}, sio.config.QueueLength),
enc: sio.config.Codec.NewEncoder(),
}
c.dec = sio.config.Codec.NewDecoder(&c.decBuf)
return
}
// String returns a string representation of the connection and implements the
// fmt.Stringer interface.
func (c *Conn) String() string {
return fmt.Sprintf("%v[%v]", c.sessionid, c.socket)
}
// Send queues data for a delivery. It is totally content agnostic with one exception:
// the given data must be one of the following: a handshake, a heartbeat, an int, a string or
// it must be otherwise marshallable by the standard json package. If the send queue
// has reached sio.config.QueueLength or the connection has been disconnected,
// then the data is dropped and a an error is returned.
func (c *Conn) Send(data interface{}) os.Error {
if ok := c.queue <- data; !ok {
if closed(c.queue) {
return ErrDestroyed
}
return ErrQueueFull
}
return nil
}
func (c *Conn) Close() os.Error {
c.mutex.Lock()
if c.disconnected {
c.mutex.Unlock()
return ErrNotConnected
}
c.disconnect()
c.mutex.Unlock()
c.sio.onDisconnect(c)
return nil
}
// Handle takes over an http responseWriter/req -pair using the given Transport.
// If the HTTP method is POST then request's data-field will be used as an incoming
// message and the request is dropped. If the method is GET then a new socket encapsulating
// the request is created and a new connection is establised (or the connection will be
// reconnected). Finally, handle will wake up the reader and the flusher.
func (c *Conn) handle(t Transport, w http.ResponseWriter, req *http.Request) (err os.Error) {
c.mutex.Lock()
defer c.mutex.Unlock()
if c.disconnected {
return ErrNotConnected
}
if req.Method == "POST" {
if msg := req.FormValue("data"); msg != "" {
w.SetHeader("Content-Type", "text/plain")
w.Write(okResponse)
c.receive([]byte(msg))
} else {
c.sio.Log("sio/conn: handle: POST missing data-field:", c)
return errMissingPostData
}
return
}
s := t.newSocket()
err = s.accept(w, req, func() {
if c.socket != nil {
c.socket.Close()
}
c.socket = s
c.online = true
c.lastConnected = time.Nanoseconds()
if !c.handshaked {
// the connection has not been handshaked yet.
if err = c.handshake(); err != nil {
c.sio.Log("sio/conn: handle/handshake:", err, c)
c.socket.Close()
return
}
c.handshaked = true
go c.keepalive()
go c.flusher()
go c.reader()
defer c.sio.onConnect(c)
defer c.mutex.Unlock()
c.sio.Log("sio/conn: connected:", c)
} else {
c.sio.Log("sio/conn: reconnected:", c)
}
c.numConns++
_ = c.wakeupFlusher <- 1
_ = c.wakeupReader <- 1
})
return
}
// Handshake sends the handshake to the socket.
func (c *Conn) handshake() os.Error {
return c.enc.Encode(c.socket, handshake(c.sessionid))
}
func (c *Conn) disconnect() {
c.sio.Log("sio/conn: disconnected:", c)
c.socket.Close()
c.disconnected = true
close(c.wakeupFlusher)
close(c.wakeupReader)
close(c.queue)
}
// Receive decodes and handles data received from the socket.
// It uses c.sio.codec to decode the data. The received non-heartbeat
// messages (frames) are then passed to c.sio.onMessage method and the
// heartbeats are processed right away (TODO).
func (c *Conn) receive(data []byte) {
c.decBuf.Write(data)
msgs, err := c.dec.Decode()
if err != nil {
c.sio.Log("sio/conn: receive/decode:", err, c)
return
}
for _, m := range msgs {
if hb, ok := m.heartbeat(); ok {
c.lastHeartbeat = hb
} else {
c.sio.onMessage(c, m)
}
}
}
func (c *Conn) keepalive() {
c.ticker = time.NewTicker(c.sio.config.HeartbeatInterval)
defer c.ticker.Stop()
for t := range c.ticker.C {
c.mutex.Lock()
if c.disconnected {
c.mutex.Unlock()
return
}
if (!c.online && t-c.lastDisconnected > c.sio.config.ReconnectTimeout) || int(c.lastHeartbeat) < c.numHeartbeats {
c.disconnect()
c.mutex.Unlock()
break
}
c.numHeartbeats++
if ok := c.queue <- heartbeat(c.numHeartbeats); !ok {
c.sio.Log("sio/keepalive: unable to queue heartbeat. fail now. TODO: FIXME", c)
c.disconnect()
c.mutex.Unlock()
break
}
c.mutex.Unlock()
}
c.sio.onDisconnect(c)
}
// Flusher waits for messages on the queue. It then
// tries to write the messages to the underlaying socket and
// will keep on trying until the wakeupFlusher is killed or the payload
// can be delivered. It is responsible for persisting messages until they
// can be succesfully delivered. No more than c.sio.config.QueueLength messages
// should ever be waiting for a delivery.
//
// NOTE: the c.sio.config.QueueLength is not a "hard limit", because one could have
// max amount of messages waiting in the queue and in the payload itself
// simultaneously.
func (c *Conn) flusher() {
buf := new(bytes.Buffer)
var err os.Error
var msg interface{}
var ok bool
var n int
for msg = range c.queue {
buf.Reset()
err = c.enc.Encode(buf, msg)
n = 1
if err == nil {
for n < c.sio.config.QueueLength {
if msg, ok = <-c.queue; !ok {
break
}
n++
if err = c.enc.Encode(buf, msg); err != nil {
break
}
}
}
if err != nil {
c.sio.Logf("sio/conn: flusher/encode: lost %d messages (%d bytes): %s %s", n, buf.Len(), err, c)
continue
}
L:
for {
for {
c.mutex.Lock()
_, err = buf.WriteTo(c.socket)
c.mutex.Unlock()
if err == nil {
break L
} else if err != os.EAGAIN {
break
}
}
<-c.wakeupFlusher
if closed(c.wakeupFlusher) {
return
}
}
}
}
// Reader reads from the c.socket until the c.wakeupReader is closed.
// It is responsible for detecting unrecoverable read errors and timeouting
// the connection. When a read fails previously mentioned reasons, it will
// call the c.disconnect method and start waiting for the next event on the
// c.wakeupReader channel.
func (c *Conn) reader() {
buf := make([]byte, c.sio.config.ReadBufferSize)
for {
c.mutex.Lock()
socket := c.socket
c.mutex.Unlock()
for {
nr, err := socket.Read(buf)
if err != nil {
if err != os.EAGAIN {
if neterr, ok := err.(*net.OpError); ok && neterr.Timeout() {
c.sio.Log("sio/conn: lost connection (timeout):", c)
socket.Write(emptyResponse)
} else {
c.sio.Log("sio/conn: lost connection:", c)
}
break
}
} else if nr < 0 {
break
} else if nr > 0 {
c.receive(buf[0:nr])
}
}
c.mutex.Lock()
c.lastDisconnected = time.Nanoseconds()
socket.Close()
if c.socket == socket {
c.online = false
}
c.mutex.Unlock()
<-c.wakeupReader
if closed(c.wakeupReader) {
break
}
}
}