-
-
Notifications
You must be signed in to change notification settings - Fork 625
/
client.go
1869 lines (1727 loc) · 49 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 torrent
import (
"bufio"
"context"
"crypto/rand"
"encoding/binary"
"encoding/hex"
"errors"
"expvar"
"fmt"
"io"
"math"
"net"
"net/http"
"net/netip"
"sort"
"strconv"
"time"
"github.com/anacrolix/chansync"
"github.com/anacrolix/chansync/events"
"github.com/anacrolix/dht/v2"
"github.com/anacrolix/dht/v2/krpc"
. "github.com/anacrolix/generics"
g "github.com/anacrolix/generics"
"github.com/anacrolix/log"
"github.com/anacrolix/missinggo/v2"
"github.com/anacrolix/missinggo/v2/bitmap"
"github.com/anacrolix/missinggo/v2/pproffd"
"github.com/anacrolix/sync"
"github.com/cespare/xxhash"
"github.com/davecgh/go-spew/spew"
"github.com/dustin/go-humanize"
gbtree "github.com/google/btree"
"github.com/pion/webrtc/v4"
"github.com/anacrolix/torrent/bencode"
"github.com/anacrolix/torrent/internal/check"
"github.com/anacrolix/torrent/internal/limiter"
"github.com/anacrolix/torrent/iplist"
"github.com/anacrolix/torrent/metainfo"
"github.com/anacrolix/torrent/mse"
pp "github.com/anacrolix/torrent/peer_protocol"
request_strategy "github.com/anacrolix/torrent/request-strategy"
"github.com/anacrolix/torrent/storage"
"github.com/anacrolix/torrent/tracker"
"github.com/anacrolix/torrent/types/infohash"
infohash_v2 "github.com/anacrolix/torrent/types/infohash-v2"
"github.com/anacrolix/torrent/webtorrent"
)
// Clients contain zero or more Torrents. A Client manages a blocklist, the
// TCP/UDP protocol ports, and DHT as desired.
type Client struct {
// An aggregate of stats over all connections. First in struct to ensure 64-bit alignment of
// fields. See #262.
connStats ConnStats
_mu lockWithDeferreds
event sync.Cond
closed chansync.SetOnce
config *ClientConfig
logger log.Logger
peerID PeerID
defaultStorage *storage.Client
onClose []func()
dialers []Dialer
listeners []Listener
dhtServers []DhtServer
ipBlockList iplist.Ranger
// Set of addresses that have our client ID. This intentionally will
// include ourselves if we end up trying to connect to our own address
// through legitimate channels.
dopplegangerAddrs map[string]struct{}
badPeerIPs map[netip.Addr]struct{}
// All Torrents once.
torrents map[*Torrent]struct{}
// All Torrents by their short infohashes (v1 if valid, and truncated v2 if valid). Unless the
// info has been obtained, there's no knowing if an infohash belongs to v1 or v2.
torrentsByShortHash map[InfoHash]*Torrent
pieceRequestOrder map[interface{}]*request_strategy.PieceRequestOrder
acceptLimiter map[ipStr]int
numHalfOpen int
websocketTrackers websocketTrackers
activeAnnounceLimiter limiter.Instance
httpClient *http.Client
clientHolepunchAddrSets
defaultLocalLtepProtocolMap LocalLtepProtocolMap
upnpMappings []*upnpMapping
}
type ipStr string
func (cl *Client) BadPeerIPs() (ips []string) {
cl.rLock()
ips = cl.badPeerIPsLocked()
cl.rUnlock()
return
}
func (cl *Client) badPeerIPsLocked() (ips []string) {
ips = make([]string, len(cl.badPeerIPs))
i := 0
for k := range cl.badPeerIPs {
ips[i] = k.String()
i += 1
}
return
}
func (cl *Client) PeerID() PeerID {
return cl.peerID
}
// Returns the port number for the first listener that has one. No longer assumes that all port
// numbers are the same, due to support for custom listeners. Returns zero if no port number is
// found.
func (cl *Client) LocalPort() (port int) {
for i := 0; i < len(cl.listeners); i += 1 {
if port = addrPortOrZero(cl.listeners[i].Addr()); port != 0 {
return
}
}
return
}
func writeDhtServerStatus(w io.Writer, s DhtServer) {
dhtStats := s.Stats()
fmt.Fprintf(w, " ID: %x\n", s.ID())
spew.Fdump(w, dhtStats)
}
// Writes out a human readable status of the client, such as for writing to a
// HTTP status page.
func (cl *Client) WriteStatus(_w io.Writer) {
cl.rLock()
defer cl.rUnlock()
w := bufio.NewWriter(_w)
defer w.Flush()
fmt.Fprintf(w, "Listen port: %d\n", cl.LocalPort())
fmt.Fprintf(w, "Peer ID: %+q\n", cl.PeerID())
fmt.Fprintf(w, "Extension bits: %v\n", cl.config.Extensions)
fmt.Fprintf(w, "Announce key: %x\n", cl.announceKey())
fmt.Fprintf(w, "Banned IPs: %d\n", len(cl.badPeerIPsLocked()))
cl.eachDhtServer(func(s DhtServer) {
fmt.Fprintf(w, "%s DHT server at %s:\n", s.Addr().Network(), s.Addr().String())
writeDhtServerStatus(w, s)
})
dumpStats(w, cl.statsLocked())
torrentsSlice := cl.torrentsAsSlice()
fmt.Fprintf(w, "# Torrents: %d\n", len(torrentsSlice))
fmt.Fprintln(w)
sort.Slice(torrentsSlice, func(l, r int) bool {
return torrentsSlice[l].canonicalShortInfohash().AsString() < torrentsSlice[r].canonicalShortInfohash().AsString()
})
for _, t := range torrentsSlice {
if t.name() == "" {
fmt.Fprint(w, "<unknown name>")
} else {
fmt.Fprint(w, t.name())
}
fmt.Fprint(w, "\n")
if t.info != nil {
fmt.Fprintf(
w,
"%f%% of %d bytes (%s)",
100*(1-float64(t.bytesMissingLocked())/float64(t.info.TotalLength())),
t.length(),
humanize.Bytes(uint64(t.length())))
} else {
w.WriteString("<missing metainfo>")
}
fmt.Fprint(w, "\n")
t.writeStatus(w)
fmt.Fprintln(w)
}
}
func (cl *Client) initLogger() {
logger := cl.config.Logger
if logger.IsZero() {
logger = log.Default
}
if cl.config.Debug {
logger = logger.WithFilterLevel(log.Debug)
}
cl.logger = logger.WithValues(cl)
}
func (cl *Client) announceKey() int32 {
return int32(binary.BigEndian.Uint32(cl.peerID[16:20]))
}
// Initializes a bare minimum Client. *Client and *ClientConfig must not be nil.
func (cl *Client) init(cfg *ClientConfig) {
cl.config = cfg
g.MakeMap(&cl.dopplegangerAddrs)
g.MakeMap(&cl.torrentsByShortHash)
g.MakeMap(&cl.torrents)
cl.torrentsByShortHash = make(map[metainfo.Hash]*Torrent)
cl.activeAnnounceLimiter.SlotsPerKey = 2
cl.event.L = cl.locker()
cl.ipBlockList = cfg.IPBlocklist
cl.httpClient = &http.Client{
Transport: cfg.WebTransport,
}
if cl.httpClient.Transport == nil {
cl.httpClient.Transport = &http.Transport{
Proxy: cfg.HTTPProxy,
DialContext: cfg.HTTPDialContext,
// I think this value was observed from some webseeds. It seems reasonable to extend it
// to other uses of HTTP from the client.
MaxConnsPerHost: 10,
}
}
cl.defaultLocalLtepProtocolMap = makeBuiltinLtepProtocols(!cfg.DisablePEX)
}
func NewClient(cfg *ClientConfig) (cl *Client, err error) {
if cfg == nil {
cfg = NewDefaultClientConfig()
cfg.ListenPort = 0
}
cl = &Client{}
cl.init(cfg)
go cl.acceptLimitClearer()
cl.initLogger()
//cl.logger.Levelf(log.Critical, "test after init")
defer func() {
if err != nil {
cl.Close()
cl = nil
}
}()
storageImpl := cfg.DefaultStorage
if storageImpl == nil {
// We'd use mmap by default but HFS+ doesn't support sparse files.
storageImplCloser := storage.NewFile(cfg.DataDir)
cl.onClose = append(cl.onClose, func() {
if err := storageImplCloser.Close(); err != nil {
cl.logger.Printf("error closing default storage: %s", err)
}
})
storageImpl = storageImplCloser
}
cl.defaultStorage = storage.NewClient(storageImpl)
if cfg.PeerID != "" {
missinggo.CopyExact(&cl.peerID, cfg.PeerID)
} else {
o := copy(cl.peerID[:], cfg.Bep20)
_, err = rand.Read(cl.peerID[o:])
if err != nil {
panic("error generating peer id")
}
}
builtinListenNetworks := cl.listenNetworks()
sockets, err := listenAll(
builtinListenNetworks,
cl.config.ListenHost,
cl.config.ListenPort,
cl.firewallCallback,
cl.logger,
)
if err != nil {
return
}
if len(sockets) == 0 && len(builtinListenNetworks) != 0 {
err = fmt.Errorf("no sockets created for networks %v", builtinListenNetworks)
return
}
// Check for panics.
cl.LocalPort()
for _, _s := range sockets {
s := _s // Go is fucking retarded.
cl.onClose = append(cl.onClose, func() { go s.Close() })
if peerNetworkEnabled(parseNetworkString(s.Addr().Network()), cl.config) {
cl.dialers = append(cl.dialers, s)
cl.listeners = append(cl.listeners, s)
if cl.config.AcceptPeerConnections {
go cl.acceptConnections(s)
}
}
}
go cl.forwardPort()
if !cfg.NoDHT {
for _, s := range sockets {
if pc, ok := s.(net.PacketConn); ok {
ds, err := cl.NewAnacrolixDhtServer(pc)
if err != nil {
panic(err)
}
cl.dhtServers = append(cl.dhtServers, AnacrolixDhtServerWrapper{ds})
cl.onClose = append(cl.onClose, func() { ds.Close() })
}
}
}
cl.websocketTrackers = websocketTrackers{
PeerId: cl.peerID,
Logger: cl.logger.WithNames("websocketTrackers"),
GetAnnounceRequest: func(
event tracker.AnnounceEvent, infoHash [20]byte,
) (
tracker.AnnounceRequest, error,
) {
cl.lock()
defer cl.unlock()
t, ok := cl.torrentsByShortHash[infoHash]
if !ok {
return tracker.AnnounceRequest{}, errors.New("torrent not tracked by client")
}
return t.announceRequest(event, infoHash), nil
},
Proxy: cl.config.HTTPProxy,
WebsocketTrackerHttpHeader: cl.config.WebsocketTrackerHttpHeader,
ICEServers: cl.ICEServers(),
DialContext: cl.config.TrackerDialContext,
OnConn: func(dc webtorrent.DataChannelConn, dcc webtorrent.DataChannelContext) {
cl.lock()
defer cl.unlock()
t, ok := cl.torrentsByShortHash[dcc.InfoHash]
if !ok {
cl.logger.WithDefaultLevel(log.Warning).Printf(
"got webrtc conn for unloaded torrent with infohash %x",
dcc.InfoHash,
)
dc.Close()
return
}
go t.onWebRtcConn(dc, dcc)
},
}
return
}
func (cl *Client) AddDhtServer(d DhtServer) {
cl.dhtServers = append(cl.dhtServers, d)
}
// Adds a Dialer for outgoing connections. All Dialers are used when attempting to connect to a
// given address for any Torrent.
func (cl *Client) AddDialer(d Dialer) {
cl.lock()
defer cl.unlock()
cl.dialers = append(cl.dialers, d)
for t := range cl.torrents {
t.openNewConns()
}
}
func (cl *Client) Listeners() []Listener {
return cl.listeners
}
// Registers a Listener, and starts Accepting on it. You must Close Listeners provided this way
// yourself.
func (cl *Client) AddListener(l Listener) {
cl.listeners = append(cl.listeners, l)
if cl.config.AcceptPeerConnections {
go cl.acceptConnections(l)
}
}
func (cl *Client) firewallCallback(net.Addr) bool {
cl.rLock()
block := !cl.wantConns() || !cl.config.AcceptPeerConnections
cl.rUnlock()
if block {
torrent.Add("connections firewalled", 1)
} else {
torrent.Add("connections not firewalled", 1)
}
return block
}
func (cl *Client) listenOnNetwork(n network) bool {
if n.Ipv4 && cl.config.DisableIPv4 {
return false
}
if n.Ipv6 && cl.config.DisableIPv6 {
return false
}
if n.Tcp && cl.config.DisableTCP {
return false
}
if n.Udp && cl.config.DisableUTP && cl.config.NoDHT {
return false
}
return true
}
func (cl *Client) listenNetworks() (ns []network) {
for _, n := range allPeerNetworks {
if cl.listenOnNetwork(n) {
ns = append(ns, n)
}
}
return
}
// Creates an anacrolix/dht Server, as would be done internally in NewClient, for the given conn.
func (cl *Client) NewAnacrolixDhtServer(conn net.PacketConn) (s *dht.Server, err error) {
logger := cl.logger.WithNames("dht", conn.LocalAddr().String())
cfg := dht.ServerConfig{
IPBlocklist: cl.ipBlockList,
Conn: conn,
OnAnnouncePeer: cl.onDHTAnnouncePeer,
PublicIP: func() net.IP {
if connIsIpv6(conn) && cl.config.PublicIp6 != nil {
return cl.config.PublicIp6
}
return cl.config.PublicIp4
}(),
StartingNodes: cl.config.DhtStartingNodes(conn.LocalAddr().Network()),
OnQuery: cl.config.DHTOnQuery,
Logger: logger,
}
if f := cl.config.ConfigureAnacrolixDhtServer; f != nil {
f(&cfg)
}
s, err = dht.NewServer(&cfg)
if err == nil {
go s.TableMaintainer()
}
return
}
func (cl *Client) Closed() events.Done {
return cl.closed.Done()
}
func (cl *Client) eachDhtServer(f func(DhtServer)) {
for _, ds := range cl.dhtServers {
f(ds)
}
}
// Stops the client. All connections to peers are closed and all activity will come to a halt.
func (cl *Client) Close() (errs []error) {
var closeGroup sync.WaitGroup // For concurrent cleanup to complete before returning
cl.lock()
for t := range cl.torrents {
err := t.close(&closeGroup)
if err != nil {
errs = append(errs, err)
}
}
cl.clearPortMappings()
for i := range cl.onClose {
cl.onClose[len(cl.onClose)-1-i]()
}
cl.closed.Set()
cl.unlock()
cl.event.Broadcast()
closeGroup.Wait() // defer is LIFO. We want to Wait() after cl.unlock()
return
}
func (cl *Client) ipBlockRange(ip net.IP) (r iplist.Range, blocked bool) {
if cl.ipBlockList == nil {
return
}
return cl.ipBlockList.Lookup(ip)
}
func (cl *Client) ipIsBlocked(ip net.IP) bool {
_, blocked := cl.ipBlockRange(ip)
return blocked
}
func (cl *Client) wantConns() bool {
if cl.config.AlwaysWantConns {
return true
}
for t := range cl.torrents {
if t.wantIncomingConns() {
return true
}
}
return false
}
// TODO: Apply filters for non-standard networks, particularly rate-limiting.
func (cl *Client) rejectAccepted(conn net.Conn) error {
if !cl.wantConns() {
return errors.New("don't want conns right now")
}
ra := conn.RemoteAddr()
if rip := addrIpOrNil(ra); rip != nil {
if cl.config.DisableIPv4Peers && rip.To4() != nil {
return errors.New("ipv4 peers disabled")
}
if cl.config.DisableIPv4 && len(rip) == net.IPv4len {
return errors.New("ipv4 disabled")
}
if cl.config.DisableIPv6 && len(rip) == net.IPv6len && rip.To4() == nil {
return errors.New("ipv6 disabled")
}
if cl.rateLimitAccept(rip) {
return errors.New("source IP accepted rate limited")
}
if cl.badPeerIPPort(rip, missinggo.AddrPort(ra)) {
return errors.New("bad source addr")
}
}
return nil
}
func (cl *Client) acceptConnections(l Listener) {
for {
conn, err := l.Accept()
torrent.Add("client listener accepts", 1)
if err == nil {
holepunchAddr, holepunchErr := addrPortFromPeerRemoteAddr(conn.RemoteAddr())
if holepunchErr == nil {
cl.lock()
if g.MapContains(cl.undialableWithoutHolepunch, holepunchAddr) {
setAdd(&cl.accepted, holepunchAddr)
}
if g.MapContains(
cl.undialableWithoutHolepunchDialedAfterHolepunchConnect,
holepunchAddr,
) {
setAdd(&cl.probablyOnlyConnectedDueToHolepunch, holepunchAddr)
}
cl.unlock()
}
}
conn = pproffd.WrapNetConn(conn)
cl.rLock()
closed := cl.closed.IsSet()
var reject error
if !closed && conn != nil {
reject = cl.rejectAccepted(conn)
}
cl.rUnlock()
if closed {
if conn != nil {
conn.Close()
}
return
}
if err != nil {
log.Fmsg("error accepting connection: %s", err).LogLevel(log.Debug, cl.logger)
continue
}
go func() {
if reject != nil {
torrent.Add("rejected accepted connections", 1)
cl.logger.LazyLog(log.Debug, func() log.Msg {
return log.Fmsg("rejecting accepted conn: %v", reject)
})
conn.Close()
} else {
go cl.incomingConnection(conn)
}
cl.logger.LazyLog(log.Debug, func() log.Msg {
return log.Fmsg("accepted %q connection at %q from %q",
l.Addr().Network(),
conn.LocalAddr(),
conn.RemoteAddr(),
)
})
torrent.Add(fmt.Sprintf("accepted conn remote IP len=%d", len(addrIpOrNil(conn.RemoteAddr()))), 1)
torrent.Add(fmt.Sprintf("accepted conn network=%s", conn.RemoteAddr().Network()), 1)
torrent.Add(fmt.Sprintf("accepted on %s listener", l.Addr().Network()), 1)
}()
}
}
// Creates the PeerConn.connString for a regular net.Conn PeerConn.
func regularNetConnPeerConnConnString(nc net.Conn) string {
return fmt.Sprintf("%s-%s", nc.LocalAddr(), nc.RemoteAddr())
}
func (cl *Client) incomingConnection(nc net.Conn) {
defer nc.Close()
if tc, ok := nc.(*net.TCPConn); ok {
tc.SetLinger(0)
}
remoteAddr, _ := tryIpPortFromNetAddr(nc.RemoteAddr())
c := cl.newConnection(
nc,
newConnectionOpts{
outgoing: false,
remoteAddr: nc.RemoteAddr(),
localPublicAddr: cl.publicAddr(remoteAddr.IP),
network: nc.RemoteAddr().Network(),
connString: regularNetConnPeerConnConnString(nc),
})
c.Discovery = PeerSourceIncoming
cl.runReceivedConn(c)
cl.lock()
c.close()
cl.unlock()
}
// Returns a handle to the given torrent, if it's present in the client.
func (cl *Client) Torrent(ih metainfo.Hash) (t *Torrent, ok bool) {
cl.rLock()
defer cl.rUnlock()
t, ok = cl.torrentsByShortHash[ih]
return
}
type DialResult struct {
Conn net.Conn
Dialer Dialer
}
func countDialResult(err error) {
if err == nil {
torrent.Add("successful dials", 1)
} else {
torrent.Add("unsuccessful dials", 1)
}
}
func reducedDialTimeout(minDialTimeout, max time.Duration, halfOpenLimit, pendingPeers int) (ret time.Duration) {
ret = max / time.Duration((pendingPeers+halfOpenLimit)/halfOpenLimit)
if ret < minDialTimeout {
ret = minDialTimeout
}
return
}
// Returns whether an address is known to connect to a client with our own ID.
func (cl *Client) dopplegangerAddr(addr string) bool {
_, ok := cl.dopplegangerAddrs[addr]
return ok
}
// Returns a connection over UTP or TCP, whichever is first to connect.
func (cl *Client) dialFirst(ctx context.Context, addr string) (res DialResult) {
return DialFirst(ctx, addr, cl.dialers)
}
// Returns a connection over UTP or TCP, whichever is first to connect.
func DialFirst(ctx context.Context, addr string, dialers []Dialer) (res DialResult) {
pool := dialPool{
addr: addr,
}
defer pool.startDrainer()
for _, _s := range dialers {
pool.add(ctx, _s)
}
return pool.getFirst()
}
func dialFromSocket(ctx context.Context, s Dialer, addr string) net.Conn {
c, err := s.Dial(ctx, addr)
if err != nil {
log.ContextLogger(ctx).Levelf(log.Debug, "error dialing %q: %v", addr, err)
}
// This is a bit optimistic, but it looks non-trivial to thread this through the proxy code. Set
// it now in case we close the connection forthwith. Note this is also done in the TCP dialer
// code to increase the chance it's done.
if tc, ok := c.(*net.TCPConn); ok {
tc.SetLinger(0)
}
countDialResult(err)
return c
}
func (cl *Client) noLongerHalfOpen(t *Torrent, addr string, attemptKey outgoingConnAttemptKey) {
path := t.getHalfOpenPath(addr, attemptKey)
if !path.Exists() {
panic("should exist")
}
path.Delete()
cl.numHalfOpen--
if cl.numHalfOpen < 0 {
panic("should not be possible")
}
for t := range cl.torrents {
t.openNewConns()
}
}
func (cl *Client) countHalfOpenFromTorrents() (count int) {
for t := range cl.torrents {
count += t.numHalfOpenAttempts()
}
return
}
// Performs initiator handshakes and returns a connection. Returns nil *PeerConn if no connection
// for valid reasons.
func (cl *Client) initiateProtocolHandshakes(
ctx context.Context,
nc net.Conn,
t *Torrent,
encryptHeader bool,
newConnOpts newConnectionOpts,
) (
c *PeerConn, err error,
) {
c = cl.newConnection(nc, newConnOpts)
c.headerEncrypted = encryptHeader
ctx, cancel := context.WithTimeout(ctx, cl.config.HandshakesTimeout)
defer cancel()
dl, ok := ctx.Deadline()
if !ok {
panic(ctx)
}
err = nc.SetDeadline(dl)
if err != nil {
panic(err)
}
err = cl.initiateHandshakes(ctx, c, t)
return
}
func doProtocolHandshakeOnDialResult(
t *Torrent,
obfuscatedHeader bool,
addr PeerRemoteAddr,
dr DialResult,
) (
c *PeerConn, err error,
) {
cl := t.cl
nc := dr.Conn
addrIpPort, _ := tryIpPortFromNetAddr(addr)
c, err = cl.initiateProtocolHandshakes(
context.Background(), nc, t, obfuscatedHeader,
newConnectionOpts{
outgoing: true,
remoteAddr: addr,
// It would be possible to retrieve a public IP from the dialer used here?
localPublicAddr: cl.publicAddr(addrIpPort.IP),
network: dr.Dialer.DialerNetwork(),
connString: regularNetConnPeerConnConnString(nc),
})
if err != nil {
nc.Close()
}
return c, err
}
// Returns nil connection and nil error if no connection could be established for valid reasons.
func (cl *Client) dialAndCompleteHandshake(opts outgoingConnOpts) (c *PeerConn, err error) {
// It would be better if dial rate limiting could be tested when considering to open connections
// instead. Doing it here means if the limit is low, and the half-open limit is high, we could
// end up with lots of outgoing connection attempts pending that were initiated on stale data.
{
dialReservation := cl.config.DialRateLimiter.Reserve()
if !opts.receivedHolepunchConnect {
if !dialReservation.OK() {
err = errors.New("can't make dial limit reservation")
return
}
time.Sleep(dialReservation.Delay())
}
}
torrent.Add("establish outgoing connection", 1)
addr := opts.peerInfo.Addr
dialPool := dialPool{
resCh: make(chan DialResult),
addr: addr.String(),
}
defer dialPool.startDrainer()
dialTimeout := opts.t.getDialTimeoutUnlocked()
{
ctx, cancel := context.WithTimeout(context.Background(), dialTimeout)
defer cancel()
for _, d := range cl.dialers {
dialPool.add(ctx, d)
}
}
holepunchAddr, holepunchAddrErr := addrPortFromPeerRemoteAddr(addr)
headerObfuscationPolicy := opts.HeaderObfuscationPolicy
obfuscatedHeaderFirst := headerObfuscationPolicy.Preferred
firstDialResult := dialPool.getFirst()
if firstDialResult.Conn == nil {
// No dialers worked. Try to initiate a holepunching rendezvous.
if holepunchAddrErr == nil {
cl.lock()
if !opts.receivedHolepunchConnect {
g.MakeMapIfNilAndSet(&cl.undialableWithoutHolepunch, holepunchAddr, struct{}{})
}
if !opts.skipHolepunchRendezvous {
opts.t.trySendHolepunchRendezvous(holepunchAddr)
}
cl.unlock()
}
err = fmt.Errorf("all initial dials failed")
return
}
if opts.receivedHolepunchConnect && holepunchAddrErr == nil {
cl.lock()
if g.MapContains(cl.undialableWithoutHolepunch, holepunchAddr) {
g.MakeMapIfNilAndSet(&cl.dialableOnlyAfterHolepunch, holepunchAddr, struct{}{})
}
g.MakeMapIfNil(&cl.dialedSuccessfullyAfterHolepunchConnect)
g.MapInsert(cl.dialedSuccessfullyAfterHolepunchConnect, holepunchAddr, struct{}{})
cl.unlock()
}
c, err = doProtocolHandshakeOnDialResult(
opts.t,
obfuscatedHeaderFirst,
addr,
firstDialResult,
)
if err == nil {
torrent.Add("initiated conn with preferred header obfuscation", 1)
return
}
c.logger.Levelf(
log.Debug,
"error doing protocol handshake with header obfuscation %v",
obfuscatedHeaderFirst,
)
firstDialResult.Conn.Close()
// We should have just tried with the preferred header obfuscation. If it was required, there's nothing else to try.
if headerObfuscationPolicy.RequirePreferred {
return
}
// Reuse the dialer that returned already but failed to handshake.
{
ctx, cancel := context.WithTimeout(context.Background(), dialTimeout)
defer cancel()
dialPool.add(ctx, firstDialResult.Dialer)
}
secondDialResult := dialPool.getFirst()
if secondDialResult.Conn == nil {
return
}
c, err = doProtocolHandshakeOnDialResult(
opts.t,
!obfuscatedHeaderFirst,
addr,
secondDialResult,
)
if err == nil {
torrent.Add("initiated conn with fallback header obfuscation", 1)
return
}
c.logger.Levelf(
log.Debug,
"error doing protocol handshake with header obfuscation %v",
!obfuscatedHeaderFirst,
)
secondDialResult.Conn.Close()
return
}
type outgoingConnOpts struct {
peerInfo PeerInfo
t *Torrent
// Don't attempt to connect unless a connect message is received after initiating a rendezvous.
requireRendezvous bool
// Don't send rendezvous requests to eligible relays.
skipHolepunchRendezvous bool
// Outgoing connection attempt is in response to holepunch connect message.
receivedHolepunchConnect bool
HeaderObfuscationPolicy HeaderObfuscationPolicy
}
// Called to dial out and run a connection. The addr we're given is already
// considered half-open.
func (cl *Client) outgoingConnection(
opts outgoingConnOpts,
attemptKey outgoingConnAttemptKey,
) {
c, err := cl.dialAndCompleteHandshake(opts)
if err == nil {
c.conn.SetWriteDeadline(time.Time{})
}
cl.lock()
defer cl.unlock()
// Don't release lock between here and addPeerConn, unless it's for failure.
cl.noLongerHalfOpen(opts.t, opts.peerInfo.Addr.String(), attemptKey)
if err != nil {
if cl.config.Debug {
cl.logger.Levelf(
log.Debug,
"error establishing outgoing connection to %v: %v",
opts.peerInfo.Addr,
err,
)
}
return
}
defer c.close()
c.Discovery = opts.peerInfo.Source
c.trusted = opts.peerInfo.Trusted
opts.t.runHandshookConnLoggingErr(c)
}
// The port number for incoming peer connections. 0 if the client isn't listening.
func (cl *Client) incomingPeerPort() int {
return cl.LocalPort()
}
func (cl *Client) initiateHandshakes(ctx context.Context, c *PeerConn, t *Torrent) (err error) {
if c.headerEncrypted {
var rw io.ReadWriter
rw, c.cryptoMethod, err = mse.InitiateHandshakeContext(
ctx,
struct {
io.Reader
io.Writer
}{c.r, c.w},
t.canonicalShortInfohash().Bytes(),
nil,
cl.config.CryptoProvides,
)
c.setRW(rw)
if err != nil {
return fmt.Errorf("header obfuscation handshake: %w", err)
}
}
localReservedBits := cl.config.Extensions
handshakeIh := *t.canonicalShortInfohash()
// If we're sending the v1 infohash, and we know the v2 infohash, set the v2 upgrade bit. This
// means the peer can send the v2 infohash in the handshake to upgrade the connection.
localReservedBits.SetBit(pp.ExtensionBitV2Upgrade, g.Some(handshakeIh) == t.infoHash && t.infoHashV2.Ok)
ih, err := cl.connBtHandshake(context.TODO(), c, &handshakeIh, localReservedBits)
if err != nil {
return fmt.Errorf("bittorrent protocol handshake: %w", err)
}
if g.Some(ih) == t.infoHash {
return nil
}
if t.infoHashV2.Ok && *t.infoHashV2.Value.ToShort() == ih {
torrent.Add("initiated handshakes upgraded to v2", 1)
c.v2 = true
return nil
}
err = errors.New("bittorrent protocol handshake: peer infohash didn't match")
return
}
// Calls f with any secret keys. Note that it takes the Client lock, and so must be used from code
// that won't also try to take the lock. This saves us copying all the infohashes everytime.
func (cl *Client) forSkeys(f func([]byte) bool) {
cl.rLock()
defer cl.rUnlock()
if false { // Emulate the bug from #114
var firstIh InfoHash
for ih := range cl.torrentsByShortHash {
firstIh = ih
break
}
for range cl.torrentsByShortHash {
if !f(firstIh[:]) {
break
}
}
return
}
for ih := range cl.torrentsByShortHash {
if !f(ih[:]) {
break
}
}
}
func (cl *Client) handshakeReceiverSecretKeys() mse.SecretKeyIter {
if ret := cl.config.Callbacks.ReceiveEncryptedHandshakeSkeys; ret != nil {
return ret
}
return cl.forSkeys
}
// Do encryption and bittorrent handshakes as receiver.
func (cl *Client) receiveHandshakes(c *PeerConn) (t *Torrent, err error) {
var rw io.ReadWriter
rw, c.headerEncrypted, c.cryptoMethod, err = handleEncryption(
c.rw(),
cl.handshakeReceiverSecretKeys(),
cl.config.HeaderObfuscationPolicy,
cl.config.CryptoSelector,
)
c.setRW(rw)
if err == nil || err == mse.ErrNoSecretKeyMatch {
if c.headerEncrypted {
torrent.Add("handshakes received encrypted", 1)
} else {
torrent.Add("handshakes received unencrypted", 1)