aboutsummaryrefslogtreecommitdiff
path: root/dht/node.go
blob: 3f8f349e87166139230e9d9bdb3cfa6e1aaf81fb (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
package dht

import (
	"net"
	"strconv"
	"time"

	"github.com/felix/dhtsearch/bencode"
	"github.com/felix/logger"
)

var (
	routers = []string{
		"router.bittorrent.com:6881",
		"dht.transmissionbt.com:6881",
		"router.utorrent.com:6881",
		"dht.aelitis.com:6881",
	}
)

// Node joins the DHT network
type Node struct {
	id         Infohash
	address    string
	port       int
	conn       *net.UDPConn
	pool       chan chan packet
	rTable     *routingTable
	workers    []*dhtWorker
	udpTimeout int
	packetsOut chan packet
	peersOut   chan Peer
	closing    chan chan error
	log        logger.Logger
	//table      routingTable

	// OnAnnoucePeer is called for each peer that announces itself
	OnAnnoucePeer func(p *Peer)
}

// NewNode creates a new DHT node
func NewNode(opts ...Option) (n *Node, err error) {

	id := randomInfoHash()

	n = &Node{
		id:       id,
		address:  "0.0.0.0",
		port:     6881,
		rTable:   newRoutingTable(id),
		workers:  make([]*dhtWorker, 1),
		closing:  make(chan chan error),
		log:      logger.New(&logger.Options{Name: "dht"}),
		peersOut: make(chan Peer),
	}

	// Set variadic options passed
	for _, option := range opts {
		err = option(n)
		if err != nil {
			return nil, err
		}
	}

	return n, nil
}

// Close stuff
func (n *Node) Close() error {
	n.log.Warn("node closing")
	errCh := make(chan error)
	n.closing <- errCh
	// Signal workers
	for _, w := range n.workers {
		w.stop()
	}
	return <-errCh
}

// Run starts the node on the DHT
func (n *Node) Run() chan Peer {
	listener, err := net.ListenPacket("udp4", n.address+":"+strconv.Itoa(n.port))
	if err != nil {
		n.log.Error("failed to listen", "error", err)
		return nil
	}
	n.conn = listener.(*net.UDPConn)
	n.port = n.conn.LocalAddr().(*net.UDPAddr).Port
	n.log.Info("listening", "id", n.id, "address", n.address, "port", n.port)

	// Worker pool
	n.pool = make(chan chan packet)
	// Packets onto the network
	n.packetsOut = make(chan packet, 512)

	// Create a slab for allocation
	byteSlab := newSlab(8192, 10)

	// Start our workers
	n.log.Debug("starting workers", "count", len(n.workers))
	for i := 0; i < len(n.workers); i++ {
		w := &dhtWorker{
			pool:       n.pool,
			packetsOut: n.packetsOut,
			peersOut:   n.peersOut,
			rTable:     n.rTable,
			quit:       make(chan struct{}),
			log:        n.log.Named("worker"),
		}
		go w.run()
		n.workers[i] = w
	}

	n.log.Debug("starting packet writer")
	// Start writing packets from channel to DHT
	go func() {
		var p packet
		for {
			select {
			case p = <-n.packetsOut:
				//n.conn.SetWriteDeadline(time.Now().Add(time.Second * time.Duration(n.udpTimeout)))
				_, err := n.conn.WriteToUDP(p.data, &p.raddr)
				if err != nil {
					// TODO remove from routing or add to blacklist?
					n.log.Warn("failed to write packet", "error", err)
				}
			}
		}
	}()

	n.log.Debug("starting packet reader")
	// Start reading packets
	go func() {
		n.bootstrap()

		// TODO configurable
		ticker := time.Tick(10 * time.Second)

		// Send packets from conn to workers
		for {
			select {
			case errCh := <-n.closing:
				// TODO
				errCh <- nil
			case pCh := <-n.pool:
				go func() {
					b := byteSlab.Alloc()
					c, addr, err := n.conn.ReadFromUDP(b)
					if err != nil {
						n.log.Warn("UDP read error", "error", err)
						return
					}

					// Chop and send
					pCh <- packet{
						data:  b[0:c],
						raddr: *addr,
					}
					byteSlab.Free(b)
				}()

			case <-ticker:
				go func() {
					if n.rTable.isEmpty() {
						n.bootstrap()
					} else {
						n.makeNeighbours()
					}
				}()
			}
		}
	}()
	return n.peersOut
}

func (n *Node) bootstrap() {
	n.log.Debug("bootstrapping")
	for _, s := range routers {
		addr, err := net.ResolveUDPAddr("udp4", s)
		if err != nil {
			n.log.Error("failed to parse bootstrap address", "error", err)
			return
		}
		rn := &remoteNode{address: *addr}
		n.findNode(rn, n.id)
	}
}

func (n *Node) makeNeighbours() {
	n.log.Debug("making neighbours")
	for _, rn := range n.rTable.getNodes() {
		n.findNode(rn, n.id)
	}
	n.rTable.refresh()
}

func (n Node) findNode(rn *remoteNode, id Infohash) {
	target := randomInfoHash()
	n.sendMsg(rn, "find_node", map[string]interface{}{
		"id":     string(id),
		"target": string(target),
	})
}

// ping sends ping query to the chan.
func (n *Node) ping(rn *remoteNode) {
	id := n.id.GenNeighbour(rn.id)
	n.sendMsg(rn, "ping", map[string]interface{}{
		"id": string(id),
	})
}

func (n Node) sendMsg(rn *remoteNode, qType string, a map[string]interface{}) error {
	// Stop if sending to self
	if rn.id.Equal(n.id) {
		return nil
	}

	t := newTransactionID()
	//n.log.Debug("sending message", "type", qType, "remote", rn)

	data := makeQuery(t, qType, a)
	b, err := bencode.Encode(data)
	if err != nil {
		return err
	}
	n.packetsOut <- packet{
		data:  b,
		raddr: rn.address,
	}
	return nil
}