-
Notifications
You must be signed in to change notification settings - Fork 1
/
session.go
968 lines (853 loc) · 28.5 KB
/
session.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
package quic
import (
"context"
"crypto/tls"
"errors"
"fmt"
"net"
"sync"
"time"
"github.com/SHARANTANGEDA/mp-quic/ackhandler"
"github.com/SHARANTANGEDA/mp-quic/congestion"
"github.com/SHARANTANGEDA/mp-quic/internal/flowcontrol"
"github.com/SHARANTANGEDA/mp-quic/internal/handshake"
"github.com/SHARANTANGEDA/mp-quic/internal/protocol"
"github.com/SHARANTANGEDA/mp-quic/internal/utils"
"github.com/SHARANTANGEDA/mp-quic/internal/wire"
"github.com/SHARANTANGEDA/mp-quic/qerr"
)
type unpacker interface {
Unpack(publicHeaderBinary []byte, hdr *wire.PublicHeader, data []byte) (*unpackedPacket, error)
}
type receivedPacket struct {
remoteAddr net.Addr
publicHeader *wire.PublicHeader
data []byte
rcvTime time.Time
rcvPconn net.PacketConn
}
var (
errRstStreamOnInvalidStream = errors.New("RST_STREAM received for unknown stream")
errWindowUpdateOnClosedStream = errors.New("WINDOW_UPDATE received for an already closed stream")
)
var (
newCryptoSetup = handshake.NewCryptoSetup
newCryptoSetupClient = handshake.NewCryptoSetupClient
)
type handshakeEvent struct {
encLevel protocol.EncryptionLevel
err error
}
type closeError struct {
err error
remote bool
}
// A Session is a QUIC session
type session struct {
connectionID protocol.ConnectionID
perspective protocol.Perspective
version protocol.VersionNumber
config *Config
paths map[protocol.PathID]*path
closedPaths map[protocol.PathID]bool
pathsLock sync.RWMutex
createPaths bool
streamsMap *streamsMap
rttStats *congestion.RTTStats
remoteRTTs map[protocol.PathID]time.Duration
lastPathsFrameSent time.Time
streamFramer *streamFramer
flowControlManager flowcontrol.FlowControlManager
unpacker unpacker
packer *packetPacker
peerBlocked bool
cryptoSetup handshake.CryptoSetup
receivedPackets chan *receivedPacket
sendingScheduled chan struct{}
// closeChan is used to notify the run loop that it should terminate.
closeChan chan closeError
closeOnce sync.Once
ctx context.Context
ctxCancel context.CancelFunc
// when we receive too many undecryptable packets during the handshake, we send a Public reset
// but only after a time of protocol.PublicResetTimeout has passed
undecryptablePackets []*receivedPacket
receivedTooManyUndecrytablePacketsTime time.Time
// this channel is passed to the CryptoSetup and receives the current encryption level
// it is closed as soon as the handshake is complete
aeadChanged <-chan protocol.EncryptionLevel
handshakeComplete bool
// will be closed as soon as the handshake completes, and receive any error that might occur until then
// it is used to block WaitUntilHandshakeComplete()
handshakeCompleteChan chan error
// handshakeChan receives handshake events and is closed as soon the handshake completes
// the receiving end of this channel is passed to the creator of the session
// it receives at most 3 handshake events: 2 when the encryption level changes, and one error
handshakeChan chan<- handshakeEvent
connectionParameters handshake.ConnectionParametersManager
sessionCreationTime time.Time
lastNetworkActivityTime time.Time
timer *utils.Timer
// keepAlivePingSent stores whether a Ping frame was sent to the peer or not
// it is reset as soon as we receive a packet from the peer
keepAlivePingSent bool
pathTimers chan *path
pathManager *pathManager
pathManagerLaunched bool
scheduler *scheduler
}
var _ Session = &session{}
// newSession makes a new session
func newSession(
conn connection,
pconnMgr *pconnManager,
createPaths bool,
v protocol.VersionNumber,
connectionID protocol.ConnectionID,
sCfg *handshake.ServerConfig,
tlsConf *tls.Config,
config *Config,
) (packetHandler, <-chan handshakeEvent, error) {
s := &session{
paths: make(map[protocol.PathID]*path),
closedPaths: make(map[protocol.PathID]bool),
createPaths: createPaths,
remoteRTTs: make(map[protocol.PathID]time.Duration),
connectionID: connectionID,
perspective: protocol.PerspectiveServer,
version: v,
config: config,
}
return s.setup(sCfg, "", tlsConf, nil, conn, pconnMgr)
}
// declare this as a variable, such that we can it mock it in the tests
var newClientSession = func(
conn connection,
pconnMgr *pconnManager,
createPaths bool,
hostname string,
v protocol.VersionNumber,
connectionID protocol.ConnectionID,
tlsConf *tls.Config,
config *Config,
negotiatedVersions []protocol.VersionNumber,
) (packetHandler, <-chan handshakeEvent, error) {
s := &session{
paths: make(map[protocol.PathID]*path),
closedPaths: make(map[protocol.PathID]bool),
createPaths: createPaths,
remoteRTTs: make(map[protocol.PathID]time.Duration),
connectionID: connectionID,
perspective: protocol.PerspectiveClient,
version: v,
config: config,
}
return s.setup(nil, hostname, tlsConf, negotiatedVersions, conn, pconnMgr)
}
func (s *session) setup(
scfg *handshake.ServerConfig,
hostname string,
tlsConf *tls.Config,
negotiatedVersions []protocol.VersionNumber,
conn connection,
pconnMgr *pconnManager,
) (packetHandler, <-chan handshakeEvent, error) {
aeadChanged := make(chan protocol.EncryptionLevel, 2)
s.aeadChanged = aeadChanged
handshakeChan := make(chan handshakeEvent, 3)
s.handshakeChan = handshakeChan
s.handshakeCompleteChan = make(chan error, 1)
s.receivedPackets = make(chan *receivedPacket, protocol.MaxSessionUnprocessedPackets)
s.closeChan = make(chan closeError, 1)
s.sendingScheduled = make(chan struct{}, 1)
s.undecryptablePackets = make([]*receivedPacket, 0, protocol.MaxUndecryptablePackets)
s.ctx, s.ctxCancel = context.WithCancel(context.Background())
s.timer = utils.NewTimer()
now := time.Now()
s.lastNetworkActivityTime = now
s.sessionCreationTime = now
s.connectionParameters = handshake.NewConnectionParamatersManager(
s.perspective,
s.version,
protocol.ByteCount(s.config.MaxReceiveStreamFlowControlWindow),
protocol.ByteCount(s.config.MaxReceiveConnectionFlowControlWindow),
s.config.IdleTimeout,
)
s.scheduler = &scheduler{
SchedulerName: s.config.Scheduler,
Training: s.config.Training,
AllowedCongestion: s.config.AllowedCongestion,
DumpExp: s.config.DumpExperiences,
OnlineTrainingFile: s.config.OnlineTrainingFile,
ModelOutputDir: s.config.ModelOutputDir,
}
s.scheduler.setup()
if pconnMgr == nil && conn != nil {
// XXX ONLY VALID FOR BENCHMARK!
s.paths[protocol.InitialPathID] = &path{
pathID: protocol.InitialPathID,
sess: s,
conn: conn,
}
s.paths[protocol.InitialPathID].setup(nil)
} else if pconnMgr != nil && conn != nil {
s.pathManager = &pathManager{pconnMgr: pconnMgr, sess: s}
s.pathManager.setup(conn)
} else {
panic("session without conn")
}
// XXX (QDC): use the PathID 0 as the session RTT path
s.rttStats = s.paths[protocol.InitialPathID].rttStats
s.flowControlManager = flowcontrol.NewFlowControlManager(s.connectionParameters, s.rttStats, s.remoteRTTs)
s.streamsMap = newStreamsMap(s.newStream, s.perspective, s.connectionParameters)
s.streamFramer = newStreamFramer(s.streamsMap, s.flowControlManager)
s.pathTimers = make(chan *path)
var err error
if s.perspective == protocol.PerspectiveServer {
cryptoStream, _ := s.GetOrOpenStream(1)
_, _ = s.AcceptStream() // don't expose the crypto stream
verifySourceAddr := func(clientAddr net.Addr, cookie *Cookie) bool {
return s.config.AcceptCookie(clientAddr, cookie)
}
if s.version.UsesTLS() {
s.cryptoSetup, err = handshake.NewCryptoSetupTLS(
"",
s.perspective,
s.version,
tlsConf,
cryptoStream,
aeadChanged,
)
} else {
s.cryptoSetup, err = newCryptoSetup(
s.connectionID,
s.paths[protocol.InitialPathID].conn.RemoteAddr(),
s.version,
scfg,
cryptoStream,
s.connectionParameters,
s.config.Versions,
verifySourceAddr,
aeadChanged,
)
}
} else {
cryptoStream, _ := s.OpenStream()
if s.version.UsesTLS() {
s.cryptoSetup, err = handshake.NewCryptoSetupTLS(
hostname,
s.perspective,
s.version,
tlsConf,
cryptoStream,
aeadChanged,
)
} else {
s.cryptoSetup, err = newCryptoSetupClient(
hostname,
s.connectionID,
s.version,
cryptoStream,
tlsConf,
s.connectionParameters,
aeadChanged,
&handshake.TransportParameters{RequestConnectionIDTruncation: s.config.RequestConnectionIDTruncation, CacheHandshake: s.config.CacheHandshake},
negotiatedVersions,
)
}
}
if err != nil {
return nil, nil, err
}
s.packer = newPacketPacker(s.connectionID,
s.cryptoSetup,
s.connectionParameters,
s.streamFramer,
s.perspective,
s.version,
)
s.unpacker = &packetUnpacker{aead: s.cryptoSetup, version: s.version}
return s, handshakeChan, nil
}
// run the session main loop
func (s *session) run() error {
// Start the crypto stream handler
go func() {
if err := s.cryptoSetup.HandleCryptoStream(); err != nil {
s.Close(err)
}
}()
var closeErr closeError
aeadChanged := s.aeadChanged
var timerPth *path
runLoop:
for {
// Close immediately if requested
select {
case closeErr = <-s.closeChan:
s.pathsLock.RLock()
for _, pth := range s.paths {
select {
case pth.closeChan <- nil:
default:
}
}
s.pathsLock.RUnlock()
break runLoop
default:
}
s.maybeResetTimer()
select {
case closeErr = <-s.closeChan:
// We stop running the path manager, which will close paths
if s.pathManager != nil {
// XXX (QDC): for tests
s.pathManager.closePaths()
s.pathManager.runClosed <- struct{}{}
}
break runLoop
case <-s.timer.Chan():
s.timer.SetRead()
// We do all the interesting stuff after the switch statement, so
// nothing to see here.
case <-s.sendingScheduled:
// We do all the interesting stuff after the switch statement, so
// nothing to see here.
case tmpPth := <-s.pathTimers:
timerPth = tmpPth
// We do all the interesting stuff after the switch statement, so
// nothing to see here.
case p := <-s.receivedPackets:
err := s.handlePacketImpl(p)
if err != nil {
if qErr, ok := err.(*qerr.QuicError); ok && qErr.ErrorCode == qerr.DecryptionFailure {
s.tryQueueingUndecryptablePacket(p)
continue
}
s.closeLocal(err)
continue
}
// This is a bit unclean, but works properly, since the packet always
// begins with the public header and we never copy it.
putPacketBuffer(p.publicHeader.Raw)
case l, ok := <-aeadChanged:
if !ok { // the aeadChanged chan was closed. This means that the handshake is completed.
s.handshakeComplete = true
aeadChanged = nil // prevent this case from ever being selected again
close(s.handshakeChan)
close(s.handshakeCompleteChan)
} else {
s.tryDecryptingQueuedPackets()
s.handshakeChan <- handshakeEvent{encLevel: l}
}
}
now := time.Now()
if timerPth != nil {
if timeout := timerPth.sentPacketHandler.GetAlarmTimeout(); !timeout.IsZero() && timeout.Before(now) {
// This could cause packets to be retransmitted, so check it before trying
// to send packets.
timerPth.sentPacketHandler.OnAlarm()
}
timerPth = nil
}
if !s.pathManagerLaunched && s.handshakeComplete {
// XXX (QDC): for benchmark tests
if s.pathManager != nil {
s.pathManager.handshakeCompleted <- struct{}{}
s.pathManagerLaunched = true
}
}
if s.config.KeepAlive && s.handshakeComplete && time.Since(s.lastNetworkActivityTime) >= s.idleTimeout()/2 {
// send the PING frame since there is no activity in the session
s.pathsLock.RLock()
// XXX (QDC): send PING over all paths, but is it really needed/useful?
for _, tmpPth := range s.paths {
s.packer.QueueControlFrame(&wire.PingFrame{}, tmpPth)
}
s.pathsLock.RUnlock()
s.keepAlivePingSent = true
}
if err := s.sendPacket(); err != nil {
s.closeLocal(err)
}
if !s.receivedTooManyUndecrytablePacketsTime.IsZero() && s.receivedTooManyUndecrytablePacketsTime.Add(protocol.PublicResetTimeout).Before(now) && len(s.undecryptablePackets) != 0 {
s.closeLocal(qerr.Error(qerr.DecryptionFailure, "too many undecryptable packets received"))
}
if !s.handshakeComplete && now.Sub(s.sessionCreationTime) >= s.config.HandshakeTimeout {
s.closeLocal(qerr.Error(qerr.HandshakeTimeout, "Crypto handshake did not complete in time."))
}
if s.handshakeComplete && now.Sub(s.lastNetworkActivityTime) >= s.idleTimeout() {
s.closeLocal(qerr.Error(qerr.NetworkIdleTimeout, "No recent network activity."))
}
// Check if we should send a PATHS frame (currently hardcoded at 200 ms) only when at least one stream is open (not counting streams 1 and 3 never closed...)
if s.handshakeComplete && s.version >= protocol.VersionMP && now.Sub(s.lastPathsFrameSent) >= 200*time.Millisecond && len(s.streamsMap.openStreams) > 2 {
s.schedulePathsFrame()
}
s.garbageCollectStreams()
}
// only send the error the handshakeChan when the handshake is not completed yet
// otherwise this chan will already be closed
if !s.handshakeComplete {
s.handshakeCompleteChan <- closeErr.err
s.handshakeChan <- handshakeEvent{err: closeErr.err}
}
//if s.TrainingProcess != nil {
// defer s.TrainingProcess.Kill()
//}
s.handleCloseError(closeErr)
defer s.ctxCancel()
return closeErr.err
}
func (s *session) Context() context.Context {
return s.ctx
}
func (s *session) maybeResetTimer() {
var deadline time.Time
if s.config.KeepAlive && s.handshakeComplete && !s.keepAlivePingSent {
deadline = s.lastNetworkActivityTime.Add(s.idleTimeout() / 2)
} else {
deadline = s.lastNetworkActivityTime.Add(s.idleTimeout())
}
if !s.handshakeComplete {
handshakeDeadline := s.sessionCreationTime.Add(s.config.HandshakeTimeout)
deadline = utils.MinTime(deadline, handshakeDeadline)
}
if !s.receivedTooManyUndecrytablePacketsTime.IsZero() {
deadline = utils.MinTime(deadline, s.receivedTooManyUndecrytablePacketsTime.Add(protocol.PublicResetTimeout))
}
s.timer.Reset(deadline)
}
func (s *session) idleTimeout() time.Duration {
return s.connectionParameters.GetIdleConnectionStateLifetime()
}
func (s *session) handlePacketImpl(p *receivedPacket) error {
if s.perspective == protocol.PerspectiveClient {
diversificationNonce := p.publicHeader.DiversificationNonce
if len(diversificationNonce) > 0 {
s.cryptoSetup.SetDiversificationNonce(diversificationNonce)
}
}
if p.rcvTime.IsZero() {
// To simplify testing
p.rcvTime = time.Now()
}
s.lastNetworkActivityTime = p.rcvTime
/// XXX (QDC): see if this should be brought at path level too
s.keepAlivePingSent = false
var pth *path
var ok bool
var err error
pth, ok = s.paths[p.publicHeader.PathID]
if !ok {
// It's a new path initiated from remote host
pth, err = s.pathManager.createPathFromRemote(p)
if err != nil {
return err
}
}
return pth.handlePacketImpl(p)
}
func (s *session) handleFrames(fs []wire.Frame, p *path) error {
for _, ff := range fs {
var err error
wire.LogFrame(ff, false)
switch frame := ff.(type) {
case *wire.StreamFrame:
err = s.handleStreamFrame(frame)
case *wire.AckFrame:
err = s.handleAckFrame(frame)
case *wire.ConnectionCloseFrame:
s.closeRemote(qerr.Error(frame.ErrorCode, frame.ReasonPhrase))
case *wire.GoawayFrame:
err = errors.New("unimplemented: handling GOAWAY frames")
case *wire.StopWaitingFrame:
// LeastUnacked is guaranteed to have LeastUnacked > 0
// therefore this will never underflow
p.receivedPacketHandler.SetLowerLimit(frame.LeastUnacked - 1)
case *wire.RstStreamFrame:
err = s.handleRstStreamFrame(frame)
case *wire.WindowUpdateFrame:
err = s.handleWindowUpdateFrame(frame)
case *wire.BlockedFrame:
s.peerBlocked = true
case *wire.PingFrame:
case *wire.AddAddressFrame:
if s.pathManager != nil {
err = s.pathManager.handleAddAddressFrame(frame)
s.schedulePathsFrame()
}
case *wire.ClosePathFrame:
s.handleClosePathFrame(frame)
case *wire.PathsFrame:
// So far, do nothing
s.pathsLock.RLock()
for i := 0; i < int(frame.NumPaths); i++ {
s.remoteRTTs[frame.PathIDs[i]] = frame.RemoteRTTs[i]
if frame.RemoteRTTs[i] >= 30*time.Minute {
// Path is potentially failed
s.paths[frame.PathIDs[i]].potentiallyFailed.Set(true)
}
}
s.pathsLock.RUnlock()
default:
return errors.New("Session BUG: unexpected frame type")
}
if err != nil {
switch err {
case ackhandler.ErrDuplicateOrOutOfOrderAck:
// Can happen e.g. when packets thought missing arrive late
case errRstStreamOnInvalidStream:
// Can happen when RST_STREAMs arrive early or late (?)
utils.Errorf("Ignoring error in session: %s", err.Error())
case errWindowUpdateOnClosedStream:
// Can happen when we already sent the last StreamFrame with the FinBit, but the client already sent a WindowUpdate for this Stream
default:
return err
}
}
}
return nil
}
// handlePacket is called by the server with a new packet
func (s *session) handlePacket(p *receivedPacket) {
// Discard packets once the amount of queued packets is larger than
// the channel size, protocol.MaxSessionUnprocessedPackets
// XXX (QDC): Multipath still rely on one buffer for the connection;
// in the future, it might make more sense to first buffer in the
// path and then give it to the connection...
select {
case s.receivedPackets <- p:
default:
}
}
func (s *session) handleStreamFrame(frame *wire.StreamFrame) error {
str, err := s.streamsMap.GetOrOpenStream(frame.StreamID)
if err != nil {
return err
}
if str == nil {
// Stream is closed and already garbage collected
// ignore this StreamFrame
return nil
}
if frame.FinBit {
// Receiving end of stream, print stats about it
// Print client statistics about its paths
s.pathsLock.RLock()
utils.Infof("Info for stream %x of %x", frame.StreamID, s.connectionID)
for pathID, pth := range s.paths {
sntPkts, sntRetrans, sntLost := pth.sentPacketHandler.GetStatistics()
rcvPkts := pth.receivedPacketHandler.GetStatistics()
utils.Infof("Path %x: sent %d retrans %d lost %d; rcv %d", pathID, sntPkts, sntRetrans, sntLost, rcvPkts)
}
s.pathsLock.RUnlock()
}
return str.AddStreamFrame(frame)
}
func (s *session) handleWindowUpdateFrame(frame *wire.WindowUpdateFrame) error {
if frame.StreamID != 0 {
str, err := s.streamsMap.GetOrOpenStream(frame.StreamID)
if err != nil {
return err
}
if str == nil {
return errWindowUpdateOnClosedStream
}
}
_, err := s.flowControlManager.UpdateWindow(frame.StreamID, frame.ByteOffset)
return err
}
func (s *session) handleRstStreamFrame(frame *wire.RstStreamFrame) error {
str, err := s.streamsMap.GetOrOpenStream(frame.StreamID)
if err != nil {
return err
}
if str == nil {
return errRstStreamOnInvalidStream
}
str.RegisterRemoteError(fmt.Errorf("RST_STREAM received with code %d", frame.ErrorCode))
return s.flowControlManager.ResetStream(frame.StreamID, frame.ByteOffset)
}
func (s *session) handleAckFrame(frame *wire.AckFrame) error {
pth := s.paths[frame.PathID]
err := pth.sentPacketHandler.ReceivedAck(frame, pth.lastRcvdPacketNumber, pth.lastNetworkActivityTime)
if err == nil && pth.rttStats.SmoothedRTT() > s.rttStats.SmoothedRTT() {
// Update the session RTT, which comes to take the max RTT on all paths
s.rttStats.UpdateSessionRTT(pth.rttStats.SmoothedRTT())
}
return err
}
func (s *session) handleClosePathFrame(frame *wire.ClosePathFrame) error {
if err := s.closePath(frame.PathID, false); err != nil {
return err
}
// This is safe because closePath checks this
pth := s.paths[frame.PathID]
// This allows the host to retransmit packets sent on this path that were not acked by the ClosePath frame
return pth.sentPacketHandler.ReceivedClosePath(frame, pth.lastRcvdPacketNumber, pth.lastNetworkActivityTime)
}
func (s *session) closePath(pthID protocol.PathID, sendClosePathFrame bool) error {
s.pathsLock.RLock()
defer s.pathsLock.RUnlock()
pth, ok := s.paths[pthID]
if !ok {
return errors.New("Unknown path ID to close")
}
_, ok = s.closedPaths[pthID]
if ok {
// XXX (QDC) Path already closed, should we raise an error?
return nil
}
if s.pathManager != nil {
s.pathManager.closePath(pthID)
}
s.closedPaths[pthID] = true
if !sendClosePathFrame {
return nil
}
pth.sentPacketHandler.SetInflightAsLost()
closePathFrame := pth.GetClosePathFrame()
s.streamFramer.AddClosePathFrameForTransmission(closePathFrame)
return nil
}
func (s *session) schedulePathsFrame() {
s.lastPathsFrameSent = time.Now()
s.streamFramer.AddPathsFrameForTransmission(s)
}
func (s *session) closePaths() {
// XXX (QDC): still for tests
if s.pathManager != nil {
s.pathManager.closePaths()
if s.pathManager.pconnMgr == nil {
// XXX For tests
s.paths[0].conn.Close()
}
} else {
s.pathsLock.RLock()
for _, pth := range s.paths {
select {
case pth.closeChan <- nil:
default:
// Don't block
}
}
s.pathsLock.RUnlock()
}
// wait for the run loops of path to finish
for _, pth := range s.paths {
<-pth.runClosed
}
}
func (s *session) closeLocal(e error) {
s.closeOnce.Do(func() {
s.closeChan <- closeError{err: e, remote: false}
})
}
func (s *session) closeRemote(e error) {
s.closeOnce.Do(func() {
s.closeChan <- closeError{err: e, remote: true}
})
}
// Close the connection. If err is nil it will be set to qerr.PeerGoingAway.
// It waits until the run loop has stopped before returning
func (s *session) Close(e error) error {
s.closeLocal(e)
<-s.ctx.Done()
return nil
}
func (s *session) handleCloseError(closeErr closeError) error {
if closeErr.err == nil {
closeErr.err = qerr.PeerGoingAway
}
var quicErr *qerr.QuicError
var ok bool
if quicErr, ok = closeErr.err.(*qerr.QuicError); !ok {
quicErr = qerr.ToQuicError(closeErr.err)
}
// Don't log 'normal' reasons
if quicErr.ErrorCode == qerr.PeerGoingAway || quicErr.ErrorCode == qerr.NetworkIdleTimeout {
utils.Infof("Closing connection %x", s.connectionID)
} else {
utils.Errorf("Closing session with error: %s", closeErr.err.Error())
}
s.streamsMap.CloseWithError(quicErr)
if closeErr.err == errCloseSessionForNewVersion {
return nil
}
s.closePaths()
// If this is a remote close we're done here
if closeErr.remote {
return nil
}
if quicErr.ErrorCode == qerr.DecryptionFailure ||
quicErr == handshake.ErrHOLExperiment ||
quicErr == handshake.ErrNSTPExperiment {
// XXX seems reasonable to send public reset on path ID 0, but this can change
return s.sendPublicReset(s.paths[0].lastRcvdPacketNumber)
}
return s.sendConnectionClose(quicErr)
}
func (s *session) sendPacket() error {
return s.scheduler.sendPacket(s)
}
func (s *session) sendPackedPacket(packet *packedPacket, pth *path) error {
defer putPacketBuffer(packet.raw)
err := pth.sentPacketHandler.SentPacket(&ackhandler.Packet{
PacketNumber: packet.number,
Frames: packet.frames,
Length: protocol.ByteCount(len(packet.raw)),
EncryptionLevel: packet.encryptionLevel,
})
if err != nil {
return err
}
pth.sentPacket <- struct{}{}
s.logPacket(packet, pth.pathID)
return pth.conn.Write(packet.raw)
}
func (s *session) sendConnectionClose(quicErr *qerr.QuicError) error {
s.paths[0].SetLeastUnacked(s.paths[0].sentPacketHandler.GetLeastUnacked())
packet, err := s.packer.PackConnectionClose(&wire.ConnectionCloseFrame{
ErrorCode: quicErr.ErrorCode,
ReasonPhrase: quicErr.ErrorMessage,
}, s.paths[0])
if err != nil {
return err
}
s.logPacket(packet, protocol.InitialPathID)
// XXX (QDC): seems reasonable to send on pathID 0, but this can change
return s.paths[protocol.InitialPathID].conn.Write(packet.raw)
}
func (s *session) sendPing(pth *path) error {
packet, err := s.packer.PackPing(&wire.PingFrame{}, pth)
if err != nil {
return err
}
if packet == nil {
return errors.New("Session BUG: expected ping packet not to be nil")
}
return s.sendPackedPacket(packet, pth)
}
func (s *session) logPacket(packet *packedPacket, pathID protocol.PathID) {
if !utils.Debug() {
// We don't need to allocate the slices for calling the format functions
return
}
utils.Debugf("Time: %d", time.Since(s.sessionCreationTime).Nanoseconds()/1000000)
utils.Debugf("Path: %d, Cong: %d", pathID, s.paths[pathID].sentPacketHandler.GetCongestionWindow())
utils.Debugf("Path: %d, BytesInFlight: %d", pathID, s.paths[pathID].sentPacketHandler.GetBytesInFlight())
utils.Debugf("-> Sending packet 0x%x (%d bytes) for connection %x on path %x, %s", packet.number, len(packet.raw), s.connectionID, pathID, packet.encryptionLevel)
for _, frame := range packet.frames {
wire.LogFrame(frame, true)
}
}
// GetOrOpenStream either returns an existing stream, a newly opened stream, or nil if a stream with the provided ID is already closed.
// Newly opened streams should only originate from the client. To open a stream from the server, OpenStream should be used.
func (s *session) GetOrOpenStream(id protocol.StreamID) (Stream, error) {
str, err := s.streamsMap.GetOrOpenStream(id)
if str != nil {
return str, err
}
// make sure to return an actual nil value here, not an Stream with value nil
return nil, err
}
// AcceptStream returns the next stream openend by the peer
func (s *session) AcceptStream() (Stream, error) {
return s.streamsMap.AcceptStream()
}
// OpenStream opens a stream
func (s *session) OpenStream() (Stream, error) {
return s.streamsMap.OpenStream()
}
func (s *session) OpenStreamSync() (Stream, error) {
return s.streamsMap.OpenStreamSync()
}
func (s *session) WaitUntilHandshakeComplete() error {
return <-s.handshakeCompleteChan
}
func (s *session) queueResetStreamFrame(id protocol.StreamID, offset protocol.ByteCount) {
s.packer.QueueControlFrame(&wire.RstStreamFrame{
StreamID: id,
ByteOffset: offset,
}, s.paths[protocol.InitialPathID])
s.scheduleSending()
}
func (s *session) newStream(id protocol.StreamID) *stream {
// TODO: find a better solution for determining which streams contribute to connection level flow control
if id == 1 || id == 3 {
s.flowControlManager.NewStream(id, false)
} else {
s.flowControlManager.NewStream(id, true)
}
return newStream(id, s.scheduleSending, s.queueResetStreamFrame, s.flowControlManager)
}
// garbageCollectStreams goes through all streams and removes EOF'ed streams
// from the streams map.
func (s *session) garbageCollectStreams() {
s.streamsMap.Iterate(func(str *stream) (bool, error) {
id := str.StreamID()
if str.finished() {
err := s.streamsMap.RemoveStream(id)
if err != nil {
return false, err
}
s.flowControlManager.RemoveStream(id)
}
return true, nil
})
}
func (s *session) sendPublicReset(rejectedPacketNumber protocol.PacketNumber) error {
utils.Infof("Sending public reset for connection %x, packet number %d", s.connectionID, rejectedPacketNumber)
// XXX: seems reasonable to send on the pathID 0, but this can change
return s.paths[protocol.InitialPathID].conn.Write(wire.WritePublicReset(s.connectionID, rejectedPacketNumber, 0))
}
// scheduleSending signals that we have data for sending
func (s *session) scheduleSending() {
select {
case s.sendingScheduled <- struct{}{}:
default:
}
}
func (s *session) tryQueueingUndecryptablePacket(p *receivedPacket) {
if s.handshakeComplete {
utils.Debugf("Received undecryptable packet from %s after the handshake: %#v, %d bytes data", p.remoteAddr.String(), p.publicHeader, len(p.data))
return
}
if len(s.undecryptablePackets)+1 > protocol.MaxUndecryptablePackets {
// if this is the first time the undecryptablePackets runs full, start the timer to send a Public Reset
if s.receivedTooManyUndecrytablePacketsTime.IsZero() {
s.receivedTooManyUndecrytablePacketsTime = time.Now()
s.maybeResetTimer()
}
utils.Infof("Dropping undecrytable packet 0x%x (undecryptable packet queue full)", p.publicHeader.PacketNumber)
return
}
utils.Infof("Queueing packet 0x%x for later decryption", p.publicHeader.PacketNumber)
s.undecryptablePackets = append(s.undecryptablePackets, p)
}
func (s *session) tryDecryptingQueuedPackets() {
for _, p := range s.undecryptablePackets {
s.handlePacket(p)
}
s.undecryptablePackets = s.undecryptablePackets[:0]
}
func (s *session) getWindowUpdateFrames(force bool) []*wire.WindowUpdateFrame {
updates := s.flowControlManager.GetWindowUpdates(force)
res := make([]*wire.WindowUpdateFrame, len(updates))
for i, u := range updates {
res[i] = &wire.WindowUpdateFrame{StreamID: u.StreamID, ByteOffset: u.Offset}
}
return res
}
func (s *session) LocalAddr() net.Addr {
// XXX (QDC): do it like with MPTCP (master initial path), what if it is closed?
return s.paths[0].conn.LocalAddr()
}
// RemoteAddr returns the net.Addr of the client
func (s *session) RemoteAddr() net.Addr {
// XXX (QDC): do it like with MPTCP (master initial path), what if it is closed?
return s.paths[0].conn.RemoteAddr()
}
func (s *session) GetVersion() protocol.VersionNumber {
return s.version
}