dht.go 13.9 KB
Newer Older
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
1 2
package dht

3
import (
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
4
	"bytes"
Jeromy's avatar
Jeromy committed
5
	"context"
6
	"errors"
7
	"fmt"
8 9
	"sync"
	"time"
10

11 12 13 14 15 16 17
	"github.com/libp2p/go-libp2p-core/host"
	"github.com/libp2p/go-libp2p-core/network"
	"github.com/libp2p/go-libp2p-core/peer"
	"github.com/libp2p/go-libp2p-core/peerstore"
	"github.com/libp2p/go-libp2p-core/protocol"
	"github.com/libp2p/go-libp2p-core/routing"

18
	"go.opencensus.io/tag"
19 20
	"golang.org/x/xerrors"

21
	"github.com/libp2p/go-libp2p-kad-dht/metrics"
22 23
	opts "github.com/libp2p/go-libp2p-kad-dht/opts"
	pb "github.com/libp2p/go-libp2p-kad-dht/pb"
Aarsh Shah's avatar
Aarsh Shah committed
24
	"github.com/libp2p/go-libp2p-kad-dht/providers"
25

Aarsh Shah's avatar
Aarsh Shah committed
26 27
	"github.com/gogo/protobuf/proto"
	"github.com/ipfs/go-cid"
28 29
	ds "github.com/ipfs/go-datastore"
	logging "github.com/ipfs/go-log"
Aarsh Shah's avatar
Aarsh Shah committed
30 31
	"github.com/jbenet/goprocess"
	"github.com/jbenet/goprocess/context"
George Antoniadis's avatar
George Antoniadis committed
32
	kb "github.com/libp2p/go-libp2p-kbucket"
Aarsh Shah's avatar
Aarsh Shah committed
33
	"github.com/libp2p/go-libp2p-record"
George Antoniadis's avatar
George Antoniadis committed
34
	recpb "github.com/libp2p/go-libp2p-record/pb"
Aarsh Shah's avatar
Aarsh Shah committed
35
	"github.com/whyrusleeping/base32"
36 37
)

Matt Joiner's avatar
Matt Joiner committed
38
var logger = logging.Logger("dht")
39

40
// IpfsDHT is an implementation of Kademlia with S/Kademlia modifications.
41
// It is used to implement the base Routing module.
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
42
type IpfsDHT struct {
43 44 45
	host      host.Host           // the network services we need
	self      peer.ID             // Local peer (yourself)
	peerstore peerstore.Peerstore // Peer Registry
46

47
	datastore ds.Datastore // Local data
48

49
	routingTable *kb.RoutingTable // Array of routing tables for differently distanced nodes
50
	providers    *providers.ProviderManager
51

Jeromy's avatar
Jeromy committed
52
	birth time.Time // When this peer started up
53

54
	Validator record.Validator
55

56 57
	ctx  context.Context
	proc goprocess.Process
58 59 60

	strmap map[peer.ID]*messageSender
	smlk   sync.Mutex
61

Steven Allen's avatar
Steven Allen committed
62
	plk sync.Mutex
63

64 65
	stripedPutLocks [256]sync.Mutex

66
	protocols []protocol.ID // DHT protocols
67 68

	bucketSize int
69 70 71

	bootstrapCfg opts.BootstrapConfig

72 73
	triggerAutoBootstrap bool
	triggerBootstrap     chan *bootstrapReq
74 75
}

Matt Joiner's avatar
Matt Joiner committed
76 77 78 79
// Assert that IPFS assumptions about interfaces aren't broken. These aren't a
// guarantee, but we can use them to aid refactoring.
var (
	_ routing.ContentRouting = (*IpfsDHT)(nil)
80
	_ routing.Routing        = (*IpfsDHT)(nil)
Matt Joiner's avatar
Matt Joiner committed
81 82 83 84 85
	_ routing.PeerRouting    = (*IpfsDHT)(nil)
	_ routing.PubKeyFetcher  = (*IpfsDHT)(nil)
	_ routing.ValueStore     = (*IpfsDHT)(nil)
)

86 87 88
// New creates a new DHT with the specified host and options.
func New(ctx context.Context, h host.Host, options ...opts.Option) (*IpfsDHT, error) {
	var cfg opts.Options
89
	cfg.BucketSize = KValue
90 91 92
	if err := cfg.Apply(append([]opts.Option{opts.Defaults}, options...)...); err != nil {
		return nil, err
	}
93
	dht := makeDHT(ctx, h, cfg.Datastore, cfg.Protocols, cfg.BucketSize)
94
	dht.bootstrapCfg = cfg.BootstrapConfig
95 96 97 98 99 100 101 102 103 104 105

	// register for network notifs.
	dht.host.Network().Notify((*netNotifiee)(dht))

	dht.proc = goprocessctx.WithContextAndTeardown(ctx, func() error {
		// remove ourselves from network notifs.
		dht.host.Network().StopNotify((*netNotifiee)(dht))
		return nil
	})

	dht.proc.AddChild(dht.providers.Process())
106
	dht.Validator = cfg.Validator
107
	dht.triggerAutoBootstrap = cfg.TriggerAutoBootstrap
108 109

	if !cfg.Client {
110 111 112
		for _, p := range cfg.Protocols {
			h.SetStreamHandler(p, dht.handleNewStream)
		}
113
	}
Steven Allen's avatar
Steven Allen committed
114
	dht.startBootstrapping()
115 116
	return dht, nil
}
117

118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137
// NewDHT creates a new DHT object with the given peer as the 'local' host.
// IpfsDHT's initialized with this function will respond to DHT requests,
// whereas IpfsDHT's initialized with NewDHTClient will not.
func NewDHT(ctx context.Context, h host.Host, dstore ds.Batching) *IpfsDHT {
	dht, err := New(ctx, h, opts.Datastore(dstore))
	if err != nil {
		panic(err)
	}
	return dht
}

// NewDHTClient creates a new DHT object with the given peer as the 'local'
// host. IpfsDHT clients initialized with this function will not respond to DHT
// requests. If you need a peer to respond to DHT requests, use NewDHT instead.
// NewDHTClient creates a new DHT object with the given peer as the 'local' host
func NewDHTClient(ctx context.Context, h host.Host, dstore ds.Batching) *IpfsDHT {
	dht, err := New(ctx, h, opts.Datastore(dstore), opts.Client(true))
	if err != nil {
		panic(err)
	}
138 139 140
	return dht
}

141 142
func makeDHT(ctx context.Context, h host.Host, dstore ds.Batching, protocols []protocol.ID, bucketSize int) *IpfsDHT {
	rt := kb.NewRoutingTable(bucketSize, kb.ConvertPeerID(h.ID()), time.Minute, h.Peerstore())
143
	cmgr := h.ConnManager()
144

145 146 147
	rt.PeerAdded = func(p peer.ID) {
		cmgr.TagPeer(p, "kbucket", 5)
	}
148

149 150 151 152
	rt.PeerRemoved = func(p peer.ID) {
		cmgr.UntagPeer(p, "kbucket")
	}

153
	dht := &IpfsDHT{
Aarsh Shah's avatar
Aarsh Shah committed
154 155 156 157 158 159 160 161 162 163 164
		datastore:        dstore,
		self:             h.ID(),
		peerstore:        h.Peerstore(),
		host:             h,
		strmap:           make(map[peer.ID]*messageSender),
		ctx:              ctx,
		providers:        providers.NewProviderManager(ctx, h.ID(), dstore),
		birth:            time.Now(),
		routingTable:     rt,
		protocols:        protocols,
		bucketSize:       bucketSize,
165
		triggerBootstrap: make(chan *bootstrapReq),
Jeromy's avatar
Jeromy committed
166
	}
167 168 169 170

	dht.ctx = dht.newContextWithLocalTags(ctx)

	return dht
Jeromy's avatar
Jeromy committed
171 172
}

Aarsh Shah's avatar
Aarsh Shah committed
173 174 175 176
// TODO Implement RT seeding as described in https://github.com/libp2p/go-libp2p-kad-dht/pull/384#discussion_r320994340 OR
// come up with an alternative solution.
// issue is being tracked at https://github.com/libp2p/go-libp2p-kad-dht/issues/387
/*func (dht *IpfsDHT) rtRecovery(proc goprocess.Process) {
177
	writeResp := func(errorChan chan error, errChan error) {
178 179
		select {
		case <-proc.Closing():
180
		case errorChan <- errChan:
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
		}
		close(errorChan)
	}

	for {
		select {
		case req := <-dht.rtRecoveryChan:
			if dht.routingTable.Size() == 0 {
				logger.Infof("rt recovery proc: received request with reqID=%s, RT is empty. initiating recovery", req.id)
				// TODO Call Seeder with default bootstrap peers here once #383 is merged
				if dht.routingTable.Size() > 0 {
					logger.Infof("rt recovery proc: successfully recovered RT for reqID=%s, RT size is now %d", req.id, dht.routingTable.Size())
					go writeResp(req.errorChan, nil)
				} else {
					logger.Errorf("rt recovery proc: failed to recover RT for reqID=%s, RT is still empty", req.id)
					go writeResp(req.errorChan, errors.New("RT empty after seed attempt"))
				}
			} else {
				logger.Infof("rt recovery proc: RT is not empty, no need to act on request with reqID=%s", req.id)
				go writeResp(req.errorChan, nil)
			}
		case <-proc.Closing():
			return
		}
	}
Aarsh Shah's avatar
Aarsh Shah committed
206
}*/
207

Jeromy's avatar
Jeromy committed
208
// putValueToPeer stores the given key/value pair at the peer 'p'
209
func (dht *IpfsDHT) putValueToPeer(ctx context.Context, p peer.ID, rec *recpb.Record) error {
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
210

211
	pmes := pb.NewMessage(pb.Message_PUT_VALUE, rec.Key, 0)
212
	pmes.Record = rec
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
213
	rpmes, err := dht.sendRequest(ctx, p, pmes)
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
214
	if err != nil {
Matt Joiner's avatar
Matt Joiner committed
215
		logger.Debugf("putValueToPeer: %v. (peer: %s, key: %s)", err, p.Pretty(), loggableKey(string(rec.Key)))
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
216 217
		return err
	}
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
218

219
	if !bytes.Equal(rpmes.GetRecord().Value, pmes.GetRecord().Value) {
Matt Joiner's avatar
Matt Joiner committed
220
		logger.Warningf("putValueToPeer: value not put correctly. (%v != %v)", pmes, rpmes)
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
221 222
		return errors.New("value not put correctly")
	}
gpestana's avatar
gpestana committed
223

Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
224
	return nil
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
225 226
}

227 228
var errInvalidRecord = errors.New("received invalid record")

229 230
// getValueOrPeers queries a particular peer p for the value for
// key. It returns either the value or a list of closer peers.
231
// NOTE: It will update the dht's peerstore with any new addresses
232
// it finds for the given peer.
233
func (dht *IpfsDHT) getValueOrPeers(ctx context.Context, p peer.ID, key string) (*recpb.Record, []*peer.AddrInfo, error) {
234

235
	pmes, err := dht.getValueSingle(ctx, p, key)
236
	if err != nil {
237
		return nil, nil, err
238 239
	}

240 241 242
	// Perhaps we were given closer peers
	peers := pb.PBPeersToPeerInfos(pmes.GetCloserPeers())

243
	if record := pmes.GetRecord(); record != nil {
244
		// Success! We were given the value
Matt Joiner's avatar
Matt Joiner committed
245
		logger.Debug("getValueOrPeers: got value")
246

247
		// make sure record is valid.
248
		err = dht.Validator.Validate(string(record.GetKey()), record.GetValue())
249
		if err != nil {
Matt Joiner's avatar
Matt Joiner committed
250
			logger.Info("Received invalid record! (discarded)")
251 252
			// return a sentinal to signify an invalid record was received
			err = errInvalidRecord
George Antoniadis's avatar
George Antoniadis committed
253
			record = new(recpb.Record)
254
		}
255
		return record, peers, err
256
	}
257

258
	if len(peers) > 0 {
Matt Joiner's avatar
Matt Joiner committed
259
		logger.Debug("getValueOrPeers: peers")
260 261 262
		return nil, peers, nil
	}

Matt Joiner's avatar
Matt Joiner committed
263
	logger.Warning("getValueOrPeers: routing.ErrNotFound")
264
	return nil, nil, routing.ErrNotFound
265 266
}

267
// getValueSingle simply performs the get value RPC with the given parameters
268 269 270 271 272 273
func (dht *IpfsDHT) getValueSingle(ctx context.Context, p peer.ID, key string) (*pb.Message, error) {
	meta := logging.LoggableMap{
		"key":  key,
		"peer": p,
	}

Matt Joiner's avatar
Matt Joiner committed
274
	eip := logger.EventBegin(ctx, "getValueSingle", meta)
ForrestWeston's avatar
ForrestWeston committed
275
	defer eip.Done()
276

277
	pmes := pb.NewMessage(pb.Message_GET_VALUE, []byte(key), 0)
278 279 280 281 282
	resp, err := dht.sendRequest(ctx, p, pmes)
	switch err {
	case nil:
		return resp, nil
	case ErrReadTimeout:
Matt Joiner's avatar
Matt Joiner committed
283
		logger.Warningf("getValueSingle: read timeout %s %s", p.Pretty(), key)
284 285
		fallthrough
	default:
ForrestWeston's avatar
ForrestWeston committed
286
		eip.SetError(err)
287 288
		return nil, err
	}
Jeromy's avatar
Jeromy committed
289 290
}

291
// getLocal attempts to retrieve the value from the datastore
292
func (dht *IpfsDHT) getLocal(key string) (*recpb.Record, error) {
Matt Joiner's avatar
Matt Joiner committed
293
	logger.Debugf("getLocal %s", key)
294
	rec, err := dht.getRecordFromDatastore(mkDsKey(key))
295
	if err != nil {
Matt Joiner's avatar
Matt Joiner committed
296
		logger.Warningf("getLocal: %s", err)
297 298
		return nil, err
	}
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
299

300
	// Double check the key. Can't hurt.
301
	if rec != nil && string(rec.GetKey()) != key {
Matt Joiner's avatar
Matt Joiner committed
302
		logger.Errorf("BUG getLocal: found a DHT record that didn't match it's key: %s != %s", rec.GetKey(), key)
Steven Allen's avatar
Steven Allen committed
303
		return nil, nil
304 305

	}
306
	return rec, nil
307 308
}

309
// putLocal stores the key value pair in the datastore
310
func (dht *IpfsDHT) putLocal(key string, rec *recpb.Record) error {
Matt Joiner's avatar
Matt Joiner committed
311
	logger.Debugf("putLocal: %v %v", key, rec)
312 313
	data, err := proto.Marshal(rec)
	if err != nil {
Matt Joiner's avatar
Matt Joiner committed
314
		logger.Warningf("putLocal: %s", err)
315 316 317
		return err
	}

318
	return dht.datastore.Put(mkDsKey(key), data)
319
}
320

321
// Update signals the routingTable to Update its last-seen status
Juan Batiz-Benet's avatar
Juan Batiz-Benet committed
322
// on the given peer.
323
func (dht *IpfsDHT) Update(ctx context.Context, p peer.ID) {
Matt Joiner's avatar
Matt Joiner committed
324
	logger.Event(ctx, "updatePeer", p)
325
	dht.routingTable.Update(p)
326
}
Jeromy's avatar
Jeromy committed
327

Jeromy's avatar
Jeromy committed
328
// FindLocal looks for a peer with a given ID connected to this dht and returns the peer and the table it was found in.
329
func (dht *IpfsDHT) FindLocal(id peer.ID) peer.AddrInfo {
330
	switch dht.host.Network().Connectedness(id) {
331
	case network.Connected, network.CanConnect:
332 333
		return dht.peerstore.PeerInfo(id)
	default:
334
		return peer.AddrInfo{}
Jeromy's avatar
Jeromy committed
335 336
	}
}
337

Jeromy's avatar
Jeromy committed
338
// findPeerSingle asks peer 'p' if they know where the peer with id 'id' is
339
func (dht *IpfsDHT) findPeerSingle(ctx context.Context, p peer.ID, id peer.ID) (*pb.Message, error) {
Matt Joiner's avatar
Matt Joiner committed
340
	eip := logger.EventBegin(ctx, "findPeerSingle",
341 342 343 344
		logging.LoggableMap{
			"peer":   p,
			"target": id,
		})
ForrestWeston's avatar
ForrestWeston committed
345
	defer eip.Done()
346

347
	pmes := pb.NewMessage(pb.Message_FIND_NODE, []byte(id), 0)
348 349 350 351 352
	resp, err := dht.sendRequest(ctx, p, pmes)
	switch err {
	case nil:
		return resp, nil
	case ErrReadTimeout:
Matt Joiner's avatar
Matt Joiner committed
353
		logger.Warningf("read timeout: %s %s", p.Pretty(), id)
354 355
		fallthrough
	default:
ForrestWeston's avatar
ForrestWeston committed
356
		eip.SetError(err)
357 358
		return nil, err
	}
359
}
360

361
func (dht *IpfsDHT) findProvidersSingle(ctx context.Context, p peer.ID, key cid.Cid) (*pb.Message, error) {
Matt Joiner's avatar
Matt Joiner committed
362
	eip := logger.EventBegin(ctx, "findProvidersSingle", p, key)
ForrestWeston's avatar
ForrestWeston committed
363
	defer eip.Done()
364

365
	pmes := pb.NewMessage(pb.Message_GET_PROVIDERS, key.Bytes(), 0)
366 367 368 369 370
	resp, err := dht.sendRequest(ctx, p, pmes)
	switch err {
	case nil:
		return resp, nil
	case ErrReadTimeout:
Matt Joiner's avatar
Matt Joiner committed
371
		logger.Warningf("read timeout: %s %s", p.Pretty(), key)
372 373
		fallthrough
	default:
ForrestWeston's avatar
ForrestWeston committed
374
		eip.SetError(err)
375 376
		return nil, err
	}
Jeromy's avatar
Jeromy committed
377 378
}

379
// nearestPeersToQuery returns the routing tables closest peers.
380
func (dht *IpfsDHT) nearestPeersToQuery(pmes *pb.Message, count int) []peer.ID {
381
	closer := dht.routingTable.NearestPeers(kb.ConvertKey(string(pmes.GetKey())), count)
382 383 384
	return closer
}

385
// betterPeersToQuery returns nearestPeersToQuery, but if and only if closer than self.
386
func (dht *IpfsDHT) betterPeersToQuery(pmes *pb.Message, p peer.ID, count int) []peer.ID {
387
	closer := dht.nearestPeersToQuery(pmes, count)
388 389 390

	// no node? nil
	if closer == nil {
Matt Joiner's avatar
Matt Joiner committed
391
		logger.Warning("betterPeersToQuery: no closer peers to send:", p)
392 393 394
		return nil
	}

Steven Allen's avatar
Steven Allen committed
395
	filtered := make([]peer.ID, 0, len(closer))
Jeromy's avatar
Jeromy committed
396 397 398
	for _, clp := range closer {

		// == to self? thats bad
Jeromy's avatar
Jeromy committed
399
		if clp == dht.self {
Matt Joiner's avatar
Matt Joiner committed
400
			logger.Error("BUG betterPeersToQuery: attempted to return self! this shouldn't happen...")
401 402
			return nil
		}
403
		// Dont send a peer back themselves
Jeromy's avatar
Jeromy committed
404
		if clp == p {
405 406 407
			continue
		}

Jeromy's avatar
Jeromy committed
408
		filtered = append(filtered, clp)
409 410
	}

411 412
	// ok seems like closer nodes
	return filtered
413 414
}

415 416 417 418 419 420 421 422 423 424
// Context return dht's context
func (dht *IpfsDHT) Context() context.Context {
	return dht.ctx
}

// Process return dht's process
func (dht *IpfsDHT) Process() goprocess.Process {
	return dht.proc
}

ZhengQi's avatar
ZhengQi committed
425 426 427 428 429
// RoutingTable return dht's routingTable
func (dht *IpfsDHT) RoutingTable() *kb.RoutingTable {
	return dht.routingTable
}

430 431 432 433
// Close calls Process Close
func (dht *IpfsDHT) Close() error {
	return dht.proc.Close()
}
434

435 436
func (dht *IpfsDHT) protocolStrs() []string {
	pstrs := make([]string, len(dht.protocols))
437 438
	for idx, proto := range dht.protocols {
		pstrs[idx] = string(proto)
439 440 441 442 443
	}

	return pstrs
}

444 445 446
func mkDsKey(s string) ds.Key {
	return ds.NewKey(base32.RawStdEncoding.EncodeToString([]byte(s)))
}
447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470

func (dht *IpfsDHT) PeerID() peer.ID {
	return dht.self
}

func (dht *IpfsDHT) PeerKey() []byte {
	return kb.ConvertPeerID(dht.self)
}

func (dht *IpfsDHT) Host() host.Host {
	return dht.host
}

func (dht *IpfsDHT) Ping(ctx context.Context, p peer.ID) error {
	req := pb.NewMessage(pb.Message_PING, nil, 0)
	resp, err := dht.sendRequest(ctx, p, req)
	if err != nil {
		return xerrors.Errorf("sending request: %w", err)
	}
	if resp.Type != pb.Message_PING {
		return xerrors.Errorf("got unexpected response type: %v", resp.Type)
	}
	return nil
}
471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486

// newContextWithLocalTags returns a new context.Context with the InstanceID and
// PeerID keys populated. It will also take any extra tags that need adding to
// the context as tag.Mutators.
func (dht *IpfsDHT) newContextWithLocalTags(ctx context.Context, extraTags ...tag.Mutator) context.Context {
	extraTags = append(
		extraTags,
		tag.Upsert(metrics.KeyPeerID, dht.self.Pretty()),
		tag.Upsert(metrics.KeyInstanceID, fmt.Sprintf("%p", dht)),
	)
	ctx, _ = tag.New(
		ctx,
		extraTags...,
	) // ignoring error as it is unrelated to the actual function of this code.
	return ctx
}