-
Notifications
You must be signed in to change notification settings - Fork 300
/
client.go
1051 lines (872 loc) · 25.6 KB
/
client.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
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
package kite
import (
"context"
"encoding/json"
"errors"
"fmt"
"net/http"
"strconv"
"strings"
"sync"
"sync/atomic"
"time"
"github.com/koding/kite/config"
"github.com/koding/kite/dnode"
"github.com/koding/kite/protocol"
"github.com/koding/kite/sockjsclient"
"github.com/cenkalti/backoff"
"github.com/gorilla/websocket"
"github.com/igm/sockjs-go/sockjs"
)
var forever backoff.BackOff
func init() {
b := backoff.NewExponentialBackOff()
b.MaxElapsedTime = 365 * 24 * time.Hour // 1 year
forever = &lockedBackoff{b: b}
}
func nopSetSession(sockjs.Session) {}
// Client is the client for communicating with another Kite.
// It has Tell() and Go() methods for calling methods sync/async way.
type Client struct {
protocol.Kite // remote kite information
// LocalKite references to the kite which owns the client
// connection.
LocalKite *Kite
// Auth is a credential used to authenticate with a remote kite.
//
// Required if remote kite requires authentication.
Auth *Auth
// Reconnect says whether we should reconnect with a new
// session when an old one got invalidated or the connection
// broke.
Reconnect bool
// URL specifies the SockJS URL of the remote kite.
URL string
// Config is used when setting up client connection to
// the remote kite.
//
// If Config is nil, LocalKite.Config is used instead.
Config *config.Config
// Concurrent specified whether we should process incoming messages concurrently.
//
// Defaults to true.
Concurrent bool
// ConcurrentCallbacks, when true, makes execution of callbacks in
// incoming messages concurrent. This may result in a callback
// received in an earlier message to be executed after a callback
// from a new meesage - no order is guaranteed, it's up to Go scheduler.
//
// By default this field is false to be backward-compatible with
// go1.4 scheduling behaviour.
ConcurrentCallbacks bool
// ClientFunc is called each time new sockjs.Session is established.
// The session will use returned *http.Client for HTTP round trips
// for XHR transport.
//
// If ClientFunc is nil, sockjs.Session will use default, internal
// *http.Client value.
//
// Deprecated: Set Config.XHR of the local kite, that
// owns this connection, insead.
ClientFunc func(*sockjsclient.DialOptions) *http.Client
// ReadBufferSize is the input buffer size. By default it's 4096.
//
// Deprecated: Set Config.Websocket.ReadBufferSize of the local kite,
// that owns this connection, instead.
ReadBufferSize int
// WriteBufferSize is the output buffer size. By default it's 4096.
//
// Deprecated: Set Config.Websocket.WriteBufferSize of the local kite,
// that owns this connection, instead.
WriteBufferSize int
muProt sync.Mutex // protects protocol.Kite access
// To signal waiters of Go() on disconnect.
disconnect chan struct{}
disconnectMu sync.Mutex // protects disconnect chan
// authMu protects Auth field.
authMu sync.Mutex
// To signal about the close
closeChan chan struct{}
// closeRenewer is used to stop renewing tokens when client
// is closed but was not dialed
closeRenewer chan struct{}
// interrupt is used to signalise readloop that
// session was interrupted.
interrupt chan error
// To syncronize the consumers
wg sync.WaitGroup
// SockJS session
// TODO: replace this with a proper interface to support multiple
// transport/protocols
session sockjs.Session
send chan *message
// ctx and cancel keeps track of session lifetime
ctxMu sync.Mutex
ctx context.Context
cancel func()
// muReconnect protects Reconnect
muReconnect sync.Mutex
// closed is to ensure Close is idempotent
closed int32
// dnode scrubber for saving callbacks sent to remote.
scrubber *dnode.Scrubber
// Time to wait before redial connection.
redialBackOff backoff.BackOff
// on connect/disconnect handlers are invoked after every
// connect/disconnect.
onConnectHandlers []func()
onDisconnectHandlers []func()
onTokenExpireHandlers []func()
onTokenRenewHandlers []func(string)
testHookSetSession func(sockjs.Session)
// For protecting access over OnConnect and OnDisconnect handlers.
m sync.RWMutex
firstRequestHandlersNotified sync.Once
}
// message carries an encoded payload sent over connected session.
type message struct {
p []byte
errC chan<- error
}
// callOptions is the type of first argument in the dnode message.
// It is used when unmarshalling a dnode message.
type callOptions struct {
// Arguments to the method
Kite protocol.Kite `json:"kite" dnode:"-"`
Auth *Auth `json:"authentication"`
WithArgs *dnode.Partial `json:"withArgs" dnode:"-"`
ResponseCallback dnode.Function `json:"responseCallback"`
}
// callOptionsOut is the same structure with callOptions.
// It is used when marshalling a dnode message.
type callOptionsOut struct {
callOptions
// Override this when sending because args will not be a *dnode.Partial.
WithArgs []interface{} `json:"withArgs"`
}
// Authentication is used when connecting a Client.
type Auth struct {
// Type can be "kiteKey", "token" or "sessionID" for now.
Type string `json:"type"`
Key string `json:"key"`
}
// response is the type of the return value of Tell() and Go() methods.
type response struct {
Result *dnode.Partial
Err error
}
// NewClient returns a pointer to a new Client. The returned instance
// is not connected. You have to call Dial() or DialForever() before calling
// Tell() and Go() methods.
func (k *Kite) NewClient(remoteURL string) *Client {
c := &Client{
LocalKite: k,
URL: remoteURL,
disconnect: make(chan struct{}),
closeChan: make(chan struct{}),
redialBackOff: forever,
scrubber: dnode.NewScrubber(),
testHookSetSession: nopSetSession,
Concurrent: true,
send: make(chan *message),
interrupt: make(chan error, 1),
ctx: context.Background(),
cancel: func() {},
}
c.OnConnect(c.setContext)
c.OnDisconnect(c.closeContext)
k.OnRegister(c.updateAuth)
return c
}
func (c *Client) SetUsername(username string) {
c.muProt.Lock()
c.Kite.Username = username
c.muProt.Unlock()
}
// Dial connects to the remote Kite. Returns error if it can't.
func (c *Client) Dial() (err error) {
// zero means no timeout
return c.DialTimeout(0)
}
// DialTimeout acts like Dial but takes a timeout.
func (c *Client) DialTimeout(timeout time.Duration) error {
err := c.dial(timeout)
c.LocalKite.Log.Debug("Dialing '%s' kite: %s (error: %v)", c.Kite.Name, c.URL, err)
if err != nil {
return err
}
go c.run()
return nil
}
// Dial connects to the remote Kite. If it can't connect, it retries
// indefinitely. It returns a channel to check if it's connected or not.
func (c *Client) DialForever() (connected chan bool, err error) {
c.Reconnect = true
connected = make(chan bool, 1) // This will be closed on first connection.
go c.dialForever(connected)
return
}
func (c *Client) updateAuth(reg *protocol.RegisterResult) {
c.authMu.Lock()
defer c.authMu.Unlock()
if c.Auth == nil {
return
}
if c.Auth.Type == "kiteKey" && reg.KiteKey != "" {
c.Auth.Key = reg.KiteKey
}
}
func (c *Client) setContext() {
c.ctxMu.Lock()
c.ctx, c.cancel = context.WithCancel(context.Background())
c.ctxMu.Unlock()
}
func (c *Client) closeContext() {
c.ctxMu.Lock()
c.cancel()
c.ctxMu.Unlock()
}
func (c *Client) context() context.Context {
c.ctxMu.Lock()
defer c.ctxMu.Unlock()
return c.ctx
}
func (c *Client) authCopy() *Auth {
c.authMu.Lock()
defer c.authMu.Unlock()
if c.Auth == nil {
return nil
}
authCopy := *c.Auth
return &authCopy
}
func (c *Client) dial(timeout time.Duration) (err error) {
transport := c.config().Transport
c.LocalKite.Log.Debug("Client transport is set to '%s'", transport)
var session sockjs.Session
switch transport {
case config.WebSocket:
session, err = sockjsclient.DialWebsocket(c.URL, c.config())
case config.XHRPolling:
session, err = sockjsclient.DialXHR(c.URL, c.config())
case config.Auto:
session, err = sockjsclient.DialWebsocket(c.URL, c.config())
if err == websocket.ErrBadHandshake {
// In cases when kite server is behind a proxy that do
// not support websocket connections, fall back to XHR.
session, err = sockjsclient.DialXHR(c.URL, c.config())
}
default:
return fmt.Errorf("Connection transport is not known '%v'", transport)
}
if err != nil {
return err
}
c.setSession(session)
c.wg.Add(1)
go c.sendHub()
// Reset the wait time.
c.redialBackOff.Reset()
// Must be run in a goroutine because a handler may wait a response from
// server.
go c.callOnConnectHandlers()
return nil
}
func (c *Client) dialForever(connectNotifyChan chan bool) {
dial := func() error {
if !c.reconnect() {
return nil
}
c.LocalKite.Log.Info("Dialing '%s' kite: %s", c.Kite.Name, c.URL)
if err := c.dial(0); err != nil {
c.LocalKite.Log.Warning("Dialing '%s' kite error: %s: %v", c.Kite.Name, c.URL, err)
return err
}
return nil
}
backoff.Retry(dial, c.redialBackOff) // this will retry dial forever
if connectNotifyChan != nil {
close(connectNotifyChan)
}
go c.run()
}
func (c *Client) RemoteAddr() string {
session := c.getSession()
if session == nil {
return ""
}
websocketsession, ok := session.(*sockjsclient.WebsocketSession)
if !ok {
return ""
}
return websocketsession.RemoteAddr()
}
// run consumes incoming dnode messages. Reconnects if necessary.
func (c *Client) run() {
err := c.readLoop()
if err != nil {
c.LocalKite.Log.Debug("readloop err: %s", err)
}
// falls here when connection disconnects
c.callOnDisconnectHandlers()
// let others know that the client has disconnected
c.disconnectMu.Lock()
if c.disconnect != nil {
close(c.disconnect)
c.disconnect = nil
}
c.disconnectMu.Unlock()
if c.reconnect() {
// we override it so it doesn't get selected next time. Because we are
// redialing, so after redial if a new method is called, the disconnect
// channel is being read and the local "disconnect" message will be the
// final response. This shouldn't be happen for redials.
c.disconnectMu.Lock()
c.disconnect = make(chan struct{}, 1)
c.disconnectMu.Unlock()
go c.dialForever(nil)
}
}
func (c *Client) reconnect() bool {
c.muReconnect.Lock()
defer c.muReconnect.Unlock()
return c.Reconnect
}
// readLoop reads a message from websocket and processes it.
func (c *Client) readLoop() error {
for {
p, err := c.receiveData()
c.LocalKite.Log.Debug("readloop received: %s %v", p, err)
if err != nil {
return err
}
msg, fn, err := c.processMessage(p)
if err != nil {
if _, ok := err.(dnode.CallbackNotFoundError); !ok {
c.LocalKite.Log.Warning("error processing message err: %s message: %s", err, msg)
}
}
switch v := fn.(type) {
case *Method: // invoke method
if c.Concurrent {
go c.runMethod(v, msg.Arguments)
} else {
c.runMethod(v, msg.Arguments)
}
case func(*dnode.Partial): // invoke callback
if c.Concurrent && c.ConcurrentCallbacks {
go c.runCallback(v, msg.Arguments)
} else {
c.runCallback(v, msg.Arguments)
}
}
}
}
// receiveData reads a message from session.
func (c *Client) receiveData() ([]byte, error) {
type recv struct {
msg []byte
err error
}
session := c.getSession()
if session == nil {
return nil, errors.New("not connected")
}
done := make(chan recv, 1)
go func() {
msg, err := session.Recv()
done <- recv{[]byte(msg), err}
}()
select {
case r := <-done:
return r.msg, r.err
case err := <-c.interrupt:
return nil, err
}
}
// processMessage processes a single message and calls a handler or callback.
func (c *Client) processMessage(data []byte) (msg *dnode.Message, fn interface{}, err error) {
// Call error handler.
defer func() {
if err != nil {
onError(err)
}
}()
msg = &dnode.Message{}
if err = json.Unmarshal(data, &msg); err != nil {
return nil, nil, err
}
sender := func(id uint64, args []interface{}) error {
// do not name the error variable to "err" here, it's a trap for
// shadowing variables
_, _, e := c.marshalAndSend(id, args)
return e
}
// Replace function placeholders with real functions.
if err := dnode.ParseCallbacks(msg, sender); err != nil {
return nil, nil, err
}
// Find the handler function. Method may be string or integer.
switch method := msg.Method.(type) {
case float64:
id := uint64(method)
callback := c.scrubber.GetCallback(id)
if callback == nil {
err = dnode.CallbackNotFoundError{
ID: id,
Args: msg.Arguments,
}
return nil, nil, err
}
return msg, callback, nil
case string:
m, ok := c.LocalKite.handlers[method]
if !ok {
err = dnode.MethodNotFoundError{
Method: method,
Args: msg.Arguments,
}
return nil, nil, err
}
return msg, m, nil
default:
return nil, nil, fmt.Errorf("Method is not string or integer: %+v (%T)", msg.Method, msg.Method)
}
}
func (c *Client) Close() {
if !atomic.CompareAndSwapInt32(&c.closed, 0, 1) {
return // TODO: ErrAlreadyClosed
}
c.muReconnect.Lock()
// TODO(rjeczalik): add another internal field for controlling redials
// instead of mutating public field
c.Reconnect = false
c.muReconnect.Unlock()
close(c.closeChan)
if c.closeRenewer != nil {
select {
case c.closeRenewer <- struct{}{}:
default:
}
}
// wait for consumers to finish buffered messages
c.wg.Wait()
if session := c.getSession(); session != nil {
session.Close(3000, "Go away!")
}
}
// sendhub sends the msg received from the send channel to the remote client
func (c *Client) sendHub() {
defer c.wg.Done()
for {
select {
case msg := <-c.send:
c.LocalKite.Log.Debug("sending: %s", msg)
session := c.getSession()
if session == nil {
c.LocalKite.Log.Error("not connected")
continue
}
err := session.Send(string(msg.p))
if err != nil {
if msg.errC != nil {
msg.errC <- err
}
if sockjsclient.IsSessionClosed(err) {
// The readloop may already be interrupted, thus the non-blocking send.
select {
case c.interrupt <- err:
default:
}
c.LocalKite.Log.Error("error sending to %s: %s", session.ID(), err)
return
}
}
case <-c.closeChan:
c.LocalKite.Log.Debug("Send hub is closed")
return
}
}
}
// OnConnect adds a callback which is called when client connects
// to a remote kite.
func (c *Client) OnConnect(handler func()) {
c.m.Lock()
c.onConnectHandlers = append(c.onConnectHandlers, handler)
c.m.Unlock()
}
// OnDisconnect adds a callback which is called when client disconnects
// from a remote kite.
func (c *Client) OnDisconnect(handler func()) {
c.m.Lock()
c.onDisconnectHandlers = append(c.onDisconnectHandlers, handler)
c.m.Unlock()
}
// OnTokenExpire adds a callback which is called when client receives
// token-is-expired error from a remote kite.
func (c *Client) OnTokenExpire(handler func()) {
c.m.Lock()
c.onTokenExpireHandlers = append(c.onTokenExpireHandlers, handler)
c.m.Unlock()
}
// OnTokenRenew adds a callback which is called when client successfully
// renews its token.
func (c *Client) OnTokenRenew(handler func(token string)) {
c.m.Lock()
c.onTokenRenewHandlers = append(c.onTokenRenewHandlers, handler)
c.m.Unlock()
}
// callOnConnectHandlers runs the registered connect handlers.
func (c *Client) callOnConnectHandlers() {
c.m.RLock()
defer c.m.RUnlock()
for _, handler := range c.onConnectHandlers {
func() {
defer nopRecover()
handler()
}()
}
}
// callOnDisconnectHandlers runs the registered disconnect handlers.
func (c *Client) callOnDisconnectHandlers() {
c.m.RLock()
defer c.m.RUnlock()
for _, handler := range c.onDisconnectHandlers {
func() {
defer nopRecover()
handler()
}()
}
}
// callOnTokenExpireHandlers calls registered functions when an error
// from remote kite is received that token used is expired.
func (c *Client) callOnTokenExpireHandlers() {
c.m.RLock()
defer c.m.RUnlock()
for _, handler := range c.onTokenExpireHandlers {
func() {
defer nopRecover()
handler()
}()
}
}
// callOnTokenRenewHandlers calls all registered functions when
// we successfully obtain new token from kontrol.
func (c *Client) callOnTokenRenewHandlers(token string) {
c.m.RLock()
defer c.m.RUnlock()
for _, handler := range c.onTokenRenewHandlers {
func() {
defer nopRecover()
handler(token)
}()
}
}
func (c *Client) wrapMethodArgs(args []interface{}, responseCallback dnode.Function) []interface{} {
options := callOptionsOut{
WithArgs: args,
callOptions: callOptions{
Kite: *c.LocalKite.Kite(),
Auth: c.authCopy(),
ResponseCallback: responseCallback,
},
}
return []interface{}{options}
}
// Tell makes a blocking method call to the server.
// Waits until the callback function is called by the other side and
// returns the result and the error.
func (c *Client) Tell(method string, args ...interface{}) (result *dnode.Partial, err error) {
return c.TellWithTimeout(method, 0, args...)
}
// SendWebRTCRequest sends requests to kontrol for signalling purposes.
func (c *Client) SendWebRTCRequest(req *protocol.WebRTCSignalMessage) error {
timeout := time.Duration(0)
if c.Config != nil {
timeout = c.Config.Timeout
}
_, err := c.TellWithTimeout(WebRTCHandlerName, timeout, req)
return err
}
// TellWithTimeout does the same thing with Tell() method except it takes an
// extra argument that is the timeout for waiting reply from the remote Kite.
// If timeout is given 0, the behavior is same as Tell().
func (c *Client) TellWithTimeout(method string, timeout time.Duration, args ...interface{}) (result *dnode.Partial, err error) {
response := <-c.GoWithTimeout(method, timeout, args...)
return response.Result, response.Err
}
// Go makes an unblocking method call to the server.
// It returns a channel that the caller can wait on it to get the response.
func (c *Client) Go(method string, args ...interface{}) chan *response {
return c.GoWithTimeout(method, 0, args...)
}
// GoWithTimeout does the same thing with Go() method except it takes an
// extra argument that is the timeout for waiting reply from the remote Kite.
// If timeout is given 0, the behavior is same as Go().
func (c *Client) GoWithTimeout(method string, timeout time.Duration, args ...interface{}) chan *response {
// We will return this channel to the caller.
// It can wait on this channel to get the response.
responseChan := make(chan *response, 1)
c.sendMethod(method, args, timeout, responseChan)
return responseChan
}
// sendMethod wraps the arguments, adds a response callback,
// marshals the message and send it over the wire.
func (c *Client) sendMethod(method string, args []interface{}, timeout time.Duration, responseChan chan *response) {
// To clean the sent callback after response is received.
// Send/Receive in a channel to prevent race condition because
// the callback is run in a separate goroutine.
removeCallback := make(chan uint64, 1)
// When a callback is called it will send the response to this channel.
doneChan := make(chan *response, 1)
cb := c.makeResponseCallback(doneChan, removeCallback, method, args)
args = c.wrapMethodArgs(args, cb)
callbacks, errC, err := c.marshalAndSend(method, args)
if err != nil {
responseChan <- &response{
Result: nil,
Err: &Error{
Type: "sendError",
Message: err.Error(),
},
}
return
}
// nil value of afterTimeout means no timeout, it will not selected in
// select statement
var afterTimeout <-chan time.Time
if timeout > 0 {
afterTimeout = time.After(timeout)
}
// Waits until the response has came or the connection has disconnected.
go func() {
c.disconnectMu.Lock()
defer c.disconnectMu.Unlock()
select {
case resp := <-doneChan:
if e, ok := resp.Err.(*Error); ok {
if e.Type == "authenticationError" && strings.Contains(e.Message, "token is expired") {
c.callOnTokenExpireHandlers()
}
}
responseChan <- resp
case <-c.disconnect:
responseChan <- &response{
nil,
&Error{
Type: "disconnect",
Message: "Remote kite has disconnected",
},
}
case err := <-errC:
if err != nil {
responseChan <- &response{
nil,
&Error{
Type: "sendError",
Message: err.Error(),
},
}
}
case <-afterTimeout:
responseChan <- &response{
nil,
&Error{
Type: "timeout",
Message: fmt.Sprintf("No response to %q method in %s", method, timeout),
},
}
// Remove the callback function from the map so we do not
// consume memory for unused callbacks.
if id, ok := <-removeCallback; ok {
c.scrubber.RemoveCallback(id)
}
}
}()
sendCallbackID(callbacks, removeCallback)
}
// marshalAndSend takes a method and arguments, scrubs the arguments to create
// a dnode message, marshals the message to JSON and sends it over the wire.
func (c *Client) marshalAndSend(method interface{}, arguments []interface{}) (callbacks map[string]dnode.Path, errC <-chan error, err error) {
// scrub trough the arguments and save any callbacks.
callbacks = c.scrubber.Scrub(arguments)
defer func() {
if err != nil {
c.removeCallbacks(callbacks)
}
}()
// Do not encode empty arguments as "null", make it "[]".
if arguments == nil {
arguments = make([]interface{}, 0)
}
rawArgs, err := json.Marshal(arguments)
if err != nil {
return nil, nil, err
}
msg := dnode.Message{
Method: method,
Arguments: &dnode.Partial{Raw: rawArgs},
Callbacks: callbacks,
}
p, err := json.Marshal(msg)
if err != nil {
return nil, nil, err
}
select {
case <-c.closeChan:
return nil, nil, errors.New("can't send, client is closed")
default:
if c.getSession() == nil {
return nil, nil, errors.New("can't send, session is not established yet")
}
errC := make(chan error, 1)
c.send <- &message{
p: p,
errC: errC,
}
return callbacks, errC, nil
}
}
func (c *Client) getSession() sockjs.Session {
c.m.RLock()
defer c.m.RUnlock()
return c.session
}
func (c *Client) setSession(session sockjs.Session) {
c.testHookSetSession(session)
c.m.Lock()
c.session = session
c.m.Unlock()
}
// Used to remove callbacks after error occurs in send().
func (c *Client) removeCallbacks(callbacks map[string]dnode.Path) {
for sid := range callbacks {
// We don't check for error because we have created
// the callbacks map in the send function above.
// It does not come from remote, so cannot contain errors.
id, _ := strconv.ParseUint(sid, 10, 64)
c.scrubber.RemoveCallback(id)
}
}
func (c *Client) config() *config.Config {
if c.Config != nil {
return c.Config
}
return c.LocalKite.Config
}
// sendCallbackID send the callback number to be deleted after response is received.
func sendCallbackID(callbacks map[string]dnode.Path, ch chan<- uint64) {
// TODO fix finding of responseCallback in dnode message when removing callback
for id, path := range callbacks {
if len(path) != 2 {
continue
}
p0, ok := path[0].(string)
if !ok {
continue
}
p1, ok := path[1].(string)
if !ok {
continue
}
if p0 != "0" || p1 != "responseCallback" {
continue
}
i, _ := strconv.ParseUint(id, 10, 64)
ch <- i
return
}
close(ch)
}
// makeResponseCallback prepares and returns a callback function sent to the server.
// The caller of the Tell() is blocked until the server calls this callback function.
// Sets theResponse and notifies the caller by sending to done channel.
func (c *Client) makeResponseCallback(doneChan chan *response, removeCallback <-chan uint64, method string, args []interface{}) dnode.Function {
return dnode.Callback(func(arguments *dnode.Partial) {
// Single argument of response callback.
var resp struct {
Result *dnode.Partial `json:"result"`
Err *Error `json:"error"`
}
// Notify that the callback is finished.
defer func() {
if resp.Err != nil {
c.LocalKite.Log.Debug("Error received from kite: %q method: %q args: %#v err: %s", c.Kite.Name, method, args, resp.Err.Error())
doneChan <- &response{resp.Result, resp.Err}
} else {
doneChan <- &response{resp.Result, nil}
}
}()
// Remove the callback function from the map so we do not
// consume memory for unused callbacks.
if id, ok := <-removeCallback; ok {
c.scrubber.RemoveCallback(id)
}
// We must only get one argument for response callback.
arg, err := arguments.SliceOfLength(1)
if err != nil {
resp.Err = &Error{Type: "invalidResponse", Message: err.Error()}
return
}
// Unmarshal callback response argument.
err = arg[0].Unmarshal(&resp)
if err != nil {
resp.Err = &Error{Type: "invalidResponse", Message: err.Error()}
return
}
// At least result or error must be sent.
keys := make(map[string]interface{})
err = arg[0].Unmarshal(&keys)
_, ok1 := keys["result"]
_, ok2 := keys["error"]
if !ok1 && !ok2 {
resp.Err = &Error{
Type: "invalidResponse",
Message: "Server has sent invalid response arguments",
}
return
}
})
}