feat: allow passing of multiple ENR URLs to DNS Discovery & dial multiple peers in parallel (#1379)

* allow passing of multiple ENRs to DNS Discovery

* add test for >1 ENR to DNS Disc

* address comments

* feat: dial multiple peers in parallel (#1380)

* ensure discovered peers are dialed in parallel

* cap parallel dials

* drop connection to bootstrap peer if >set connected

* switch to american english

* improve promises and error logging
This commit is contained in:
Danish Arora 2023-06-08 17:56:29 +05:30 committed by GitHub
parent fefc7aebee
commit f32d7d9fe0
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
5 changed files with 139 additions and 18 deletions

View File

@ -12,6 +12,7 @@ const log = debug("waku:connection-manager");
export const DEFAULT_MAX_BOOTSTRAP_PEERS_ALLOWED = 1;
export const DEFAULT_MAX_DIAL_ATTEMPTS_FOR_PEER = 3;
export const DEFAULT_MAX_PARALLEL_DIALS = 3;
export class ConnectionManager {
private static instances = new Map<string, ConnectionManager>();
@ -21,6 +22,9 @@ export class ConnectionManager {
private dialAttemptsForPeer: Map<string, number> = new Map();
private dialErrorsForPeer: Map<string, any> = new Map();
private currentActiveDialCount = 0;
private pendingPeerDialQueue: Array<PeerId> = [];
public static create(
peerId: string,
libp2p: Libp2p,
@ -52,6 +56,7 @@ export class ConnectionManager {
this.options = {
maxDialAttemptsForPeer: DEFAULT_MAX_DIAL_ATTEMPTS_FOR_PEER,
maxBootstrapPeersAllowed: DEFAULT_MAX_BOOTSTRAP_PEERS_ALLOWED,
maxParallelDials: DEFAULT_MAX_PARALLEL_DIALS,
...options,
};
@ -60,6 +65,31 @@ export class ConnectionManager {
this.run()
.then(() => log(`Connection Manager is now running`))
.catch((error) => log(`Unexpected error while running service`, error));
// libp2p emits `peer:discovery` events during its initialization
// which means that before the ConnectionManager is initialized, some peers may have been discovered
// we will dial the peers in peerStore ONCE before we start to listen to the `peer:discovery` events within the ConnectionManager
this.dialPeerStorePeers();
}
private async dialPeerStorePeers(): Promise<void> {
const peerInfos = await this.libp2pComponents.peerStore.all();
const dialPromises = [];
for (const peerInfo of peerInfos) {
if (
this.libp2pComponents
.getConnections()
.find((c) => c.remotePeer === peerInfo.id)
)
continue;
dialPromises.push(this.attemptDial(peerInfo.id));
}
try {
await Promise.all(dialPromises);
} catch (error) {
log(`Unexpected error while dialing peer store peers`, error);
}
}
private async run(): Promise<void> {
@ -86,6 +116,7 @@ export class ConnectionManager {
}
private async dialPeer(peerId: PeerId): Promise<void> {
this.currentActiveDialCount += 1;
let dialAttempt = 0;
while (dialAttempt <= this.options.maxDialAttemptsForPeer) {
try {
@ -105,6 +136,7 @@ export class ConnectionManager {
return;
} catch (e) {
const error = e as AggregateError;
this.dialErrorsForPeer.set(peerId.toString(), error);
log(`Error dialing peer ${peerId.toString()} - ${error.errors}`);
@ -128,6 +160,33 @@ export class ConnectionManager {
return await this.libp2pComponents.peerStore.delete(peerId);
} catch (error) {
throw `Error deleting undialable peer ${peerId.toString()} from peer store - ${error}`;
} finally {
this.currentActiveDialCount -= 1;
this.processDialQueue();
}
}
async dropConnection(peerId: PeerId): Promise<void> {
try {
await this.libp2pComponents.hangUp(peerId);
log(`Dropped connection with peer ${peerId.toString()}`);
} catch (error) {
log(
`Error dropping connection with peer ${peerId.toString()} - ${error}`
);
}
}
private async processDialQueue(): Promise<void> {
if (
this.pendingPeerDialQueue.length > 0 &&
this.currentActiveDialCount < this.options.maxParallelDials
) {
const peerId = this.pendingPeerDialQueue.shift();
if (!peerId) return;
this.attemptDial(peerId).catch((error) => {
log(error);
});
}
}
@ -164,21 +223,50 @@ export class ConnectionManager {
);
}
private async attemptDial(peerId: PeerId): Promise<void> {
if (this.currentActiveDialCount >= this.options.maxParallelDials) {
this.pendingPeerDialQueue.push(peerId);
return;
}
if (!(await this.shouldDialPeer(peerId))) return;
this.dialPeer(peerId).catch((err) => {
throw `Error dialing peer ${peerId.toString()} : ${err}`;
});
}
private onEventHandlers = {
"peer:discovery": async (evt: CustomEvent<PeerInfo>): Promise<void> => {
const { id: peerId } = evt.detail;
if (!(await this.shouldDialPeer(peerId))) return;
this.dialPeer(peerId).catch((err) =>
this.attemptDial(peerId).catch((err) =>
log(`Error dialing peer ${peerId.toString()} : ${err}`)
);
},
"peer:connect": (evt: CustomEvent<Connection>): void => {
{
this.keepAliveManager.start(
evt.detail.remotePeer,
this.libp2pComponents.ping.bind(this)
);
"peer:connect": async (evt: CustomEvent<Connection>): Promise<void> => {
const { remotePeer: peerId } = evt.detail;
this.keepAliveManager.start(
peerId,
this.libp2pComponents.ping.bind(this)
);
const isBootstrap = (await this.getTagNamesForPeer(peerId)).includes(
Tags.BOOTSTRAP
);
if (isBootstrap) {
const bootstrapConnections = this.libp2pComponents
.getConnections()
.filter((conn) => conn.tags.includes(Tags.BOOTSTRAP));
// If we have too many bootstrap connections, drop one
if (
bootstrapConnections.length > this.options.maxBootstrapPeersAllowed
) {
await this.dropConnection(peerId);
}
}
},
"peer:disconnect": () => {

View File

@ -32,7 +32,7 @@ export interface Options {
/**
* ENR URL to use for DNS discovery
*/
enrUrl: string;
enrUrls: string | string[];
/**
* Specifies what type of nodes are wanted from the discovery process
*/
@ -71,8 +71,8 @@ export class PeerDiscoveryDns
this._components = components;
this._options = options;
const { enrUrl } = options;
log("Use following EIP-1459 ENR Tree URL: ", enrUrl);
const { enrUrls } = options;
log("Use following EIP-1459 ENR Tree URLs: ", enrUrls);
}
/**
@ -84,12 +84,15 @@ export class PeerDiscoveryDns
this._started = true;
if (this.nextPeer === undefined) {
const { enrUrl, wantedNodeCapabilityCount } = this._options;
let { enrUrls } = this._options;
if (!Array.isArray(enrUrls)) enrUrls = [enrUrls];
const { wantedNodeCapabilityCount } = this._options;
const dns = await DnsNodeDiscovery.dnsOverHttp();
this.nextPeer = dns.getNextPeer.bind(
dns,
[enrUrl],
enrUrls,
wantedNodeCapabilityCount
);
}
@ -138,11 +141,11 @@ export class PeerDiscoveryDns
}
export function wakuDnsDiscovery(
enrUrl: string,
enrUrls: string[],
wantedNodeCapabilityCount: Partial<NodeCapabilityCount>
): (components: DnsDiscoveryComponents) => PeerDiscoveryDns {
return (components: DnsDiscoveryComponents) =>
new PeerDiscoveryDns(components, { enrUrl, wantedNodeCapabilityCount });
new PeerDiscoveryDns(components, { enrUrls, wantedNodeCapabilityCount });
}
export { DnsNodeDiscovery, SearchContext, DnsClient } from "./dns.js";

View File

@ -14,4 +14,8 @@ export interface ConnectionManagerOptions {
* This is used to increase intention of dialing non-bootstrap peers, found using other discovery mechanisms (like Peer Exchange)
*/
maxBootstrapPeersAllowed: number;
/**
* Max number of parallel dials allowed
*/
maxParallelDials: number;
}

View File

@ -171,7 +171,7 @@ export async function createFullNode(
export function defaultPeerDiscovery(): (
components: Libp2pComponents
) => PeerDiscovery {
return wakuDnsDiscovery(enrTree["PROD"], DEFAULT_NODE_REQUIREMENTS);
return wakuDnsDiscovery([enrTree["PROD"]], DEFAULT_NODE_REQUIREMENTS);
}
export async function defaultLibp2p(

View File

@ -13,6 +13,8 @@ import { createLightNode } from "@waku/sdk";
import { expect } from "chai";
import { MemoryDatastore } from "datastore-core";
import { delay } from "../src/delay.js";
const maxQuantity = 3;
describe("DNS Discovery: Compliance Test", async function () {
@ -28,7 +30,7 @@ describe("DNS Discovery: Compliance Test", async function () {
});
return new PeerDiscoveryDns(components, {
enrUrl: enrTree["PROD"],
enrUrls: [enrTree["PROD"]],
wantedNodeCapabilityCount: {
filter: 1,
},
@ -60,7 +62,7 @@ describe("DNS Node Discovery [live data]", function () {
const waku = await createLightNode({
libp2p: {
peerDiscovery: [wakuDnsDiscovery(enrTree["PROD"], nodeRequirements)],
peerDiscovery: [wakuDnsDiscovery([enrTree["PROD"]], nodeRequirements)],
},
});
@ -110,4 +112,28 @@ describe("DNS Node Discovery [live data]", function () {
seen.push(ma!.toString());
}
});
it("passes more than one ENR URLs and attempts connection", async function () {
if (process.env.CI) this.skip();
this.timeout(30_000);
const nodesToConnect = 2;
const waku = await createLightNode({
libp2p: {
peerDiscovery: [
wakuDnsDiscovery([enrTree["PROD"], enrTree["TEST"]], {
filter: nodesToConnect,
}),
],
},
});
await waku.start();
const allPeers = await waku.libp2p.peerStore.all();
while (allPeers.length < nodesToConnect) {
await delay(2000);
}
expect(allPeers.length).to.be.eq(nodesToConnect);
});
});