Add mDNS behaviour

This commit is contained in:
fluo10 2025-06-04 07:13:37 +09:00
parent 886ad9c1a6
commit 2910cfae4a
7 changed files with 89 additions and 8 deletions

View file

@ -11,7 +11,7 @@ repository = "https://forgejo.fireturlte.net"
[workspace.dependencies]
lazy-supplements.path = "lazy-supplements"
lazy-supplements-migration.path = "lazy-supplements-migration"
libp2p = { version = "0.55.0", features = ["noise", "ping", "tcp", "tokio", "yamux" ] }
libp2p = { version = "0.55.0", features = ["macros", "mdns", "noise", "ping", "tcp", "tokio", "yamux" ] }
[workspace.dependencies.sea-orm-migration]
version = "1.1.0"

View file

@ -53,7 +53,10 @@ impl JoinNodeArgs {
loop{
match swarm.select_next_some().await {
SwarmEvent::NewListenAddr { address, .. } => println!("Listening on {address:?}"),
SwarmEvent::Behaviour(event) => println!("{event:?}"),
SwarmEvent::Behaviour(event) => {
println!("{event:?}");
event.run().await;
},
_ => {}
}
}

View file

@ -18,7 +18,10 @@ impl ServerArgs {
loop{
match swarm.select_next_some().await {
SwarmEvent::NewListenAddr { address, .. } => println!("Listening on {address:?}"),
SwarmEvent::Behaviour(event) => println!("{event:?}"),
SwarmEvent::Behaviour(event) => {
println!("{event:?}");
event.run().await;
},
_ => {}
}
}

View file

@ -8,7 +8,7 @@ use tokio::{fs::File, io::{AsyncReadExt, AsyncWriteExt}};
use tracing_subscriber::EnvFilter;
use crate::{cli::ConfigArgs, error::Error, global::DEFAULT_DATABASE_FILE_PATH};
use crate::{cli::ConfigArgs, error::Error, global::DEFAULT_DATABASE_FILE_PATH, p2p};
use super::{PartialConfig, DEFAULT_LISTEN_IPS, DEFAULT_PORT};
@ -33,7 +33,7 @@ pub struct NodeConfig {
}
impl NodeConfig {
pub async fn try_into_swarm (self) -> Result<Swarm<ping::Behaviour>, Error> {
pub async fn try_into_swarm (self) -> Result<Swarm<p2p::Behaviour>, Error> {
let _ = tracing_subscriber::fmt()
.with_env_filter(EnvFilter::from_default_env())
.try_init();
@ -44,7 +44,7 @@ impl NodeConfig {
noise::Config::new,
yamux::Config::default,
)?
.with_behaviour(|_| ping::Behaviour::default())?
.with_behaviour(|keypair| p2p::Behaviour::try_from(keypair).unwrap())?
.build();
swarm.listen_on("/ip4/0.0.0.0/tcp/0".parse()?)?;
Ok(swarm)

View file

@ -1,8 +1,9 @@
use std::{net::{IpAddr, Ipv4Addr}, path::PathBuf, sync::LazyLock};
use std::{collections::HashMap, net::{IpAddr, Ipv4Addr}, path::PathBuf, sync::LazyLock};
use crate::config::{NodeConfig, RawNodeConfig};
use libp2p::{Multiaddr, PeerId};
use sea_orm::DatabaseConnection;
use tokio::sync::OnceCell;
use tokio::sync::{OnceCell, RwLock};
mod database;
@ -53,10 +54,12 @@ pub static DEFAULT_DATABASE_FILE_PATH: LazyLock<PathBuf> = LazyLock::new(|| {
pub static GLOBAL: Global = Global{
node_config: OnceCell::const_new(),
database: OnceCell::const_new(),
peers: OnceCell::const_new(),
};
pub struct Global {
pub node_config: OnceCell<NodeConfig>,
pub database: OnceCell<DatabaseConnection>,
pub peers: OnceCell<RwLock<HashMap<PeerId, Multiaddr>>>
}
#[cfg(test)]
@ -69,6 +72,17 @@ impl Global {
pub async fn get_or_try_init_node_config(&self, config: NodeConfig) -> &NodeConfig {
self.node_config.get_or_init(|| async {config}).await
}
pub async fn get_or_init_peers(&self) -> &RwLock<HashMap<PeerId, Multiaddr>> {
self.peers.get_or_init(|| async {
RwLock::new(HashMap::new())
}).await
}
pub async fn read_peers(&self) -> tokio::sync::RwLockReadGuard<'_, HashMap<PeerId, Multiaddr>>{
self.get_or_init_peers().await.read().await
}
pub async fn write_peers(&self) -> tokio::sync::RwLockWriteGuard<'_, HashMap<PeerId, Multiaddr>>{
self.get_or_init_peers().await.write().await
}
}
pub static DEFAULT_RAW_NODE_CONFIG: LazyLock<RawNodeConfig> = LazyLock::new(|| {

View file

@ -3,5 +3,6 @@ pub mod config;
pub mod entity;
pub mod error;
pub mod global;
pub mod p2p;
#[cfg(any(test, feature="test"))]
pub mod tests;

View file

@ -0,0 +1,60 @@
use libp2p::{ identity::Keypair, mdns, ping, swarm};
use crate::error::Error;
#[derive(swarm::NetworkBehaviour)]
#[behaviour(to_swarm = "Event")]
pub struct Behaviour {
pub mdns: mdns::tokio::Behaviour,
pub ping: ping::Behaviour,
}
impl TryFrom<&Keypair> for Behaviour {
type Error = Error;
fn try_from(keypair: &Keypair) -> Result<Self, Error> {
Ok(Self {
mdns: mdns::tokio::Behaviour::new(
mdns::Config::default(),
keypair.public().into(),
)?,
ping: libp2p::ping::Behaviour::new(ping::Config::new()),
})
}
}
#[derive(Debug)]
pub enum Event {
Mdns(mdns::Event),
Ping(ping::Event),
}
impl Event {
pub async fn run(self) {
match self {
Self::Mdns(x) => {
match x {
mdns::Event::Discovered(e) => {
for peer in e {
let mut peers = crate::global::GLOBAL.write_peers().await;
peers.insert(peer.0, peer.1);
}
let peers = crate::global::GLOBAL.read_peers().await;
println!("Peers: {peers:?}");
},
_ => {},
}
},
_ => {}
}
}
}
impl From<mdns::Event> for Event {
fn from(event: mdns::Event) -> Self {
Self::Mdns(event)
}
}
impl From<ping::Event> for Event {
fn from(event: ping::Event) -> Self {
Self::Ping(event)
}
}