use crate::rpc::{Rpc, RpcEvent}; use futures::prelude::*; use libp2p::{ core::swarm::{NetworkBehaviourAction, NetworkBehaviourEventProcess}, gossipsub::{Gossipsub, GossipsubConfig, GossipsubEvent}, tokio_io::{AsyncRead, AsyncWrite}, NetworkBehaviour, PeerId, }; use types::Topic; /// Builds the network behaviour for the libp2p Swarm. /// Implements gossipsub message routing. #[derive(NetworkBehaviour)] #[behaviour(out_event = "BehaviourEvent", poll_method = "poll")] pub struct Behaviour { gossipsub: Gossipsub, // TODO: Add Kademlia for peer discovery /// The events generated by this behaviour to be consumed in the swarm poll. serenity_rpc: Rpc, #[behaviour(ignore)] events: Vec, } // Implement the NetworkBehaviourEventProcess trait so that we can derive NetworkBehaviour for Behaviour impl NetworkBehaviourEventProcess for Behaviour { fn inject_event(&mut self, event: GossipsubEvent) { match event { GossipsubEvent::Message(message) => { let gs_message = String::from_utf8_lossy(&message.data); // TODO: Remove this type - debug only self.events .push(BehaviourEvent::Message(gs_message.to_string())) } _ => {} } } } impl NetworkBehaviourEventProcess for Behaviour { fn inject_event(&mut self, event: RpcEvent) { self.events.push(BehaviourEvent::RPC(event)); } } impl Behaviour { pub fn new(local_peer_id: PeerId, gs_config: GossipsubConfig) -> Self { Behaviour { gossipsub: Gossipsub::new(local_peer_id, gs_config), serenity_rpc: Rpc::new(), events: Vec::new(), } } /// Consumes the events list when polled. fn poll( &mut self, ) -> Async> { if !self.events.is_empty() { return Async::Ready(NetworkBehaviourAction::GenerateEvent(self.events.remove(0))); } Async::NotReady } } impl Behaviour { pub fn subscribe(&mut self, topic: Topic) -> bool { self.gossipsub.subscribe(topic) } pub fn send_message(&self, message: String) { // TODO: Encode and send via gossipsub } } /// The types of events than can be obtained from polling the behaviour. pub enum BehaviourEvent { RPC(RpcEvent), // TODO: This is a stub at the moment Message(String), }