]> Sergey Matveev's repositories - btrtrc.git/blob - torrent.go
Big logging cleanup to improve experience from README
[btrtrc.git] / torrent.go
1 package torrent
2
3 import (
4         "bytes"
5         "container/heap"
6         "context"
7         "crypto/sha1"
8         "errors"
9         "fmt"
10         "io"
11         "math/rand"
12         "net/http"
13         "net/url"
14         "sort"
15         "sync"
16         "text/tabwriter"
17         "time"
18         "unsafe"
19
20         "github.com/anacrolix/torrent/common"
21         "github.com/anacrolix/torrent/segments"
22         "github.com/anacrolix/torrent/webseed"
23         "github.com/davecgh/go-spew/spew"
24         "github.com/pion/datachannel"
25
26         "github.com/anacrolix/dht/v2"
27         "github.com/anacrolix/log"
28         "github.com/anacrolix/missinggo"
29         "github.com/anacrolix/missinggo/iter"
30         "github.com/anacrolix/missinggo/perf"
31         "github.com/anacrolix/missinggo/pubsub"
32         "github.com/anacrolix/missinggo/slices"
33         "github.com/anacrolix/missinggo/v2/bitmap"
34         "github.com/anacrolix/missinggo/v2/prioritybitmap"
35
36         "github.com/anacrolix/torrent/bencode"
37         "github.com/anacrolix/torrent/metainfo"
38         pp "github.com/anacrolix/torrent/peer_protocol"
39         "github.com/anacrolix/torrent/storage"
40         "github.com/anacrolix/torrent/tracker"
41         "github.com/anacrolix/torrent/webtorrent"
42 )
43
44 // Maintains state of torrent within a Client. Many methods should not be called before the info is
45 // available, see .Info and .GotInfo.
46 type Torrent struct {
47         // Torrent-level aggregate statistics. First in struct to ensure 64-bit
48         // alignment. See #262.
49         stats  ConnStats
50         cl     *Client
51         logger log.Logger
52
53         networkingEnabled      bool
54         dataDownloadDisallowed bool
55         dataUploadDisallowed   bool
56         userOnWriteChunkErr    func(error)
57
58         // Determines what chunks to request from peers.
59         requestStrategy requestStrategy
60
61         closed   missinggo.Event
62         infoHash metainfo.Hash
63         pieces   []Piece
64         // Values are the piece indices that changed.
65         pieceStateChanges *pubsub.PubSub
66         // The size of chunks to request from peers over the wire. This is
67         // normally 16KiB by convention these days.
68         chunkSize pp.Integer
69         chunkPool *sync.Pool
70         // Total length of the torrent in bytes. Stored because it's not O(1) to
71         // get this from the info dict.
72         length *int64
73
74         // The storage to open when the info dict becomes available.
75         storageOpener *storage.Client
76         // Storage for torrent data.
77         storage *storage.Torrent
78         // Read-locked for using storage, and write-locked for Closing.
79         storageLock sync.RWMutex
80
81         // TODO: Only announce stuff is used?
82         metainfo metainfo.MetaInfo
83
84         // The info dict. nil if we don't have it (yet).
85         info      *metainfo.Info
86         fileIndex segments.Index
87         files     *[]*File
88
89         webSeeds map[string]*Peer
90
91         // Active peer connections, running message stream loops. TODO: Make this
92         // open (not-closed) connections only.
93         conns               map[*PeerConn]struct{}
94         maxEstablishedConns int
95         // Set of addrs to which we're attempting to connect. Connections are
96         // half-open until all handshakes are completed.
97         halfOpen    map[string]PeerInfo
98         fastestPeer *Peer
99
100         // Reserve of peers to connect to. A peer can be both here and in the
101         // active connections if were told about the peer after connecting with
102         // them. That encourages us to reconnect to peers that are well known in
103         // the swarm.
104         peers prioritizedPeers
105         // Whether we want to know to know more peers.
106         wantPeersEvent missinggo.Event
107         // An announcer for each tracker URL.
108         trackerAnnouncers map[string]torrentTrackerAnnouncer
109         // How many times we've initiated a DHT announce. TODO: Move into stats.
110         numDHTAnnounces int
111
112         // Name used if the info name isn't available. Should be cleared when the
113         // Info does become available.
114         nameMu      sync.RWMutex
115         displayName string
116
117         // The bencoded bytes of the info dict. This is actively manipulated if
118         // the info bytes aren't initially available, and we try to fetch them
119         // from peers.
120         metadataBytes []byte
121         // Each element corresponds to the 16KiB metadata pieces. If true, we have
122         // received that piece.
123         metadataCompletedChunks []bool
124         metadataChanged         sync.Cond
125
126         // Set when .Info is obtained.
127         gotMetainfo missinggo.Event
128
129         readers                map[*reader]struct{}
130         _readerNowPieces       bitmap.Bitmap
131         _readerReadaheadPieces bitmap.Bitmap
132
133         // A cache of pieces we need to get. Calculated from various piece and
134         // file priorities and completion states elsewhere.
135         _pendingPieces prioritybitmap.PriorityBitmap
136         // A cache of completed piece indices.
137         _completedPieces bitmap.Bitmap
138         // Pieces that need to be hashed.
139         piecesQueuedForHash bitmap.Bitmap
140         activePieceHashes   int
141
142         // A pool of piece priorities []int for assignment to new connections.
143         // These "inclinations" are used to give connections preference for
144         // different pieces.
145         connPieceInclinationPool sync.Pool
146
147         // Count of each request across active connections.
148         pendingRequests map[Request]int
149
150         pex pexState
151 }
152
153 func (t *Torrent) numConns() int {
154         return len(t.conns)
155 }
156
157 func (t *Torrent) numReaders() int {
158         return len(t.readers)
159 }
160
161 func (t *Torrent) readerNowPieces() bitmap.Bitmap {
162         return t._readerNowPieces
163 }
164
165 func (t *Torrent) readerReadaheadPieces() bitmap.Bitmap {
166         return t._readerReadaheadPieces
167 }
168
169 func (t *Torrent) ignorePieces() bitmap.Bitmap {
170         ret := t._completedPieces.Copy()
171         ret.Union(t.piecesQueuedForHash)
172         for i := 0; i < t.numPieces(); i++ {
173                 if t.piece(i).hashing {
174                         ret.Set(i, true)
175                 }
176         }
177         return ret
178 }
179
180 func (t *Torrent) pendingPieces() *prioritybitmap.PriorityBitmap {
181         return &t._pendingPieces
182 }
183
184 func (t *Torrent) tickleReaders() {
185         t.cl.event.Broadcast()
186 }
187
188 // Returns a channel that is closed when the Torrent is closed.
189 func (t *Torrent) Closed() <-chan struct{} {
190         return t.closed.LockedChan(t.cl.locker())
191 }
192
193 // KnownSwarm returns the known subset of the peers in the Torrent's swarm, including active,
194 // pending, and half-open peers.
195 func (t *Torrent) KnownSwarm() (ks []PeerInfo) {
196         // Add pending peers to the list
197         t.peers.Each(func(peer PeerInfo) {
198                 ks = append(ks, peer)
199         })
200
201         // Add half-open peers to the list
202         for _, peer := range t.halfOpen {
203                 ks = append(ks, peer)
204         }
205
206         // Add active peers to the list
207         for conn := range t.conns {
208
209                 ks = append(ks, PeerInfo{
210                         Id:     conn.PeerID,
211                         Addr:   conn.RemoteAddr,
212                         Source: conn.Discovery,
213                         // > If the connection is encrypted, that's certainly enough to set SupportsEncryption.
214                         // > But if we're not connected to them with an encrypted connection, I couldn't say
215                         // > what's appropriate. We can carry forward the SupportsEncryption value as we
216                         // > received it from trackers/DHT/PEX, or just use the encryption state for the
217                         // > connection. It's probably easiest to do the latter for now.
218                         // https://github.com/anacrolix/torrent/pull/188
219                         SupportsEncryption: conn.headerEncrypted,
220                 })
221         }
222
223         return
224 }
225
226 func (t *Torrent) setChunkSize(size pp.Integer) {
227         t.chunkSize = size
228         t.chunkPool = &sync.Pool{
229                 New: func() interface{} {
230                         b := make([]byte, size)
231                         return &b
232                 },
233         }
234 }
235
236 func (t *Torrent) pieceComplete(piece pieceIndex) bool {
237         return t._completedPieces.Get(bitmap.BitIndex(piece))
238 }
239
240 func (t *Torrent) pieceCompleteUncached(piece pieceIndex) storage.Completion {
241         return t.pieces[piece].Storage().Completion()
242 }
243
244 // There's a connection to that address already.
245 func (t *Torrent) addrActive(addr string) bool {
246         if _, ok := t.halfOpen[addr]; ok {
247                 return true
248         }
249         for c := range t.conns {
250                 ra := c.RemoteAddr
251                 if ra.String() == addr {
252                         return true
253                 }
254         }
255         return false
256 }
257
258 func (t *Torrent) unclosedConnsAsSlice() (ret []*PeerConn) {
259         ret = make([]*PeerConn, 0, len(t.conns))
260         for c := range t.conns {
261                 if !c.closed.IsSet() {
262                         ret = append(ret, c)
263                 }
264         }
265         return
266 }
267
268 func (t *Torrent) addPeer(p PeerInfo) (added bool) {
269         cl := t.cl
270         torrent.Add(fmt.Sprintf("peers added by source %q", p.Source), 1)
271         if t.closed.IsSet() {
272                 return false
273         }
274         if ipAddr, ok := tryIpPortFromNetAddr(p.Addr); ok {
275                 if cl.badPeerIPPort(ipAddr.IP, ipAddr.Port) {
276                         torrent.Add("peers not added because of bad addr", 1)
277                         // cl.logger.Printf("peers not added because of bad addr: %v", p)
278                         return false
279                 }
280         }
281         if replaced, ok := t.peers.AddReturningReplacedPeer(p); ok {
282                 torrent.Add("peers replaced", 1)
283                 if !replaced.equal(p) {
284                         t.logger.WithDefaultLevel(log.Debug).Printf("added %v replacing %v", p, replaced)
285                         added = true
286                 }
287         } else {
288                 added = true
289         }
290         t.openNewConns()
291         for t.peers.Len() > cl.config.TorrentPeersHighWater {
292                 _, ok := t.peers.DeleteMin()
293                 if ok {
294                         torrent.Add("excess reserve peers discarded", 1)
295                 }
296         }
297         return
298 }
299
300 func (t *Torrent) invalidateMetadata() {
301         for i := range t.metadataCompletedChunks {
302                 t.metadataCompletedChunks[i] = false
303         }
304         t.nameMu.Lock()
305         t.info = nil
306         t.nameMu.Unlock()
307 }
308
309 func (t *Torrent) saveMetadataPiece(index int, data []byte) {
310         if t.haveInfo() {
311                 return
312         }
313         if index >= len(t.metadataCompletedChunks) {
314                 t.logger.Printf("%s: ignoring metadata piece %d", t, index)
315                 return
316         }
317         copy(t.metadataBytes[(1<<14)*index:], data)
318         t.metadataCompletedChunks[index] = true
319 }
320
321 func (t *Torrent) metadataPieceCount() int {
322         return (len(t.metadataBytes) + (1 << 14) - 1) / (1 << 14)
323 }
324
325 func (t *Torrent) haveMetadataPiece(piece int) bool {
326         if t.haveInfo() {
327                 return (1<<14)*piece < len(t.metadataBytes)
328         } else {
329                 return piece < len(t.metadataCompletedChunks) && t.metadataCompletedChunks[piece]
330         }
331 }
332
333 func (t *Torrent) metadataSize() int {
334         return len(t.metadataBytes)
335 }
336
337 func infoPieceHashes(info *metainfo.Info) (ret [][]byte) {
338         for i := 0; i < len(info.Pieces); i += sha1.Size {
339                 ret = append(ret, info.Pieces[i:i+sha1.Size])
340         }
341         return
342 }
343
344 func (t *Torrent) makePieces() {
345         hashes := infoPieceHashes(t.info)
346         t.pieces = make([]Piece, len(hashes))
347         for i, hash := range hashes {
348                 piece := &t.pieces[i]
349                 piece.t = t
350                 piece.index = pieceIndex(i)
351                 piece.noPendingWrites.L = &piece.pendingWritesMutex
352                 piece.hash = (*metainfo.Hash)(unsafe.Pointer(&hash[0]))
353                 files := *t.files
354                 beginFile := pieceFirstFileIndex(piece.torrentBeginOffset(), files)
355                 endFile := pieceEndFileIndex(piece.torrentEndOffset(), files)
356                 piece.files = files[beginFile:endFile]
357         }
358 }
359
360 // Returns the index of the first file containing the piece. files must be
361 // ordered by offset.
362 func pieceFirstFileIndex(pieceOffset int64, files []*File) int {
363         for i, f := range files {
364                 if f.offset+f.length > pieceOffset {
365                         return i
366                 }
367         }
368         return 0
369 }
370
371 // Returns the index after the last file containing the piece. files must be
372 // ordered by offset.
373 func pieceEndFileIndex(pieceEndOffset int64, files []*File) int {
374         for i, f := range files {
375                 if f.offset+f.length >= pieceEndOffset {
376                         return i + 1
377                 }
378         }
379         return 0
380 }
381
382 func (t *Torrent) cacheLength() {
383         var l int64
384         for _, f := range t.info.UpvertedFiles() {
385                 l += f.Length
386         }
387         t.length = &l
388 }
389
390 func (t *Torrent) setInfo(info *metainfo.Info) error {
391         if err := validateInfo(info); err != nil {
392                 return fmt.Errorf("bad info: %s", err)
393         }
394         if t.storageOpener != nil {
395                 var err error
396                 t.storage, err = t.storageOpener.OpenTorrent(info, t.infoHash)
397                 if err != nil {
398                         return fmt.Errorf("error opening torrent storage: %s", err)
399                 }
400         }
401         t.nameMu.Lock()
402         t.info = info
403         t.nameMu.Unlock()
404         t.fileIndex = segments.NewIndex(common.LengthIterFromUpvertedFiles(info.UpvertedFiles()))
405         t.displayName = "" // Save a few bytes lol.
406         t.initFiles()
407         t.cacheLength()
408         t.makePieces()
409         return nil
410 }
411
412 // This seems to be all the follow-up tasks after info is set, that can't fail.
413 func (t *Torrent) onSetInfo() {
414         t.iterPeers(func(p *Peer) {
415                 p.onGotInfo(t.info)
416         })
417         for i := range t.pieces {
418                 t.updatePieceCompletion(pieceIndex(i))
419                 p := &t.pieces[i]
420                 if !p.storageCompletionOk {
421                         // t.logger.Printf("piece %s completion unknown, queueing check", p)
422                         t.queuePieceCheck(pieceIndex(i))
423                 }
424         }
425         t.cl.event.Broadcast()
426         t.gotMetainfo.Set()
427         t.updateWantPeersEvent()
428         t.pendingRequests = make(map[Request]int)
429         t.tryCreateMorePieceHashers()
430 }
431
432 // Called when metadata for a torrent becomes available.
433 func (t *Torrent) setInfoBytes(b []byte) error {
434         if metainfo.HashBytes(b) != t.infoHash {
435                 return errors.New("info bytes have wrong hash")
436         }
437         var info metainfo.Info
438         if err := bencode.Unmarshal(b, &info); err != nil {
439                 return fmt.Errorf("error unmarshalling info bytes: %s", err)
440         }
441         t.metadataBytes = b
442         t.metadataCompletedChunks = nil
443         if t.info != nil {
444                 return nil
445         }
446         if err := t.setInfo(&info); err != nil {
447                 return err
448         }
449         t.onSetInfo()
450         return nil
451 }
452
453 func (t *Torrent) haveAllMetadataPieces() bool {
454         if t.haveInfo() {
455                 return true
456         }
457         if t.metadataCompletedChunks == nil {
458                 return false
459         }
460         for _, have := range t.metadataCompletedChunks {
461                 if !have {
462                         return false
463                 }
464         }
465         return true
466 }
467
468 // TODO: Propagate errors to disconnect peer.
469 func (t *Torrent) setMetadataSize(bytes int) (err error) {
470         if t.haveInfo() {
471                 // We already know the correct metadata size.
472                 return
473         }
474         if bytes <= 0 || bytes > 10000000 { // 10MB, pulled from my ass.
475                 return errors.New("bad size")
476         }
477         if t.metadataBytes != nil && len(t.metadataBytes) == int(bytes) {
478                 return
479         }
480         t.metadataBytes = make([]byte, bytes)
481         t.metadataCompletedChunks = make([]bool, (bytes+(1<<14)-1)/(1<<14))
482         t.metadataChanged.Broadcast()
483         for c := range t.conns {
484                 c.requestPendingMetadata()
485         }
486         return
487 }
488
489 // The current working name for the torrent. Either the name in the info dict,
490 // or a display name given such as by the dn value in a magnet link, or "".
491 func (t *Torrent) name() string {
492         t.nameMu.RLock()
493         defer t.nameMu.RUnlock()
494         if t.haveInfo() {
495                 return t.info.Name
496         }
497         if t.displayName != "" {
498                 return t.displayName
499         }
500         return "infohash:" + t.infoHash.HexString()
501 }
502
503 func (t *Torrent) pieceState(index pieceIndex) (ret PieceState) {
504         p := &t.pieces[index]
505         ret.Priority = t.piecePriority(index)
506         ret.Completion = p.completion()
507         ret.QueuedForHash = p.queuedForHash()
508         ret.Hashing = p.hashing
509         ret.Checking = ret.QueuedForHash || ret.Hashing
510         ret.Marking = p.marking
511         if !ret.Complete && t.piecePartiallyDownloaded(index) {
512                 ret.Partial = true
513         }
514         return
515 }
516
517 func (t *Torrent) metadataPieceSize(piece int) int {
518         return metadataPieceSize(len(t.metadataBytes), piece)
519 }
520
521 func (t *Torrent) newMetadataExtensionMessage(c *PeerConn, msgType int, piece int, data []byte) pp.Message {
522         d := map[string]int{
523                 "msg_type": msgType,
524                 "piece":    piece,
525         }
526         if data != nil {
527                 d["total_size"] = len(t.metadataBytes)
528         }
529         p := bencode.MustMarshal(d)
530         return pp.Message{
531                 Type:            pp.Extended,
532                 ExtendedID:      c.PeerExtensionIDs[pp.ExtensionNameMetadata],
533                 ExtendedPayload: append(p, data...),
534         }
535 }
536
537 func (t *Torrent) pieceStateRuns() (ret PieceStateRuns) {
538         rle := missinggo.NewRunLengthEncoder(func(el interface{}, count uint64) {
539                 ret = append(ret, PieceStateRun{
540                         PieceState: el.(PieceState),
541                         Length:     int(count),
542                 })
543         })
544         for index := range t.pieces {
545                 rle.Append(t.pieceState(pieceIndex(index)), 1)
546         }
547         rle.Flush()
548         return
549 }
550
551 // Produces a small string representing a PieceStateRun.
552 func (psr PieceStateRun) String() (ret string) {
553         ret = fmt.Sprintf("%d", psr.Length)
554         ret += func() string {
555                 switch psr.Priority {
556                 case PiecePriorityNext:
557                         return "N"
558                 case PiecePriorityNormal:
559                         return "."
560                 case PiecePriorityReadahead:
561                         return "R"
562                 case PiecePriorityNow:
563                         return "!"
564                 case PiecePriorityHigh:
565                         return "H"
566                 default:
567                         return ""
568                 }
569         }()
570         if psr.Hashing {
571                 ret += "H"
572         }
573         if psr.QueuedForHash {
574                 ret += "Q"
575         }
576         if psr.Marking {
577                 ret += "M"
578         }
579         if psr.Partial {
580                 ret += "P"
581         }
582         if psr.Complete {
583                 ret += "C"
584         }
585         if !psr.Ok {
586                 ret += "?"
587         }
588         return
589 }
590
591 func (t *Torrent) writeStatus(w io.Writer) {
592         fmt.Fprintf(w, "Infohash: %s\n", t.infoHash.HexString())
593         fmt.Fprintf(w, "Metadata length: %d\n", t.metadataSize())
594         if !t.haveInfo() {
595                 fmt.Fprintf(w, "Metadata have: ")
596                 for _, h := range t.metadataCompletedChunks {
597                         fmt.Fprintf(w, "%c", func() rune {
598                                 if h {
599                                         return 'H'
600                                 } else {
601                                         return '.'
602                                 }
603                         }())
604                 }
605                 fmt.Fprintln(w)
606         }
607         fmt.Fprintf(w, "Piece length: %s\n", func() string {
608                 if t.haveInfo() {
609                         return fmt.Sprint(t.usualPieceSize())
610                 } else {
611                         return "?"
612                 }
613         }())
614         if t.info != nil {
615                 fmt.Fprintf(w, "Num Pieces: %d (%d completed)\n", t.numPieces(), t.numPiecesCompleted())
616                 fmt.Fprintf(w, "Piece States: %s", t.pieceStateRuns())
617                 fmt.Fprintln(w)
618         }
619         fmt.Fprintf(w, "Reader Pieces:")
620         t.forReaderOffsetPieces(func(begin, end pieceIndex) (again bool) {
621                 fmt.Fprintf(w, " %d:%d", begin, end)
622                 return true
623         })
624         fmt.Fprintln(w)
625
626         fmt.Fprintf(w, "Enabled trackers:\n")
627         func() {
628                 tw := tabwriter.NewWriter(w, 0, 0, 2, ' ', 0)
629                 fmt.Fprintf(tw, "    URL\tExtra\n")
630                 for _, ta := range slices.Sort(slices.FromMapElems(t.trackerAnnouncers), func(l, r torrentTrackerAnnouncer) bool {
631                         lu := l.URL()
632                         ru := r.URL()
633                         var luns, runs url.URL = *lu, *ru
634                         luns.Scheme = ""
635                         runs.Scheme = ""
636                         var ml missinggo.MultiLess
637                         ml.StrictNext(luns.String() == runs.String(), luns.String() < runs.String())
638                         ml.StrictNext(lu.String() == ru.String(), lu.String() < ru.String())
639                         return ml.Less()
640                 }).([]torrentTrackerAnnouncer) {
641                         fmt.Fprintf(tw, "    %q\t%v\n", ta.URL(), ta.statusLine())
642                 }
643                 tw.Flush()
644         }()
645
646         fmt.Fprintf(w, "DHT Announces: %d\n", t.numDHTAnnounces)
647
648         spew.NewDefaultConfig()
649         spew.Fdump(w, t.statsLocked())
650
651         peers := t.peersAsSlice()
652         sort.Slice(peers, func(i, j int) bool {
653                 return worseConn(peers[i], peers[j])
654         })
655         for i, c := range peers {
656                 fmt.Fprintf(w, "%2d. ", i+1)
657                 c.writeStatus(w, t)
658         }
659 }
660
661 func (t *Torrent) haveInfo() bool {
662         return t.info != nil
663 }
664
665 // Returns a run-time generated MetaInfo that includes the info bytes and
666 // announce-list as currently known to the client.
667 func (t *Torrent) newMetaInfo() metainfo.MetaInfo {
668         return metainfo.MetaInfo{
669                 CreationDate: time.Now().Unix(),
670                 Comment:      "dynamic metainfo from client",
671                 CreatedBy:    "go.torrent",
672                 AnnounceList: t.metainfo.UpvertedAnnounceList().Clone(),
673                 InfoBytes: func() []byte {
674                         if t.haveInfo() {
675                                 return t.metadataBytes
676                         } else {
677                                 return nil
678                         }
679                 }(),
680                 UrlList: func() []string {
681                         ret := make([]string, 0, len(t.webSeeds))
682                         for url := range t.webSeeds {
683                                 ret = append(ret, url)
684                         }
685                         return ret
686                 }(),
687         }
688 }
689
690 func (t *Torrent) BytesMissing() int64 {
691         t.cl.rLock()
692         defer t.cl.rUnlock()
693         return t.bytesMissingLocked()
694 }
695
696 func (t *Torrent) bytesMissingLocked() int64 {
697         return t.bytesLeft()
698 }
699
700 func (t *Torrent) bytesLeft() (left int64) {
701         bitmap.Flip(t._completedPieces, 0, bitmap.BitIndex(t.numPieces())).IterTyped(func(piece int) bool {
702                 p := &t.pieces[piece]
703                 left += int64(p.length() - p.numDirtyBytes())
704                 return true
705         })
706         return
707 }
708
709 // Bytes left to give in tracker announces.
710 func (t *Torrent) bytesLeftAnnounce() int64 {
711         if t.haveInfo() {
712                 return t.bytesLeft()
713         } else {
714                 return -1
715         }
716 }
717
718 func (t *Torrent) piecePartiallyDownloaded(piece pieceIndex) bool {
719         if t.pieceComplete(piece) {
720                 return false
721         }
722         if t.pieceAllDirty(piece) {
723                 return false
724         }
725         return t.pieces[piece].hasDirtyChunks()
726 }
727
728 func (t *Torrent) usualPieceSize() int {
729         return int(t.info.PieceLength)
730 }
731
732 func (t *Torrent) numPieces() pieceIndex {
733         return pieceIndex(t.info.NumPieces())
734 }
735
736 func (t *Torrent) numPiecesCompleted() (num int) {
737         return t._completedPieces.Len()
738 }
739
740 func (t *Torrent) close() (err error) {
741         t.closed.Set()
742         t.tickleReaders()
743         if t.storage != nil {
744                 t.storageLock.Lock()
745                 t.storage.Close()
746                 t.storageLock.Unlock()
747         }
748         t.iterPeers(func(p *Peer) {
749                 p.close()
750         })
751         t.pex.Reset()
752         t.cl.event.Broadcast()
753         t.pieceStateChanges.Close()
754         t.updateWantPeersEvent()
755         return
756 }
757
758 func (t *Torrent) requestOffset(r Request) int64 {
759         return torrentRequestOffset(*t.length, int64(t.usualPieceSize()), r)
760 }
761
762 // Return the request that would include the given offset into the torrent data. Returns !ok if
763 // there is no such request.
764 func (t *Torrent) offsetRequest(off int64) (req Request, ok bool) {
765         return torrentOffsetRequest(*t.length, t.info.PieceLength, int64(t.chunkSize), off)
766 }
767
768 func (t *Torrent) writeChunk(piece int, begin int64, data []byte) (err error) {
769         defer perf.ScopeTimerErr(&err)()
770         n, err := t.pieces[piece].Storage().WriteAt(data, begin)
771         if err == nil && n != len(data) {
772                 err = io.ErrShortWrite
773         }
774         return err
775 }
776
777 func (t *Torrent) bitfield() (bf []bool) {
778         bf = make([]bool, t.numPieces())
779         t._completedPieces.IterTyped(func(piece int) (again bool) {
780                 bf[piece] = true
781                 return true
782         })
783         return
784 }
785
786 func (t *Torrent) pieceNumChunks(piece pieceIndex) pp.Integer {
787         return (t.pieceLength(piece) + t.chunkSize - 1) / t.chunkSize
788 }
789
790 func (t *Torrent) pendAllChunkSpecs(pieceIndex pieceIndex) {
791         t.pieces[pieceIndex]._dirtyChunks.Clear()
792 }
793
794 func (t *Torrent) pieceLength(piece pieceIndex) pp.Integer {
795         if t.info.PieceLength == 0 {
796                 // There will be no variance amongst pieces. Only pain.
797                 return 0
798         }
799         if piece == t.numPieces()-1 {
800                 ret := pp.Integer(*t.length % t.info.PieceLength)
801                 if ret != 0 {
802                         return ret
803                 }
804         }
805         return pp.Integer(t.info.PieceLength)
806 }
807
808 func (t *Torrent) hashPiece(piece pieceIndex) (ret metainfo.Hash, err error) {
809         hash := pieceHash.New()
810         p := t.piece(piece)
811         p.waitNoPendingWrites()
812         storagePiece := t.pieces[piece].Storage()
813         const logPieceContents = false
814         if logPieceContents {
815                 var examineBuf bytes.Buffer
816                 _, err = storagePiece.WriteTo(io.MultiWriter(hash, &examineBuf))
817                 log.Printf("hashed %q with copy err %v", examineBuf.Bytes(), err)
818         } else {
819                 _, err = storagePiece.WriteTo(hash)
820         }
821         missinggo.CopyExact(&ret, hash.Sum(nil))
822         return
823 }
824
825 func (t *Torrent) haveAnyPieces() bool {
826         return t._completedPieces.Len() != 0
827 }
828
829 func (t *Torrent) haveAllPieces() bool {
830         if !t.haveInfo() {
831                 return false
832         }
833         return t._completedPieces.Len() == bitmap.BitIndex(t.numPieces())
834 }
835
836 func (t *Torrent) havePiece(index pieceIndex) bool {
837         return t.haveInfo() && t.pieceComplete(index)
838 }
839
840 func (t *Torrent) maybeDropMutuallyCompletePeer(
841         // I'm not sure about taking peer here, not all peer implementations actually drop. Maybe that's okay?
842         p *Peer,
843 ) {
844         if !t.cl.config.DropMutuallyCompletePeers {
845                 return
846         }
847         if !t.haveAllPieces() {
848                 return
849         }
850         if all, known := p.peerHasAllPieces(); !(known && all) {
851                 return
852         }
853         if p.useful() {
854                 return
855         }
856         t.logger.WithDefaultLevel(log.Debug).Printf("dropping %v, which is mutually complete", p)
857         p.drop()
858 }
859
860 func (t *Torrent) haveChunk(r Request) (ret bool) {
861         // defer func() {
862         //      log.Println("have chunk", r, ret)
863         // }()
864         if !t.haveInfo() {
865                 return false
866         }
867         if t.pieceComplete(pieceIndex(r.Index)) {
868                 return true
869         }
870         p := &t.pieces[r.Index]
871         return !p.pendingChunk(r.ChunkSpec, t.chunkSize)
872 }
873
874 func chunkIndex(cs ChunkSpec, chunkSize pp.Integer) int {
875         return int(cs.Begin / chunkSize)
876 }
877
878 func (t *Torrent) wantPieceIndex(index pieceIndex) bool {
879         if !t.haveInfo() {
880                 return false
881         }
882         if index < 0 || index >= t.numPieces() {
883                 return false
884         }
885         p := &t.pieces[index]
886         if p.queuedForHash() {
887                 return false
888         }
889         if p.hashing {
890                 return false
891         }
892         if t.pieceComplete(index) {
893                 return false
894         }
895         if t._pendingPieces.Contains(bitmap.BitIndex(index)) {
896                 return true
897         }
898         // t.logger.Printf("piece %d not pending", index)
899         return !t.forReaderOffsetPieces(func(begin, end pieceIndex) bool {
900                 return index < begin || index >= end
901         })
902 }
903
904 // The worst connection is one that hasn't been sent, or sent anything useful for the longest. A bad
905 // connection is one that usually sends us unwanted pieces, or has been in worser half of the
906 // established connections for more than a minute.
907 func (t *Torrent) worstBadConn() *PeerConn {
908         wcs := worseConnSlice{t.unclosedConnsAsSlice()}
909         heap.Init(&wcs)
910         for wcs.Len() != 0 {
911                 c := heap.Pop(&wcs).(*PeerConn)
912                 if c._stats.ChunksReadWasted.Int64() >= 6 && c._stats.ChunksReadWasted.Int64() > c._stats.ChunksReadUseful.Int64() {
913                         return c
914                 }
915                 // If the connection is in the worst half of the established
916                 // connection quota and is older than a minute.
917                 if wcs.Len() >= (t.maxEstablishedConns+1)/2 {
918                         // Give connections 1 minute to prove themselves.
919                         if time.Since(c.completedHandshake) > time.Minute {
920                                 return c
921                         }
922                 }
923         }
924         return nil
925 }
926
927 type PieceStateChange struct {
928         Index int
929         PieceState
930 }
931
932 func (t *Torrent) publishPieceChange(piece pieceIndex) {
933         t.cl._mu.Defer(func() {
934                 cur := t.pieceState(piece)
935                 p := &t.pieces[piece]
936                 if cur != p.publicPieceState {
937                         p.publicPieceState = cur
938                         t.pieceStateChanges.Publish(PieceStateChange{
939                                 int(piece),
940                                 cur,
941                         })
942                 }
943         })
944 }
945
946 func (t *Torrent) pieceNumPendingChunks(piece pieceIndex) pp.Integer {
947         if t.pieceComplete(piece) {
948                 return 0
949         }
950         return t.pieceNumChunks(piece) - t.pieces[piece].numDirtyChunks()
951 }
952
953 func (t *Torrent) pieceAllDirty(piece pieceIndex) bool {
954         return t.pieces[piece]._dirtyChunks.Len() == int(t.pieceNumChunks(piece))
955 }
956
957 func (t *Torrent) readersChanged() {
958         t.updateReaderPieces()
959         t.updateAllPiecePriorities()
960 }
961
962 func (t *Torrent) updateReaderPieces() {
963         t._readerNowPieces, t._readerReadaheadPieces = t.readerPiecePriorities()
964 }
965
966 func (t *Torrent) readerPosChanged(from, to pieceRange) {
967         if from == to {
968                 return
969         }
970         t.updateReaderPieces()
971         // Order the ranges, high and low.
972         l, h := from, to
973         if l.begin > h.begin {
974                 l, h = h, l
975         }
976         if l.end < h.begin {
977                 // Two distinct ranges.
978                 t.updatePiecePriorities(l.begin, l.end)
979                 t.updatePiecePriorities(h.begin, h.end)
980         } else {
981                 // Ranges overlap.
982                 end := l.end
983                 if h.end > end {
984                         end = h.end
985                 }
986                 t.updatePiecePriorities(l.begin, end)
987         }
988 }
989
990 func (t *Torrent) maybeNewConns() {
991         // Tickle the accept routine.
992         t.cl.event.Broadcast()
993         t.openNewConns()
994 }
995
996 func (t *Torrent) piecePriorityChanged(piece pieceIndex) {
997         // t.logger.Printf("piece %d priority changed", piece)
998         t.iterPeers(func(c *Peer) {
999                 if c.updatePiecePriority(piece) {
1000                         // log.Print("conn piece priority changed")
1001                         c.updateRequests()
1002                 }
1003         })
1004         t.maybeNewConns()
1005         t.publishPieceChange(piece)
1006 }
1007
1008 func (t *Torrent) updatePiecePriority(piece pieceIndex) {
1009         p := &t.pieces[piece]
1010         newPrio := p.uncachedPriority()
1011         // t.logger.Printf("torrent %p: piece %d: uncached priority: %v", t, piece, newPrio)
1012         if newPrio == PiecePriorityNone {
1013                 if !t._pendingPieces.Remove(bitmap.BitIndex(piece)) {
1014                         return
1015                 }
1016         } else {
1017                 if !t._pendingPieces.Set(bitmap.BitIndex(piece), newPrio.BitmapPriority()) {
1018                         return
1019                 }
1020         }
1021         t.piecePriorityChanged(piece)
1022 }
1023
1024 func (t *Torrent) updateAllPiecePriorities() {
1025         t.updatePiecePriorities(0, t.numPieces())
1026 }
1027
1028 // Update all piece priorities in one hit. This function should have the same
1029 // output as updatePiecePriority, but across all pieces.
1030 func (t *Torrent) updatePiecePriorities(begin, end pieceIndex) {
1031         for i := begin; i < end; i++ {
1032                 t.updatePiecePriority(i)
1033         }
1034 }
1035
1036 // Returns the range of pieces [begin, end) that contains the extent of bytes.
1037 func (t *Torrent) byteRegionPieces(off, size int64) (begin, end pieceIndex) {
1038         if off >= *t.length {
1039                 return
1040         }
1041         if off < 0 {
1042                 size += off
1043                 off = 0
1044         }
1045         if size <= 0 {
1046                 return
1047         }
1048         begin = pieceIndex(off / t.info.PieceLength)
1049         end = pieceIndex((off + size + t.info.PieceLength - 1) / t.info.PieceLength)
1050         if end > pieceIndex(t.info.NumPieces()) {
1051                 end = pieceIndex(t.info.NumPieces())
1052         }
1053         return
1054 }
1055
1056 // Returns true if all iterations complete without breaking. Returns the read
1057 // regions for all readers. The reader regions should not be merged as some
1058 // callers depend on this method to enumerate readers.
1059 func (t *Torrent) forReaderOffsetPieces(f func(begin, end pieceIndex) (more bool)) (all bool) {
1060         for r := range t.readers {
1061                 p := r.pieces
1062                 if p.begin >= p.end {
1063                         continue
1064                 }
1065                 if !f(p.begin, p.end) {
1066                         return false
1067                 }
1068         }
1069         return true
1070 }
1071
1072 func (t *Torrent) piecePriority(piece pieceIndex) piecePriority {
1073         prio, ok := t._pendingPieces.GetPriority(bitmap.BitIndex(piece))
1074         if !ok {
1075                 return PiecePriorityNone
1076         }
1077         if prio > 0 {
1078                 panic(prio)
1079         }
1080         ret := piecePriority(-prio)
1081         if ret == PiecePriorityNone {
1082                 panic(piece)
1083         }
1084         return ret
1085 }
1086
1087 func (t *Torrent) pendRequest(req Request) {
1088         ci := chunkIndex(req.ChunkSpec, t.chunkSize)
1089         t.pieces[req.Index].pendChunkIndex(ci)
1090 }
1091
1092 func (t *Torrent) pieceCompletionChanged(piece pieceIndex) {
1093         t.tickleReaders()
1094         t.cl.event.Broadcast()
1095         if t.pieceComplete(piece) {
1096                 t.onPieceCompleted(piece)
1097         } else {
1098                 t.onIncompletePiece(piece)
1099         }
1100         t.updatePiecePriority(piece)
1101 }
1102
1103 func (t *Torrent) numReceivedConns() (ret int) {
1104         for c := range t.conns {
1105                 if c.Discovery == PeerSourceIncoming {
1106                         ret++
1107                 }
1108         }
1109         return
1110 }
1111
1112 func (t *Torrent) maxHalfOpen() int {
1113         // Note that if we somehow exceed the maximum established conns, we want
1114         // the negative value to have an effect.
1115         establishedHeadroom := int64(t.maxEstablishedConns - len(t.conns))
1116         extraIncoming := int64(t.numReceivedConns() - t.maxEstablishedConns/2)
1117         // We want to allow some experimentation with new peers, and to try to
1118         // upset an oversupply of received connections.
1119         return int(min(max(5, extraIncoming)+establishedHeadroom, int64(t.cl.config.HalfOpenConnsPerTorrent)))
1120 }
1121
1122 func (t *Torrent) openNewConns() (initiated int) {
1123         defer t.updateWantPeersEvent()
1124         for t.peers.Len() != 0 {
1125                 if !t.wantConns() {
1126                         return
1127                 }
1128                 if len(t.halfOpen) >= t.maxHalfOpen() {
1129                         return
1130                 }
1131                 if len(t.cl.dialers) == 0 {
1132                         return
1133                 }
1134                 if t.cl.numHalfOpen >= t.cl.config.TotalHalfOpenConns {
1135                         return
1136                 }
1137                 p := t.peers.PopMax()
1138                 t.initiateConn(p)
1139                 initiated++
1140         }
1141         return
1142 }
1143
1144 func (t *Torrent) getConnPieceInclination() []int {
1145         _ret := t.connPieceInclinationPool.Get()
1146         if _ret == nil {
1147                 pieceInclinationsNew.Add(1)
1148                 return rand.Perm(int(t.numPieces()))
1149         }
1150         pieceInclinationsReused.Add(1)
1151         return *_ret.(*[]int)
1152 }
1153
1154 func (t *Torrent) putPieceInclination(pi []int) {
1155         t.connPieceInclinationPool.Put(&pi)
1156         pieceInclinationsPut.Add(1)
1157 }
1158
1159 func (t *Torrent) updatePieceCompletion(piece pieceIndex) bool {
1160         p := t.piece(piece)
1161         uncached := t.pieceCompleteUncached(piece)
1162         cached := p.completion()
1163         changed := cached != uncached
1164         complete := uncached.Complete
1165         p.storageCompletionOk = uncached.Ok
1166         t._completedPieces.Set(bitmap.BitIndex(piece), complete)
1167         if complete && len(p.dirtiers) != 0 {
1168                 t.logger.Printf("marked piece %v complete but still has dirtiers", piece)
1169         }
1170         if changed {
1171                 log.Fstr("piece %d completion changed: %+v -> %+v", piece, cached, uncached).SetLevel(log.Debug).Log(t.logger)
1172                 t.pieceCompletionChanged(piece)
1173         }
1174         return changed
1175 }
1176
1177 // Non-blocking read. Client lock is not required.
1178 func (t *Torrent) readAt(b []byte, off int64) (n int, err error) {
1179         for len(b) != 0 {
1180                 p := &t.pieces[off/t.info.PieceLength]
1181                 p.waitNoPendingWrites()
1182                 var n1 int
1183                 n1, err = p.Storage().ReadAt(b, off-p.Info().Offset())
1184                 if n1 == 0 {
1185                         break
1186                 }
1187                 off += int64(n1)
1188                 n += n1
1189                 b = b[n1:]
1190         }
1191         return
1192 }
1193
1194 // Returns an error if the metadata was completed, but couldn't be set for
1195 // some reason. Blame it on the last peer to contribute.
1196 func (t *Torrent) maybeCompleteMetadata() error {
1197         if t.haveInfo() {
1198                 // Nothing to do.
1199                 return nil
1200         }
1201         if !t.haveAllMetadataPieces() {
1202                 // Don't have enough metadata pieces.
1203                 return nil
1204         }
1205         err := t.setInfoBytes(t.metadataBytes)
1206         if err != nil {
1207                 t.invalidateMetadata()
1208                 return fmt.Errorf("error setting info bytes: %s", err)
1209         }
1210         if t.cl.config.Debug {
1211                 t.logger.Printf("%s: got metadata from peers", t)
1212         }
1213         return nil
1214 }
1215
1216 func (t *Torrent) readerPiecePriorities() (now, readahead bitmap.Bitmap) {
1217         t.forReaderOffsetPieces(func(begin, end pieceIndex) bool {
1218                 if end > begin {
1219                         now.Add(bitmap.BitIndex(begin))
1220                         readahead.AddRange(bitmap.BitIndex(begin)+1, bitmap.BitIndex(end))
1221                 }
1222                 return true
1223         })
1224         return
1225 }
1226
1227 func (t *Torrent) needData() bool {
1228         if t.closed.IsSet() {
1229                 return false
1230         }
1231         if !t.haveInfo() {
1232                 return true
1233         }
1234         return t._pendingPieces.Len() != 0
1235 }
1236
1237 func appendMissingStrings(old, new []string) (ret []string) {
1238         ret = old
1239 new:
1240         for _, n := range new {
1241                 for _, o := range old {
1242                         if o == n {
1243                                 continue new
1244                         }
1245                 }
1246                 ret = append(ret, n)
1247         }
1248         return
1249 }
1250
1251 func appendMissingTrackerTiers(existing [][]string, minNumTiers int) (ret [][]string) {
1252         ret = existing
1253         for minNumTiers > len(ret) {
1254                 ret = append(ret, nil)
1255         }
1256         return
1257 }
1258
1259 func (t *Torrent) addTrackers(announceList [][]string) {
1260         fullAnnounceList := &t.metainfo.AnnounceList
1261         t.metainfo.AnnounceList = appendMissingTrackerTiers(*fullAnnounceList, len(announceList))
1262         for tierIndex, trackerURLs := range announceList {
1263                 (*fullAnnounceList)[tierIndex] = appendMissingStrings((*fullAnnounceList)[tierIndex], trackerURLs)
1264         }
1265         t.startMissingTrackerScrapers()
1266         t.updateWantPeersEvent()
1267 }
1268
1269 // Don't call this before the info is available.
1270 func (t *Torrent) bytesCompleted() int64 {
1271         if !t.haveInfo() {
1272                 return 0
1273         }
1274         return t.info.TotalLength() - t.bytesLeft()
1275 }
1276
1277 func (t *Torrent) SetInfoBytes(b []byte) (err error) {
1278         t.cl.lock()
1279         defer t.cl.unlock()
1280         return t.setInfoBytes(b)
1281 }
1282
1283 // Returns true if connection is removed from torrent.Conns.
1284 func (t *Torrent) deleteConnection(c *PeerConn) (ret bool) {
1285         if !c.closed.IsSet() {
1286                 panic("connection is not closed")
1287                 // There are behaviours prevented by the closed state that will fail
1288                 // if the connection has been deleted.
1289         }
1290         _, ret = t.conns[c]
1291         delete(t.conns, c)
1292         // Avoid adding a drop event more than once. Probably we should track whether we've generated
1293         // the drop event against the PexConnState instead.
1294         if ret {
1295                 if !t.cl.config.DisablePEX {
1296                         t.pex.Drop(c)
1297                 }
1298         }
1299         torrent.Add("deleted connections", 1)
1300         c.deleteAllRequests()
1301         if t.numActivePeers() == 0 {
1302                 t.assertNoPendingRequests()
1303         }
1304         return
1305 }
1306
1307 func (t *Torrent) numActivePeers() (num int) {
1308         t.iterPeers(func(*Peer) {
1309                 num++
1310         })
1311         return
1312 }
1313
1314 func (t *Torrent) assertNoPendingRequests() {
1315         if len(t.pendingRequests) != 0 {
1316                 panic(t.pendingRequests)
1317         }
1318         //if len(t.lastRequested) != 0 {
1319         //      panic(t.lastRequested)
1320         //}
1321 }
1322
1323 func (t *Torrent) dropConnection(c *PeerConn) {
1324         t.cl.event.Broadcast()
1325         c.close()
1326         if t.deleteConnection(c) {
1327                 t.openNewConns()
1328         }
1329 }
1330
1331 func (t *Torrent) wantPeers() bool {
1332         if t.closed.IsSet() {
1333                 return false
1334         }
1335         if t.peers.Len() > t.cl.config.TorrentPeersLowWater {
1336                 return false
1337         }
1338         return t.needData() || t.seeding()
1339 }
1340
1341 func (t *Torrent) updateWantPeersEvent() {
1342         if t.wantPeers() {
1343                 t.wantPeersEvent.Set()
1344         } else {
1345                 t.wantPeersEvent.Clear()
1346         }
1347 }
1348
1349 // Returns whether the client should make effort to seed the torrent.
1350 func (t *Torrent) seeding() bool {
1351         cl := t.cl
1352         if t.closed.IsSet() {
1353                 return false
1354         }
1355         if t.dataUploadDisallowed {
1356                 return false
1357         }
1358         if cl.config.NoUpload {
1359                 return false
1360         }
1361         if !cl.config.Seed {
1362                 return false
1363         }
1364         if cl.config.DisableAggressiveUpload && t.needData() {
1365                 return false
1366         }
1367         return true
1368 }
1369
1370 func (t *Torrent) onWebRtcConn(
1371         c datachannel.ReadWriteCloser,
1372         dcc webtorrent.DataChannelContext,
1373 ) {
1374         defer c.Close()
1375         pc, err := t.cl.initiateProtocolHandshakes(
1376                 context.Background(),
1377                 webrtcNetConn{c, dcc},
1378                 t,
1379                 dcc.LocalOffered,
1380                 false,
1381                 webrtcNetAddr{dcc.Remote},
1382                 webrtcNetwork,
1383                 fmt.Sprintf("webrtc offer_id %x", dcc.OfferId),
1384         )
1385         if err != nil {
1386                 t.logger.WithDefaultLevel(log.Error).Printf("error in handshaking webrtc connection: %v", err)
1387                 return
1388         }
1389         if dcc.LocalOffered {
1390                 pc.Discovery = PeerSourceTracker
1391         } else {
1392                 pc.Discovery = PeerSourceIncoming
1393         }
1394         t.cl.lock()
1395         defer t.cl.unlock()
1396         err = t.cl.runHandshookConn(pc, t)
1397         if err != nil {
1398                 t.logger.WithDefaultLevel(log.Critical).Printf("error running handshook webrtc conn: %v", err)
1399         }
1400 }
1401
1402 func (t *Torrent) logRunHandshookConn(pc *PeerConn, logAll bool, level log.Level) {
1403         err := t.cl.runHandshookConn(pc, t)
1404         if err != nil || logAll {
1405                 t.logger.WithDefaultLevel(level).Printf("error running handshook conn: %v", err)
1406         }
1407 }
1408
1409 func (t *Torrent) runHandshookConnLoggingErr(pc *PeerConn) {
1410         t.logRunHandshookConn(pc, false, log.Debug)
1411 }
1412
1413 func (t *Torrent) startWebsocketAnnouncer(u url.URL) torrentTrackerAnnouncer {
1414         wtc, release := t.cl.websocketTrackers.Get(u.String())
1415         go func() {
1416                 <-t.closed.LockedChan(t.cl.locker())
1417                 release()
1418         }()
1419         wst := websocketTrackerStatus{u, wtc}
1420         go func() {
1421                 err := wtc.Announce(tracker.Started, t.infoHash)
1422                 if err != nil {
1423                         t.logger.WithDefaultLevel(log.Warning).Printf(
1424                                 "error in initial announce to %q: %v",
1425                                 u.String(), err,
1426                         )
1427                 }
1428         }()
1429         return wst
1430
1431 }
1432
1433 func (t *Torrent) startScrapingTracker(_url string) {
1434         if _url == "" {
1435                 return
1436         }
1437         u, err := url.Parse(_url)
1438         if err != nil {
1439                 // URLs with a leading '*' appear to be a uTorrent convention to
1440                 // disable trackers.
1441                 if _url[0] != '*' {
1442                         log.Str("error parsing tracker url").AddValues("url", _url).Log(t.logger)
1443                 }
1444                 return
1445         }
1446         if u.Scheme == "udp" {
1447                 u.Scheme = "udp4"
1448                 t.startScrapingTracker(u.String())
1449                 u.Scheme = "udp6"
1450                 t.startScrapingTracker(u.String())
1451                 return
1452         }
1453         if _, ok := t.trackerAnnouncers[_url]; ok {
1454                 return
1455         }
1456         sl := func() torrentTrackerAnnouncer {
1457                 switch u.Scheme {
1458                 case "ws", "wss":
1459                         if t.cl.config.DisableWebtorrent {
1460                                 return nil
1461                         }
1462                         return t.startWebsocketAnnouncer(*u)
1463                 case "udp4":
1464                         if t.cl.config.DisableIPv4Peers || t.cl.config.DisableIPv4 {
1465                                 return nil
1466                         }
1467                 case "udp6":
1468                         if t.cl.config.DisableIPv6 {
1469                                 return nil
1470                         }
1471                 }
1472                 newAnnouncer := &trackerScraper{
1473                         u: *u,
1474                         t: t,
1475                 }
1476                 go newAnnouncer.Run()
1477                 return newAnnouncer
1478         }()
1479         if sl == nil {
1480                 return
1481         }
1482         if t.trackerAnnouncers == nil {
1483                 t.trackerAnnouncers = make(map[string]torrentTrackerAnnouncer)
1484         }
1485         t.trackerAnnouncers[_url] = sl
1486 }
1487
1488 // Adds and starts tracker scrapers for tracker URLs that aren't already
1489 // running.
1490 func (t *Torrent) startMissingTrackerScrapers() {
1491         if t.cl.config.DisableTrackers {
1492                 return
1493         }
1494         t.startScrapingTracker(t.metainfo.Announce)
1495         for _, tier := range t.metainfo.AnnounceList {
1496                 for _, url := range tier {
1497                         t.startScrapingTracker(url)
1498                 }
1499         }
1500 }
1501
1502 // Returns an AnnounceRequest with fields filled out to defaults and current
1503 // values.
1504 func (t *Torrent) announceRequest(event tracker.AnnounceEvent) tracker.AnnounceRequest {
1505         // Note that IPAddress is not set. It's set for UDP inside the tracker code, since it's
1506         // dependent on the network in use.
1507         return tracker.AnnounceRequest{
1508                 Event: event,
1509                 NumWant: func() int32 {
1510                         if t.wantPeers() && len(t.cl.dialers) > 0 {
1511                                 return -1
1512                         } else {
1513                                 return 0
1514                         }
1515                 }(),
1516                 Port:     uint16(t.cl.incomingPeerPort()),
1517                 PeerId:   t.cl.peerID,
1518                 InfoHash: t.infoHash,
1519                 Key:      t.cl.announceKey(),
1520
1521                 // The following are vaguely described in BEP 3.
1522
1523                 Left:     t.bytesLeftAnnounce(),
1524                 Uploaded: t.stats.BytesWrittenData.Int64(),
1525                 // There's no mention of wasted or unwanted download in the BEP.
1526                 Downloaded: t.stats.BytesReadUsefulData.Int64(),
1527         }
1528 }
1529
1530 // Adds peers revealed in an announce until the announce ends, or we have
1531 // enough peers.
1532 func (t *Torrent) consumeDhtAnnouncePeers(pvs <-chan dht.PeersValues) {
1533         cl := t.cl
1534         for v := range pvs {
1535                 cl.lock()
1536                 for _, cp := range v.Peers {
1537                         if cp.Port == 0 {
1538                                 // Can't do anything with this.
1539                                 continue
1540                         }
1541                         t.addPeer(PeerInfo{
1542                                 Addr:   ipPortAddr{cp.IP, cp.Port},
1543                                 Source: PeerSourceDhtGetPeers,
1544                         })
1545                 }
1546                 cl.unlock()
1547         }
1548 }
1549
1550 func (t *Torrent) announceToDht(impliedPort bool, s DhtServer) error {
1551         ps, err := s.Announce(t.infoHash, t.cl.incomingPeerPort(), impliedPort)
1552         if err != nil {
1553                 return err
1554         }
1555         go t.consumeDhtAnnouncePeers(ps.Peers())
1556         select {
1557         case <-t.closed.LockedChan(t.cl.locker()):
1558         case <-time.After(5 * time.Minute):
1559         }
1560         ps.Close()
1561         return nil
1562 }
1563
1564 func (t *Torrent) dhtAnnouncer(s DhtServer) {
1565         cl := t.cl
1566         cl.lock()
1567         defer cl.unlock()
1568         for {
1569                 for {
1570                         if t.closed.IsSet() {
1571                                 return
1572                         }
1573                         if !t.wantPeers() {
1574                                 goto wait
1575                         }
1576                         // TODO: Determine if there's a listener on the port we're announcing.
1577                         if len(cl.dialers) == 0 && len(cl.listeners) == 0 {
1578                                 goto wait
1579                         }
1580                         break
1581                 wait:
1582                         cl.event.Wait()
1583                 }
1584                 func() {
1585                         t.numDHTAnnounces++
1586                         cl.unlock()
1587                         defer cl.lock()
1588                         err := t.announceToDht(true, s)
1589                         if err != nil {
1590                                 t.logger.WithDefaultLevel(log.Warning).Printf("error announcing %q to DHT: %s", t, err)
1591                         }
1592                 }()
1593         }
1594 }
1595
1596 func (t *Torrent) addPeers(peers []PeerInfo) (added int) {
1597         for _, p := range peers {
1598                 if t.addPeer(p) {
1599                         added++
1600                 }
1601         }
1602         return
1603 }
1604
1605 // The returned TorrentStats may require alignment in memory. See
1606 // https://github.com/anacrolix/torrent/issues/383.
1607 func (t *Torrent) Stats() TorrentStats {
1608         t.cl.rLock()
1609         defer t.cl.rUnlock()
1610         return t.statsLocked()
1611 }
1612
1613 func (t *Torrent) statsLocked() (ret TorrentStats) {
1614         ret.ActivePeers = len(t.conns)
1615         ret.HalfOpenPeers = len(t.halfOpen)
1616         ret.PendingPeers = t.peers.Len()
1617         ret.TotalPeers = t.numTotalPeers()
1618         ret.ConnectedSeeders = 0
1619         for c := range t.conns {
1620                 if all, ok := c.peerHasAllPieces(); all && ok {
1621                         ret.ConnectedSeeders++
1622                 }
1623         }
1624         ret.ConnStats = t.stats.Copy()
1625         return
1626 }
1627
1628 // The total number of peers in the torrent.
1629 func (t *Torrent) numTotalPeers() int {
1630         peers := make(map[string]struct{})
1631         for conn := range t.conns {
1632                 ra := conn.conn.RemoteAddr()
1633                 if ra == nil {
1634                         // It's been closed and doesn't support RemoteAddr.
1635                         continue
1636                 }
1637                 peers[ra.String()] = struct{}{}
1638         }
1639         for addr := range t.halfOpen {
1640                 peers[addr] = struct{}{}
1641         }
1642         t.peers.Each(func(peer PeerInfo) {
1643                 peers[peer.Addr.String()] = struct{}{}
1644         })
1645         return len(peers)
1646 }
1647
1648 // Reconcile bytes transferred before connection was associated with a
1649 // torrent.
1650 func (t *Torrent) reconcileHandshakeStats(c *PeerConn) {
1651         if c._stats != (ConnStats{
1652                 // Handshakes should only increment these fields:
1653                 BytesWritten: c._stats.BytesWritten,
1654                 BytesRead:    c._stats.BytesRead,
1655         }) {
1656                 panic("bad stats")
1657         }
1658         c.postHandshakeStats(func(cs *ConnStats) {
1659                 cs.BytesRead.Add(c._stats.BytesRead.Int64())
1660                 cs.BytesWritten.Add(c._stats.BytesWritten.Int64())
1661         })
1662         c.reconciledHandshakeStats = true
1663 }
1664
1665 // Returns true if the connection is added.
1666 func (t *Torrent) addConnection(c *PeerConn) (err error) {
1667         defer func() {
1668                 if err == nil {
1669                         torrent.Add("added connections", 1)
1670                 }
1671         }()
1672         if t.closed.IsSet() {
1673                 return errors.New("torrent closed")
1674         }
1675         for c0 := range t.conns {
1676                 if c.PeerID != c0.PeerID {
1677                         continue
1678                 }
1679                 if !t.cl.config.DropDuplicatePeerIds {
1680                         continue
1681                 }
1682                 if left, ok := c.hasPreferredNetworkOver(c0); ok && left {
1683                         c0.close()
1684                         t.deleteConnection(c0)
1685                 } else {
1686                         return errors.New("existing connection preferred")
1687                 }
1688         }
1689         if len(t.conns) >= t.maxEstablishedConns {
1690                 c := t.worstBadConn()
1691                 if c == nil {
1692                         return errors.New("don't want conns")
1693                 }
1694                 c.close()
1695                 t.deleteConnection(c)
1696         }
1697         if len(t.conns) >= t.maxEstablishedConns {
1698                 panic(len(t.conns))
1699         }
1700         t.conns[c] = struct{}{}
1701         if !t.cl.config.DisablePEX && !c.PeerExtensionBytes.SupportsExtended() {
1702                 t.pex.Add(c) // as no further extended handshake expected
1703         }
1704         return nil
1705 }
1706
1707 func (t *Torrent) wantConns() bool {
1708         if !t.networkingEnabled {
1709                 return false
1710         }
1711         if t.closed.IsSet() {
1712                 return false
1713         }
1714         if !t.seeding() && !t.needData() {
1715                 return false
1716         }
1717         if len(t.conns) < t.maxEstablishedConns {
1718                 return true
1719         }
1720         return t.worstBadConn() != nil
1721 }
1722
1723 func (t *Torrent) SetMaxEstablishedConns(max int) (oldMax int) {
1724         t.cl.lock()
1725         defer t.cl.unlock()
1726         oldMax = t.maxEstablishedConns
1727         t.maxEstablishedConns = max
1728         wcs := slices.HeapInterface(slices.FromMapKeys(t.conns), func(l, r *PeerConn) bool {
1729                 return worseConn(&l.Peer, &r.Peer)
1730         })
1731         for len(t.conns) > t.maxEstablishedConns && wcs.Len() > 0 {
1732                 t.dropConnection(wcs.Pop().(*PeerConn))
1733         }
1734         t.openNewConns()
1735         return oldMax
1736 }
1737
1738 func (t *Torrent) pieceHashed(piece pieceIndex, passed bool, hashIoErr error) {
1739         t.logger.Log(log.Fstr("hashed piece %d (passed=%t)", piece, passed).SetLevel(log.Debug))
1740         p := t.piece(piece)
1741         p.numVerifies++
1742         t.cl.event.Broadcast()
1743         if t.closed.IsSet() {
1744                 return
1745         }
1746
1747         // Don't score the first time a piece is hashed, it could be an initial check.
1748         if p.storageCompletionOk {
1749                 if passed {
1750                         pieceHashedCorrect.Add(1)
1751                 } else {
1752                         log.Fmsg("piece %d failed hash: %d connections contributed", piece, len(p.dirtiers)).AddValues(t, p).Log(t.logger)
1753                         pieceHashedNotCorrect.Add(1)
1754                 }
1755         }
1756
1757         p.marking = true
1758         t.publishPieceChange(piece)
1759         defer func() {
1760                 p.marking = false
1761                 t.publishPieceChange(piece)
1762         }()
1763
1764         if passed {
1765                 if len(p.dirtiers) != 0 {
1766                         // Don't increment stats above connection-level for every involved connection.
1767                         t.allStats((*ConnStats).incrementPiecesDirtiedGood)
1768                 }
1769                 for c := range p.dirtiers {
1770                         c._stats.incrementPiecesDirtiedGood()
1771                 }
1772                 t.clearPieceTouchers(piece)
1773                 t.cl.unlock()
1774                 err := p.Storage().MarkComplete()
1775                 if err != nil {
1776                         t.logger.Printf("%T: error marking piece complete %d: %s", t.storage, piece, err)
1777                 }
1778                 t.cl.lock()
1779
1780                 if t.closed.IsSet() {
1781                         return
1782                 }
1783                 t.pendAllChunkSpecs(piece)
1784         } else {
1785                 if len(p.dirtiers) != 0 && p.allChunksDirty() && hashIoErr == nil {
1786                         // Peers contributed to all the data for this piece hash failure, and the failure was
1787                         // not due to errors in the storage (such as data being dropped in a cache).
1788
1789                         // Increment Torrent and above stats, and then specific connections.
1790                         t.allStats((*ConnStats).incrementPiecesDirtiedBad)
1791                         for c := range p.dirtiers {
1792                                 // Y u do dis peer?!
1793                                 c.stats().incrementPiecesDirtiedBad()
1794                         }
1795
1796                         bannableTouchers := make([]*Peer, 0, len(p.dirtiers))
1797                         for c := range p.dirtiers {
1798                                 if !c.trusted {
1799                                         bannableTouchers = append(bannableTouchers, c)
1800                                 }
1801                         }
1802                         t.clearPieceTouchers(piece)
1803                         slices.Sort(bannableTouchers, connLessTrusted)
1804
1805                         if t.cl.config.Debug {
1806                                 t.logger.Printf(
1807                                         "bannable conns by trust for piece %d: %v",
1808                                         piece,
1809                                         func() (ret []connectionTrust) {
1810                                                 for _, c := range bannableTouchers {
1811                                                         ret = append(ret, c.trust())
1812                                                 }
1813                                                 return
1814                                         }(),
1815                                 )
1816                         }
1817
1818                         if len(bannableTouchers) >= 1 {
1819                                 c := bannableTouchers[0]
1820                                 t.cl.banPeerIP(c.remoteIp())
1821                                 c.drop()
1822                         }
1823                 }
1824                 t.onIncompletePiece(piece)
1825                 p.Storage().MarkNotComplete()
1826         }
1827         t.updatePieceCompletion(piece)
1828 }
1829
1830 func (t *Torrent) cancelRequestsForPiece(piece pieceIndex) {
1831         // TODO: Make faster
1832         for cn := range t.conns {
1833                 cn.tickleWriter()
1834         }
1835 }
1836
1837 func (t *Torrent) onPieceCompleted(piece pieceIndex) {
1838         t.pendAllChunkSpecs(piece)
1839         t.cancelRequestsForPiece(piece)
1840         for conn := range t.conns {
1841                 conn.have(piece)
1842                 t.maybeDropMutuallyCompletePeer(&conn.Peer)
1843         }
1844 }
1845
1846 // Called when a piece is found to be not complete.
1847 func (t *Torrent) onIncompletePiece(piece pieceIndex) {
1848         if t.pieceAllDirty(piece) {
1849                 t.pendAllChunkSpecs(piece)
1850         }
1851         if !t.wantPieceIndex(piece) {
1852                 // t.logger.Printf("piece %d incomplete and unwanted", piece)
1853                 return
1854         }
1855         // We could drop any connections that we told we have a piece that we
1856         // don't here. But there's a test failure, and it seems clients don't care
1857         // if you request pieces that you already claim to have. Pruning bad
1858         // connections might just remove any connections that aren't treating us
1859         // favourably anyway.
1860
1861         // for c := range t.conns {
1862         //      if c.sentHave(piece) {
1863         //              c.drop()
1864         //      }
1865         // }
1866         t.iterPeers(func(conn *Peer) {
1867                 if conn.peerHasPiece(piece) {
1868                         conn.updateRequests()
1869                 }
1870         })
1871 }
1872
1873 func (t *Torrent) tryCreateMorePieceHashers() {
1874         for !t.closed.IsSet() && t.activePieceHashes < 2 && t.tryCreatePieceHasher() {
1875         }
1876 }
1877
1878 func (t *Torrent) tryCreatePieceHasher() bool {
1879         if t.storage == nil {
1880                 return false
1881         }
1882         pi, ok := t.getPieceToHash()
1883         if !ok {
1884                 return false
1885         }
1886         p := t.piece(pi)
1887         t.piecesQueuedForHash.Remove(pi)
1888         p.hashing = true
1889         t.publishPieceChange(pi)
1890         t.updatePiecePriority(pi)
1891         t.storageLock.RLock()
1892         t.activePieceHashes++
1893         go t.pieceHasher(pi)
1894         return true
1895 }
1896
1897 func (t *Torrent) getPieceToHash() (ret pieceIndex, ok bool) {
1898         t.piecesQueuedForHash.IterTyped(func(i pieceIndex) bool {
1899                 if t.piece(i).hashing {
1900                         return true
1901                 }
1902                 ret = i
1903                 ok = true
1904                 return false
1905         })
1906         return
1907 }
1908
1909 func (t *Torrent) pieceHasher(index pieceIndex) {
1910         p := t.piece(index)
1911         sum, copyErr := t.hashPiece(index)
1912         correct := sum == *p.hash
1913         switch copyErr {
1914         case nil, io.EOF:
1915         default:
1916                 log.Fmsg("piece %v (%s) hash failure copy error: %v", p, p.hash.HexString(), copyErr).Log(t.logger)
1917         }
1918         t.storageLock.RUnlock()
1919         t.cl.lock()
1920         defer t.cl.unlock()
1921         p.hashing = false
1922         t.updatePiecePriority(index)
1923         t.pieceHashed(index, correct, copyErr)
1924         t.publishPieceChange(index)
1925         t.activePieceHashes--
1926         t.tryCreateMorePieceHashers()
1927 }
1928
1929 // Return the connections that touched a piece, and clear the entries while doing it.
1930 func (t *Torrent) clearPieceTouchers(pi pieceIndex) {
1931         p := t.piece(pi)
1932         for c := range p.dirtiers {
1933                 delete(c.peerTouchedPieces, pi)
1934                 delete(p.dirtiers, c)
1935         }
1936 }
1937
1938 func (t *Torrent) peersAsSlice() (ret []*Peer) {
1939         t.iterPeers(func(p *Peer) {
1940                 ret = append(ret, p)
1941         })
1942         return
1943 }
1944
1945 func (t *Torrent) queuePieceCheck(pieceIndex pieceIndex) {
1946         piece := t.piece(pieceIndex)
1947         if piece.queuedForHash() {
1948                 return
1949         }
1950         t.piecesQueuedForHash.Add(bitmap.BitIndex(pieceIndex))
1951         t.publishPieceChange(pieceIndex)
1952         t.updatePiecePriority(pieceIndex)
1953         t.tryCreateMorePieceHashers()
1954 }
1955
1956 // Forces all the pieces to be re-hashed. See also Piece.VerifyData. This should not be called
1957 // before the Info is available.
1958 func (t *Torrent) VerifyData() {
1959         for i := pieceIndex(0); i < t.NumPieces(); i++ {
1960                 t.Piece(i).VerifyData()
1961         }
1962 }
1963
1964 // Start the process of connecting to the given peer for the given torrent if appropriate.
1965 func (t *Torrent) initiateConn(peer PeerInfo) {
1966         if peer.Id == t.cl.peerID {
1967                 return
1968         }
1969         if t.cl.badPeerAddr(peer.Addr) && !peer.Trusted {
1970                 return
1971         }
1972         addr := peer.Addr
1973         if t.addrActive(addr.String()) {
1974                 return
1975         }
1976         t.cl.numHalfOpen++
1977         t.halfOpen[addr.String()] = peer
1978         go t.cl.outgoingConnection(t, addr, peer.Source, peer.Trusted)
1979 }
1980
1981 // Adds a trusted, pending peer for each of the given Client's addresses. Typically used in tests to
1982 // quickly make one Client visible to the Torrent of another Client.
1983 func (t *Torrent) AddClientPeer(cl *Client) int {
1984         return t.AddPeers(func() (ps []PeerInfo) {
1985                 for _, la := range cl.ListenAddrs() {
1986                         ps = append(ps, PeerInfo{
1987                                 Addr:    la,
1988                                 Trusted: true,
1989                         })
1990                 }
1991                 return
1992         }())
1993 }
1994
1995 // All stats that include this Torrent. Useful when we want to increment ConnStats but not for every
1996 // connection.
1997 func (t *Torrent) allStats(f func(*ConnStats)) {
1998         f(&t.stats)
1999         f(&t.cl.stats)
2000 }
2001
2002 func (t *Torrent) hashingPiece(i pieceIndex) bool {
2003         return t.pieces[i].hashing
2004 }
2005
2006 func (t *Torrent) pieceQueuedForHash(i pieceIndex) bool {
2007         return t.piecesQueuedForHash.Get(bitmap.BitIndex(i))
2008 }
2009
2010 func (t *Torrent) dialTimeout() time.Duration {
2011         return reducedDialTimeout(t.cl.config.MinDialTimeout, t.cl.config.NominalDialTimeout, t.cl.config.HalfOpenConnsPerTorrent, t.peers.Len())
2012 }
2013
2014 func (t *Torrent) piece(i int) *Piece {
2015         return &t.pieces[i]
2016 }
2017
2018 func (t *Torrent) requestStrategyTorrent() requestStrategyTorrent {
2019         return t
2020 }
2021
2022 type torrentRequestStrategyCallbacks struct {
2023         t *Torrent
2024 }
2025
2026 func (cb torrentRequestStrategyCallbacks) requestTimedOut(r Request) {
2027         torrent.Add("Request timeouts", 1)
2028         cb.t.cl.lock()
2029         defer cb.t.cl.unlock()
2030         cb.t.iterPeers(func(cn *Peer) {
2031                 if cn.peerHasPiece(pieceIndex(r.Index)) {
2032                         cn.updateRequests()
2033                 }
2034         })
2035
2036 }
2037
2038 func (t *Torrent) requestStrategyCallbacks() requestStrategyCallbacks {
2039         return torrentRequestStrategyCallbacks{t}
2040 }
2041
2042 func (t *Torrent) onWriteChunkErr(err error) {
2043         if t.userOnWriteChunkErr != nil {
2044                 go t.userOnWriteChunkErr(err)
2045                 return
2046         }
2047         t.logger.WithDefaultLevel(log.Critical).Printf("default chunk write error handler: disabling data download")
2048         t.disallowDataDownloadLocked()
2049 }
2050
2051 func (t *Torrent) DisallowDataDownload() {
2052         t.cl.lock()
2053         defer t.cl.unlock()
2054         t.disallowDataDownloadLocked()
2055 }
2056
2057 func (t *Torrent) disallowDataDownloadLocked() {
2058         t.dataDownloadDisallowed = true
2059         t.iterPeers(func(c *Peer) {
2060                 c.updateRequests()
2061         })
2062         t.tickleReaders()
2063 }
2064
2065 func (t *Torrent) AllowDataDownload() {
2066         t.cl.lock()
2067         defer t.cl.unlock()
2068         t.dataDownloadDisallowed = false
2069         t.tickleReaders()
2070         t.iterPeers(func(c *Peer) {
2071                 c.updateRequests()
2072         })
2073 }
2074
2075 // Enables uploading data, if it was disabled.
2076 func (t *Torrent) AllowDataUpload() {
2077         t.cl.lock()
2078         defer t.cl.unlock()
2079         t.dataUploadDisallowed = false
2080         for c := range t.conns {
2081                 c.updateRequests()
2082         }
2083 }
2084
2085 // Disables uploading data, if it was enabled.
2086 func (t *Torrent) DisallowDataUpload() {
2087         t.cl.lock()
2088         defer t.cl.unlock()
2089         t.dataUploadDisallowed = true
2090         for c := range t.conns {
2091                 c.updateRequests()
2092         }
2093 }
2094
2095 // Sets a handler that is called if there's an error writing a chunk to local storage. By default,
2096 // or if nil, a critical message is logged, and data download is disabled.
2097 func (t *Torrent) SetOnWriteChunkError(f func(error)) {
2098         t.cl.lock()
2099         defer t.cl.unlock()
2100         t.userOnWriteChunkErr = f
2101 }
2102
2103 func (t *Torrent) iterPeers(f func(*Peer)) {
2104         for pc := range t.conns {
2105                 f(&pc.Peer)
2106         }
2107         for _, ws := range t.webSeeds {
2108                 f(ws)
2109         }
2110 }
2111
2112 func (t *Torrent) callbacks() *Callbacks {
2113         return &t.cl.config.Callbacks
2114 }
2115
2116 var WebseedHttpClient = &http.Client{
2117         Transport: &http.Transport{
2118                 MaxConnsPerHost: 10,
2119         },
2120 }
2121
2122 func (t *Torrent) addWebSeed(url string) {
2123         if t.cl.config.DisableWebseeds {
2124                 return
2125         }
2126         if _, ok := t.webSeeds[url]; ok {
2127                 return
2128         }
2129         const maxRequests = 10
2130         ws := webseedPeer{
2131                 peer: Peer{
2132                         t:                        t,
2133                         outgoing:                 true,
2134                         Network:                  "http",
2135                         reconciledHandshakeStats: true,
2136                         peerSentHaveAll:          true,
2137                         // TODO: Raise this limit, and instead limit concurrent fetches.
2138                         PeerMaxRequests: 32,
2139                         RemoteAddr:      remoteAddrFromUrl(url),
2140                         callbacks:       t.callbacks(),
2141                 },
2142                 client: webseed.Client{
2143                         // Consider a MaxConnsPerHost in the transport for this, possibly in a global Client.
2144                         HttpClient: WebseedHttpClient,
2145                         Url:        url,
2146                 },
2147                 activeRequests: make(map[Request]webseed.Request, maxRequests),
2148         }
2149         ws.requesterCond.L = t.cl.locker()
2150         for range iter.N(maxRequests) {
2151                 go ws.requester()
2152         }
2153         for _, f := range t.callbacks().NewPeer {
2154                 f(&ws.peer)
2155         }
2156         ws.peer.logger = t.logger.WithContextValue(&ws)
2157         ws.peer.peerImpl = &ws
2158         if t.haveInfo() {
2159                 ws.onGotInfo(t.info)
2160         }
2161         t.webSeeds[url] = &ws.peer
2162 }
2163
2164 func (t *Torrent) peerIsActive(p *Peer) (active bool) {
2165         t.iterPeers(func(p1 *Peer) {
2166                 if p1 == p {
2167                         active = true
2168                 }
2169         })
2170         return
2171 }