torrent/torrent.go

770 lines
16 KiB
Go
Raw Normal View History

package torrent
import (
"container/heap"
"errors"
"fmt"
"io"
"log"
"net"
2015-03-04 02:06:33 +00:00
"os"
"sort"
"sync"
2014-12-01 22:40:18 +00:00
"time"
2014-08-21 11:08:56 +00:00
2015-03-10 15:41:21 +00:00
"github.com/bradfitz/iter"
"bitbucket.org/anacrolix/go.torrent/data"
2014-08-21 11:08:56 +00:00
pp "bitbucket.org/anacrolix/go.torrent/peer_protocol"
"bitbucket.org/anacrolix/go.torrent/tracker"
2014-12-28 01:51:09 +00:00
"bitbucket.org/anacrolix/go.torrent/util"
2014-08-21 11:08:56 +00:00
"github.com/anacrolix/libtorgo/bencode"
"github.com/anacrolix/libtorgo/metainfo"
)
2015-03-10 15:41:21 +00:00
func (t *torrent) PieceNumPendingBytes(index int) (count pp.Integer) {
if t.pieceComplete(index) {
return 0
}
2015-03-10 15:41:21 +00:00
piece := t.Pieces[index]
if !piece.EverHashed {
return t.PieceLength(index)
}
pendingChunks := t.Pieces[index].PendingChunkSpecs
2014-05-23 10:58:11 +00:00
count = pp.Integer(len(pendingChunks)) * chunkSize
_lastChunkSpec := lastChunkSpec(t.PieceLength(index))
if _lastChunkSpec.Length != chunkSize {
if _, ok := pendingChunks[_lastChunkSpec]; ok {
count += _lastChunkSpec.Length - chunkSize
}
}
return
}
type peersKey struct {
IPBytes string
Port int
}
// Data maintains per-piece persistent state.
type StatefulData interface {
2015-03-08 06:28:14 +00:00
data.Data
2015-02-27 01:45:55 +00:00
// We believe the piece data will pass a hash check.
PieceCompleted(index int) error
// Returns true if the piece is complete.
PieceComplete(index int) bool
}
2015-02-24 14:34:57 +00:00
// Is not aware of Client. Maintains state of torrent for with-in a Client.
type torrent struct {
stateMu sync.Mutex
closing chan struct{}
// Closed when no more network activity is desired. This includes
// announcing, and communicating with peers.
ceasingNetworking chan struct{}
InfoHash InfoHash
2014-12-28 01:51:09 +00:00
Pieces []*piece
// Total length of the torrent in bytes. Stored because it's not O(1) to
// get this from the info dict.
length int64
2015-03-10 15:41:21 +00:00
data StatefulData
// The info dict. Nil if we don't have it.
2015-02-26 11:17:58 +00:00
Info *metainfo.Info
// Active peer connections, running message stream loops.
Conns []*connection
// Set of addrs to which we're attempting to connect. Connections are
// half-open until all handshakes are completed.
HalfOpen map[string]struct{}
// Reserve of peers to connect to. A peer can be both here and in the
// active connections if were told about the peer after connecting with
// them. That encourages us to reconnect to peers that are well known.
Peers map[peersKey]Peer
wantPeers sync.Cond
// BEP 12 Multitracker Metadata Extension. The tracker.Client instances
2015-02-24 14:34:57 +00:00
// mirror their respective URLs from the announce-list metainfo key.
Trackers [][]tracker.Client
// Name used if the info name isn't available.
DisplayName string
// The bencoded bytes of the info dict.
MetaData []byte
// Each element corresponds to the 16KiB metadata pieces. If true, we have
// received that piece.
metadataHave []bool
// Closed when .Info is set.
gotMetainfo chan struct{}
GotMetainfo <-chan struct{}
pruneTimer *time.Timer
2014-06-28 09:38:31 +00:00
}
2015-03-10 15:41:21 +00:00
func (t *torrent) pieceComplete(piece int) bool {
// TODO: This is called when setting metadata, and before storage is
// assigned, which doesn't seem right.
return t.data != nil && t.data.PieceComplete(piece)
}
// A file-like handle to torrent data that implements SectionOpener. Opened
2015-03-04 02:06:33 +00:00
// sections will be reused so long as Reads and ReadAt's are contiguous.
type handle struct {
rc io.ReadCloser
2015-03-04 02:06:33 +00:00
rcOff int64
curOff int64
so SectionOpener
size int64
t Torrent
}
func (h *handle) Close() error {
if h.rc != nil {
return h.rc.Close()
}
return nil
}
2015-03-04 02:06:33 +00:00
func (h *handle) ReadAt(b []byte, off int64) (n int, err error) {
return h.readAt(b, off)
}
func (h *handle) readAt(b []byte, off int64) (n int, err error) {
avail := h.t.prepareRead(off)
if int64(len(b)) > avail {
b = b[:avail]
}
if int64(len(b)) > h.size-off {
b = b[:h.size-off]
}
if h.rcOff != off && h.rc != nil {
h.rc.Close()
h.rc = nil
}
if h.rc == nil {
2015-03-04 02:06:33 +00:00
h.rc, err = h.so.OpenSection(off, h.size-off)
if err != nil {
return
}
2015-03-04 02:06:33 +00:00
h.rcOff = off
}
n, err = h.rc.Read(b)
2015-03-04 02:06:33 +00:00
h.rcOff += int64(n)
return
}
func (h *handle) Read(b []byte) (n int, err error) {
n, err = h.readAt(b, h.curOff)
h.curOff = h.rcOff
return
}
func (h *handle) Seek(off int64, whence int) (newOff int64, err error) {
switch whence {
2015-03-04 02:06:33 +00:00
case os.SEEK_SET:
h.curOff = off
case os.SEEK_CUR:
h.curOff += off
case os.SEEK_END:
h.curOff = h.size + off
default:
err = errors.New("bad whence")
}
2015-03-04 02:06:33 +00:00
newOff = h.curOff
return
}
// Implements Handle on top of an io.SectionReader.
type sectionReaderHandle struct {
*io.SectionReader
}
func (sectionReaderHandle) Close() error { return nil }
func (T Torrent) NewReadHandle() Handle {
if so, ok := T.data.(SectionOpener); ok {
return &handle{
so: so,
size: T.Length(),
t: T,
}
}
return sectionReaderHandle{io.NewSectionReader(T, 0, T.Length())}
}
func (t *torrent) numConnsUnchoked() (num int) {
for _, c := range t.Conns {
if !c.PeerChoked {
num++
}
}
return
}
// There's a connection to that address already.
func (t *torrent) addrActive(addr string) bool {
if _, ok := t.HalfOpen[addr]; ok {
return true
}
for _, c := range t.Conns {
if c.remoteAddr().String() == addr {
return true
}
}
return false
}
func (t *torrent) worstConnsHeap() (wcs *worstConns) {
wcs = &worstConns{
c: append([]*connection{}, t.Conns...),
t: t,
}
heap.Init(wcs)
return
}
func (t *torrent) ceaseNetworking() {
t.stateMu.Lock()
defer t.stateMu.Unlock()
select {
case <-t.ceasingNetworking:
return
default:
}
close(t.ceasingNetworking)
for _, c := range t.Conns {
c.Close()
}
t.pruneTimer.Stop()
}
2015-03-08 06:28:14 +00:00
func (t *torrent) addPeer(p Peer) {
t.Peers[peersKey{string(p.IP), p.Port}] = p
}
func (t *torrent) invalidateMetadata() {
t.MetaData = nil
t.metadataHave = nil
2014-06-28 09:38:31 +00:00
t.Info = nil
}
func (t *torrent) SaveMetadataPiece(index int, data []byte) {
if t.haveInfo() {
return
}
if index >= len(t.metadataHave) {
log.Printf("%s: ignoring metadata piece %d", t, index)
return
}
2014-06-28 09:38:31 +00:00
copy(t.MetaData[(1<<14)*index:], data)
t.metadataHave[index] = true
}
func (t *torrent) metadataPieceCount() int {
2014-06-28 09:38:31 +00:00
return (len(t.MetaData) + (1 << 14) - 1) / (1 << 14)
}
func (t *torrent) haveMetadataPiece(piece int) bool {
if t.haveInfo() {
return (1<<14)*piece < len(t.MetaData)
} else {
2014-08-25 12:15:45 +00:00
return piece < len(t.metadataHave) && t.metadataHave[piece]
}
}
2014-06-28 09:38:31 +00:00
func (t *torrent) metadataSizeKnown() bool {
return t.MetaData != nil
}
func (t *torrent) metadataSize() int {
return len(t.MetaData)
}
func infoPieceHashes(info *metainfo.Info) (ret []string) {
for i := 0; i < len(info.Pieces); i += 20 {
ret = append(ret, string(info.Pieces[i:i+20]))
}
return
}
// Called when metadata for a torrent becomes available.
func (t *torrent) setMetadata(md metainfo.Info, infoBytes []byte, eventLocker sync.Locker) (err error) {
2015-02-26 11:17:58 +00:00
t.Info = &md
t.length = 0
for _, f := range t.Info.UpvertedFiles() {
t.length += f.Length
}
2014-06-28 09:38:31 +00:00
t.MetaData = infoBytes
t.metadataHave = nil
for _, hash := range infoPieceHashes(&md) {
2014-12-28 01:51:09 +00:00
piece := &piece{}
piece.Event.L = eventLocker
2014-08-21 08:24:19 +00:00
util.CopyExact(piece.Hash[:], hash)
2014-06-28 09:38:31 +00:00
t.Pieces = append(t.Pieces, piece)
}
for _, conn := range t.Conns {
t.initRequestOrdering(conn)
if err := conn.setNumPieces(t.numPieces()); err != nil {
log.Printf("closing connection: %s", err)
conn.Close()
}
}
return
}
2015-03-08 06:28:14 +00:00
func (t *torrent) setStorage(td data.Data) (err error) {
if c, ok := t.data.(io.Closer); ok {
c.Close()
}
2015-03-10 15:41:21 +00:00
if sd, ok := td.(StatefulData); ok {
t.data = sd
} else {
t.data = &statelessDataWrapper{td, make([]bool, t.Info.NumPieces())}
2015-02-27 01:45:55 +00:00
}
2014-06-28 09:38:31 +00:00
return
}
func (t *torrent) haveAllMetadataPieces() bool {
2014-06-28 09:38:31 +00:00
if t.haveInfo() {
return true
}
if t.metadataHave == nil {
return false
}
2014-06-28 09:38:31 +00:00
for _, have := range t.metadataHave {
if !have {
return false
}
}
return true
}
2014-06-28 09:38:31 +00:00
func (t *torrent) SetMetadataSize(bytes int64) {
if t.MetaData != nil {
return
}
if bytes > 10000000 { // 10MB, pulled from my ass.
return
}
t.MetaData = make([]byte, bytes)
2014-06-28 09:38:31 +00:00
t.metadataHave = make([]bool, (bytes+(1<<14)-1)/(1<<14))
}
2015-03-09 06:35:29 +00:00
// The current working name for the torrent. Either the name in the info dict,
// or a display name given such as by the dn value in a magnet link, or "".
func (t *torrent) Name() string {
if t.haveInfo() {
return t.Info.Name
}
if t.DisplayName != "" {
return t.DisplayName
}
2015-03-09 06:35:29 +00:00
return ""
}
func (t *torrent) pieceStatusChar(index int) byte {
p := t.Pieces[index]
switch {
2015-03-10 15:41:21 +00:00
case t.pieceComplete(index):
return 'C'
case p.QueuedForHash:
return 'Q'
case p.Hashing:
return 'H'
2014-09-13 17:43:11 +00:00
case !p.EverHashed:
return '?'
case t.piecePartiallyDownloaded(index):
switch p.Priority {
case piecePriorityNone:
return 'F' // Forgotten
default:
return 'P'
}
default:
switch p.Priority {
case piecePriorityNone:
return 'z'
case piecePriorityNow:
return '!'
case piecePriorityReadahead:
return 'R'
case piecePriorityNext:
return 'N'
default:
return '.'
}
}
}
2014-06-28 09:38:31 +00:00
func (t *torrent) metadataPieceSize(piece int) int {
return metadataPieceSize(len(t.MetaData), piece)
}
func (t *torrent) newMetadataExtensionMessage(c *connection, msgType int, piece int, data []byte) pp.Message {
2014-06-28 09:38:31 +00:00
d := map[string]int{
"msg_type": msgType,
"piece": piece,
}
if data != nil {
d["total_size"] = len(t.MetaData)
}
p, err := bencode.Marshal(d)
if err != nil {
panic(err)
}
return pp.Message{
Type: pp.Extended,
ExtendedID: byte(c.PeerExtensionIDs["ut_metadata"]),
ExtendedPayload: append(p, data...),
}
}
2015-01-26 09:52:59 +00:00
type PieceStatusCharSequence struct {
Char byte
Count int
}
func (t *torrent) PieceStatusCharSequences() []PieceStatusCharSequence {
t.stateMu.Lock()
defer t.stateMu.Unlock()
return t.pieceStatusCharSequences()
}
// Returns the length of sequences of identical piece status chars.
func (t *torrent) pieceStatusCharSequences() (ret []PieceStatusCharSequence) {
var (
char byte
count int
)
writeSequence := func() {
ret = append(ret, PieceStatusCharSequence{char, count})
}
if len(t.Pieces) != 0 {
char = t.pieceStatusChar(0)
}
for index := range t.Pieces {
char1 := t.pieceStatusChar(index)
if char1 == char {
count++
} else {
writeSequence()
char = char1
count = 1
}
}
if count != 0 {
writeSequence()
}
return
}
func (t *torrent) WriteStatus(w io.Writer) {
2014-07-09 14:26:58 +00:00
fmt.Fprintf(w, "Infohash: %x\n", t.InfoHash)
2014-08-25 12:15:45 +00:00
fmt.Fprintf(w, "Piece length: %s\n", func() string {
if t.haveInfo() {
return fmt.Sprint(t.usualPieceSize())
2014-08-25 12:15:45 +00:00
} else {
return "?"
}
}())
if t.haveInfo() {
fmt.Fprint(w, "Pieces: ")
2015-01-26 09:52:59 +00:00
for _, seq := range t.pieceStatusCharSequences() {
fmt.Fprintf(w, "%d%c ", seq.Count, seq.Char)
2014-09-13 17:43:11 +00:00
}
fmt.Fprintln(w)
}
2014-11-21 06:07:42 +00:00
fmt.Fprintf(w, "Trackers: ")
for _, tier := range t.Trackers {
for _, tr := range tier {
fmt.Fprintf(w, "%q ", tr.String())
}
}
fmt.Fprintf(w, "\n")
fmt.Fprintf(w, "Pending peers: %d\n", len(t.Peers))
fmt.Fprintf(w, "Half open: %d\n", len(t.HalfOpen))
2014-08-22 07:33:17 +00:00
fmt.Fprintf(w, "Active peers: %d\n", len(t.Conns))
sort.Sort(&worstConns{
c: t.Conns,
t: t,
})
for _, c := range t.Conns {
2015-03-12 09:06:23 +00:00
c.WriteStatus(w, t)
}
}
func (t *torrent) String() string {
s := t.Name()
if s == "" {
s = fmt.Sprintf("%x", t.InfoHash)
}
return s
}
func (t *torrent) haveInfo() bool {
return t.Info != nil
}
// TODO: Include URIs that weren't converted to tracker clients.
func (t *torrent) announceList() (al [][]string) {
for _, tier := range t.Trackers {
var l []string
for _, tr := range tier {
l = append(l, tr.URL())
}
al = append(al, l)
}
return
}
func (t *torrent) MetaInfo() *metainfo.MetaInfo {
if t.MetaData == nil {
panic("info bytes not set")
}
return &metainfo.MetaInfo{
Info: metainfo.InfoEx{
2015-02-26 11:17:58 +00:00
Info: *t.Info,
Bytes: t.MetaData,
},
CreationDate: time.Now().Unix(),
Comment: "dynamic metainfo from client",
CreatedBy: "go.torrent",
AnnounceList: t.announceList(),
}
}
func (t *torrent) bytesLeft() (left int64) {
if !t.haveInfo() {
return -1
}
2015-03-10 15:39:01 +00:00
for i := 0; i < t.numPieces(); i++ {
left += int64(t.PieceNumPendingBytes(i))
}
return
}
func (t *torrent) piecePartiallyDownloaded(index int) bool {
2015-03-10 15:39:01 +00:00
return t.PieceNumPendingBytes(index) != t.PieceLength(index)
}
2015-03-08 06:28:14 +00:00
func numChunksForPiece(chunkSize int, pieceSize int) int {
return (pieceSize + chunkSize - 1) / chunkSize
}
func (t *torrent) usualPieceSize() int {
2014-06-28 09:38:31 +00:00
return int(t.Info.PieceLength)
}
func (t *torrent) lastPieceSize() int {
2015-03-10 15:39:01 +00:00
return int(t.PieceLength(t.numPieces() - 1))
}
func (t *torrent) numPieces() int {
2015-03-12 09:06:23 +00:00
return t.Info.NumPieces()
}
func (t *torrent) numPiecesCompleted() (num int) {
2015-03-10 15:41:21 +00:00
for i := range iter.N(t.Info.NumPieces()) {
if t.pieceComplete(i) {
num++
}
}
return
}
func (t *torrent) Length() int64 {
2014-08-23 17:09:02 +00:00
return t.length
}
func (t *torrent) isClosed() bool {
select {
case <-t.closing:
return true
default:
return false
}
}
func (t *torrent) close() (err error) {
if t.isClosed() {
return
}
t.ceaseNetworking()
close(t.closing)
if c, ok := t.data.(io.Closer); ok {
c.Close()
}
for _, conn := range t.Conns {
conn.Close()
}
return
}
// Return the request that would include the given offset into the torrent data.
func torrentOffsetRequest(torrentLength, pieceSize, chunkSize, offset int64) (
2014-04-16 11:13:44 +00:00
r request, ok bool) {
if offset < 0 || offset >= torrentLength {
return
}
2014-05-23 10:58:11 +00:00
r.Index = pp.Integer(offset / pieceSize)
r.Begin = pp.Integer(offset % pieceSize / chunkSize * chunkSize)
left := torrentLength - int64(r.Index)*pieceSize - int64(r.Begin)
if chunkSize < left {
2014-05-23 10:58:11 +00:00
r.Length = pp.Integer(chunkSize)
} else {
2014-05-23 10:58:11 +00:00
r.Length = pp.Integer(left)
}
ok = true
return
}
2014-04-16 11:13:44 +00:00
func torrentRequestOffset(torrentLength, pieceSize int64, r request) (off int64) {
off = int64(r.Index)*pieceSize + int64(r.Begin)
if off < 0 || off >= torrentLength {
panic("invalid request")
}
return
}
2014-04-16 11:13:44 +00:00
func (t *torrent) requestOffset(r request) int64 {
return torrentRequestOffset(t.Length(), int64(t.usualPieceSize()), r)
}
// Return the request that would include the given offset into the torrent data.
2014-04-16 11:13:44 +00:00
func (t *torrent) offsetRequest(off int64) (req request, ok bool) {
2014-06-28 09:38:31 +00:00
return torrentOffsetRequest(t.Length(), t.Info.PieceLength, chunkSize, off)
}
func (t *torrent) writeChunk(piece int, begin int64, data []byte) (err error) {
_, err = t.data.WriteAt(data, int64(piece)*t.Info.PieceLength+begin)
return
}
func (t *torrent) bitfield() (bf []bool) {
for _, p := range t.Pieces {
bf = append(bf, p.EverHashed && len(p.PendingChunkSpecs) == 0)
}
return
}
func (t *torrent) pieceChunks(piece int) (css []chunkSpec) {
2015-03-10 15:39:01 +00:00
css = make([]chunkSpec, 0, (t.PieceLength(piece)+chunkSize-1)/chunkSize)
var cs chunkSpec
2015-03-10 15:39:01 +00:00
for left := t.PieceLength(piece); left != 0; left -= cs.Length {
cs.Length = left
if cs.Length > chunkSize {
cs.Length = chunkSize
}
css = append(css, cs)
cs.Begin += cs.Length
}
return
}
2015-03-10 15:39:01 +00:00
func (t *torrent) pendAllChunkSpecs(index int) {
piece := t.Pieces[index]
if piece.PendingChunkSpecs == nil {
piece.PendingChunkSpecs = make(
map[chunkSpec]struct{},
(t.PieceLength(index)+chunkSize-1)/chunkSize)
}
pcss := piece.PendingChunkSpecs
for _, cs := range t.pieceChunks(int(index)) {
pcss[cs] = struct{}{}
}
return
}
type Peer struct {
Id [20]byte
IP net.IP
Port int
Source peerSource
}
2015-03-10 15:39:01 +00:00
func (t *torrent) PieceLength(piece int) (len_ pp.Integer) {
if int(piece) == t.numPieces()-1 {
2014-08-23 17:09:02 +00:00
len_ = pp.Integer(t.Length() % t.Info.PieceLength)
}
if len_ == 0 {
2014-06-28 09:38:31 +00:00
len_ = pp.Integer(t.Info.PieceLength)
}
return
}
func (t *torrent) hashPiece(piece pp.Integer) (ps pieceSum) {
hash := pieceHash.New()
t.data.WriteSectionTo(hash, int64(piece)*t.Info.PieceLength, t.Info.PieceLength)
2014-08-21 08:24:19 +00:00
util.CopyExact(ps[:], hash.Sum(nil))
return
}
2015-02-27 01:45:55 +00:00
func (t *torrent) haveAllPieces() bool {
if !t.haveInfo() {
return false
}
2015-03-10 15:41:21 +00:00
for i := range t.Pieces {
if !t.pieceComplete(i) {
return false
}
}
return true
}
func (me *torrent) haveAnyPieces() bool {
2015-03-10 15:41:21 +00:00
for i := range me.Pieces {
if me.pieceComplete(i) {
return true
}
}
return false
}
2014-09-13 17:50:15 +00:00
func (t *torrent) havePiece(index int) bool {
2015-03-10 15:41:21 +00:00
return t.haveInfo() && t.pieceComplete(index)
2014-09-13 17:50:15 +00:00
}
func (t *torrent) haveChunk(r request) bool {
p := t.Pieces[r.Index]
if !p.EverHashed {
return false
}
_, ok := p.PendingChunkSpecs[r.chunkSpec]
return !ok
}
func (t *torrent) wantChunk(r request) bool {
if !t.wantPiece(int(r.Index)) {
return false
}
_, ok := t.Pieces[r.Index].PendingChunkSpecs[r.chunkSpec]
return ok
}
func (t *torrent) wantPiece(index int) bool {
if !t.haveInfo() {
return false
}
p := t.Pieces[index]
2015-03-10 15:41:21 +00:00
return !t.pieceComplete(index) && p.Priority != piecePriorityNone && !p.QueuedForHash && !p.Hashing
}
2014-09-13 18:06:17 +00:00
func (t *torrent) connHasWantedPieces(c *connection) bool {
for p := range t.Pieces {
2015-03-12 09:06:23 +00:00
if t.wantPiece(p) && c.PeerHasPiece(p) {
2014-09-13 18:06:17 +00:00
return true
}
}
return false
}
func (t *torrent) extentPieces(off, _len int64) (pieces []int) {
for i := off / int64(t.usualPieceSize()); i*int64(t.usualPieceSize()) < off+_len; i++ {
2014-09-13 18:06:17 +00:00
pieces = append(pieces, int(i))
}
return
}