Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: Reimplement ConnectionEvents and PeerConnectionEvents #320

Merged
merged 6 commits into from
Oct 28, 2024
Merged
Show file tree
Hide file tree
Changes from 2 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 4 additions & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
@@ -1,3 +1,7 @@
# 0.12.2
- feat: Reimplement ConnectionEvents and PeerConnectionEvents stream via `Ipfs::{connection_events, peer_connection_events}`. [PR XXX](https://github.com/dariusc93/rust-ipfs/pull/XXX)


dariusc93 marked this conversation as resolved.
Show resolved Hide resolved
# 0.12.1
- fix: enable "wasm-bindgen" feature for `instant` when building wasm32 target.

Expand Down
12 changes: 9 additions & 3 deletions examples/pubsub.rs
Original file line number Diff line number Diff line change
Expand Up @@ -67,9 +67,8 @@ async fn main() -> anyhow::Result<()> {

let ipfs: Ipfs = uninitialized.start().await?;

ipfs.default_bootstrap().await?;

if opt.bootstrap {
ipfs.default_bootstrap().await?;
if let Err(_e) = ipfs.bootstrap().await {}
}

Expand All @@ -94,6 +93,8 @@ async fn main() -> anyhow::Result<()> {
}
}

let mut st = ipfs.connection_events().await?;

for addr in opt.connect {
let Some(peer_id) = addr.peer_id() else {
writeln!(stdout, ">{addr} does not contain a p2p protocol. skipping")?;
Expand All @@ -110,7 +111,7 @@ async fn main() -> anyhow::Result<()> {

let mut event_stream = ipfs.pubsub_events(&topic).await?;

let stream = ipfs.pubsub_subscribe(topic.to_string()).await?;
let stream = ipfs.pubsub_subscribe(&topic).await?;

pin_mut!(stream);

Expand All @@ -125,6 +126,11 @@ async fn main() -> anyhow::Result<()> {
writeln!(stdout, "{}: {}", msg.source.expect("Message should contain a source peer_id"), String::from_utf8_lossy(&msg.data))?;
}
}
conn_ev = st.next() => {
if let Some(ev) = conn_ev {
writeln!(stdout, "connection event: {ev:?}")?;
}
}
Some(event) = event_stream.next() => {
match event {
PubsubEvent::Subscribe { peer_id } => writeln!(stdout, "{} subscribed", peer_id)?,
Expand Down
97 changes: 93 additions & 4 deletions src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -114,6 +114,7 @@ pub use libp2p::{
};

use libp2p::swarm::dial_opts::PeerCondition;
use libp2p::swarm::ConnectionId;
use libp2p::{
core::{muxing::StreamMuxerBox, transport::Boxed},
kad::{store::MemoryStoreConfig, Mode, Record},
Expand All @@ -122,7 +123,6 @@ use libp2p::{
swarm::dial_opts::DialOpts,
StreamProtocol,
};

pub use libp2p_connection_limits::ConnectionLimits;
use serde::Serialize;

Expand Down Expand Up @@ -235,6 +235,9 @@ struct IpfsOptions {

pub connection_limits: Option<ConnectionLimits>,

/// Channel capacity for emitting connection events over.
pub connection_event_cap: usize,

pub(crate) protocols: Libp2pProtocol,
}

Expand Down Expand Up @@ -293,6 +296,7 @@ impl Default for IpfsOptions {
transport_configuration: TransportConfig::default(),
pubsub_config: PubsubConfig::default(),
swarm_configuration: SwarmConfig::default(),
connection_event_cap: 256,
span: None,
protocols: Default::default(),
connection_limits: None,
Expand Down Expand Up @@ -377,6 +381,11 @@ enum IpfsEvent {
RemoveListeningAddress(Multiaddr, Channel<()>),
AddExternalAddress(Multiaddr, Channel<()>),
RemoveExternalAddress(Multiaddr, Channel<()>),
ConnectionEvents(Channel<futures::channel::mpsc::Receiver<ConnectionEvents>>),
PeerConnectionEvents(
PeerId,
Channel<futures::channel::mpsc::Receiver<PeerConnectionEvents>>,
),
Bootstrap(Channel<ReceiverChannel<KadResult>>),
AddPeer(AddPeerOpt, Channel<()>),
RemovePeer(PeerId, Option<Multiaddr>, Channel<bool>),
Expand Down Expand Up @@ -485,6 +494,39 @@ pub enum FDLimit {
Custom(u64),
}

#[derive(Debug, Clone)]
pub enum PeerConnectionEvents {
IncomingConnection {
connection_id: ConnectionId,
addr: Multiaddr,
},
OutgoingConnection {
connection_id: ConnectionId,
addr: Multiaddr,
},
ClosedConnection {
connection_id: ConnectionId,
},
}

#[derive(Debug, Clone)]
pub enum ConnectionEvents {
IncomingConnection {
peer_id: PeerId,
connection_id: ConnectionId,
addr: Multiaddr,
},
OutgoingConnection {
peer_id: PeerId,
connection_id: ConnectionId,
addr: Multiaddr,
},
ClosedConnection {
peer_id: PeerId,
connection_id: ConnectionId,
},
}

/// Configured Ipfs which can only be started.
#[allow(clippy::type_complexity)]
pub struct UninitializedIpfs<C: NetworkBehaviour<ToSwarm = void::Void> + Send> {
Expand Down Expand Up @@ -557,6 +599,12 @@ impl<C: NetworkBehaviour<ToSwarm = void::Void> + Send> UninitializedIpfs<C> {
self
}

/// Set connection event capacity
pub fn set_connection_event_capacity(mut self, cap: usize) -> Self {
self.options.connection_event_cap = cap;
self
}

/// Adds a listening addresses
pub fn add_listening_addrs(mut self, addrs: Vec<Multiaddr>) -> Self {
self.options.listening_addrs.extend(addrs);
Expand Down Expand Up @@ -1031,7 +1079,13 @@ impl<C: NetworkBehaviour<ToSwarm = void::Void> + Send> UninitializedIpfs<C> {
});
}

let mut fut = task::IpfsTask::new(swarm, repo_events.fuse(), receiver.fuse(), &ipfs.repo);
let mut fut = task::IpfsTask::new(
swarm,
repo_events.fuse(),
receiver.fuse(),
&ipfs.repo,
options.connection_event_cap,
);
fut.swarm_event = swarm_event;
fut.local_external_addr = local_external_addr;

Expand Down Expand Up @@ -1503,8 +1557,8 @@ impl Ipfs {

Ok(stream.boxed())
}
.instrument(self.span.clone())
.await
.instrument(self.span.clone())
.await
}

/// Publishes to the topic which may have been subscribed to earlier
Expand Down Expand Up @@ -1765,6 +1819,41 @@ impl Ipfs {
.await
}

pub async fn connection_events(&self) -> Result<BoxStream<'static, ConnectionEvents>, Error> {
async move {
let (tx, rx) = oneshot_channel();

self.to_task
.clone()
.send(IpfsEvent::ConnectionEvents(tx))
.await?;

let rx = rx.await??;
Ok(rx.boxed())
}
.instrument(self.span.clone())
.await
}

pub async fn peer_connection_events(
&self,
peer_id: PeerId,
) -> Result<BoxStream<'static, PeerConnectionEvents>, Error> {
async move {
let (tx, rx) = oneshot_channel();

self.to_task
.clone()
.send(IpfsEvent::PeerConnectionEvents(peer_id, tx))
.await?;

let rx = rx.await??;
Ok(rx.boxed())
}
.instrument(self.span.clone())
.await
}

/// Obtain the addresses associated with the given `PeerId`; they are first searched for locally
/// and the DHT is used as a fallback: a `Kademlia::get_closest_peers(peer_id)` query is run and
/// when it's finished, the newly added DHT records are checked for the existence of the desired
Expand Down
Loading