floresta_wire/p2p_wire/node_interface.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 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 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242
//! node_interface, which holds [`NodeInterface`] and related methods
//! that define the API to interact with the floresta node
use std::net::IpAddr;
use std::time::Instant;
use bitcoin::Block;
use bitcoin::BlockHash;
use bitcoin::Transaction;
use bitcoin::Txid;
use floresta_chain::UtreexoBlock;
use serde::Serialize;
use tokio::sync::mpsc::UnboundedSender;
use tokio::sync::oneshot;
use super::node::ConnectionKind;
use super::node::NodeNotification;
use super::node::PeerStatus;
use super::transport::TransportProtocol;
#[derive(Debug, Clone, PartialEq, Eq, Hash)]
/// A request to addnode that can be made to the node.
///
/// This enum represents all the possible requests that can be made to the node to add, remove
/// or just try to connect to a peer, following the same pattern as the `addnode` command in [Bitcoin Core].
///
/// [Bitcoin Core]: (https://bitcoincore.org/en/doc/29.0.0/rpc/network/addnode/)
pub enum AddNode {
/// The `Add` variant is used to add a peer to the node's peer list
Add((IpAddr, u16)),
/// The `Remove` variant is used to remove a peer from the node's peer list
Remove((IpAddr, u16)),
/// The `Onetry` variant is used to try a connection to the peer once, but not add it to the peer list.
Onetry((IpAddr, u16)),
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
/// A request that can be made to the node.
///
/// While the node is running, consumers may want to request some useful data, like block data,
/// mempool transactions or tell the node to connect with some given peers. This struct represents
/// all the possible requests that can be made to the node as well as the data that needs to be
/// sent along with the request.
pub enum UserRequest {
Block(BlockHash),
UtreexoBlock(BlockHash),
MempoolTransaction(Txid),
GetPeerInfo,
Add((IpAddr, u16, bool)),
Remove((IpAddr, u16)),
Onetry((IpAddr, u16, bool)),
Ping,
}
#[derive(Debug, Clone, Serialize)]
/// A struct representing a peer connected to the node.
///
/// This struct contains information about a peer connected to the node, like its address, the
/// services it provides, the user agent it's using, the height of the blockchain it's currently
/// at, its state and the kind of connection it has with the node.
pub struct PeerInfo {
pub address: String,
pub services: String,
pub user_agent: String,
pub initial_height: u32,
pub state: PeerStatus,
pub kind: ConnectionKind,
pub transport_protocol: TransportProtocol,
}
#[derive(Debug, Clone)]
/// A response that can be sent back to the user.
///
/// When the user makes a request to the node, the node will respond with some data. This enum
/// represents all the possible responses that the node can send back to the user.
pub enum NodeResponse {
Block(Option<Block>),
UtreexoBlock(Option<UtreexoBlock>),
MempoolTransaction(Option<Transaction>),
GetPeerInfo(Vec<PeerInfo>),
Add(bool),
Remove(bool),
Onetry(bool),
Ping(bool),
}
#[derive(Debug, Clone)]
/// A struct representing the interface to the node.
///
/// This struct will be used by consumers to interact with the node. You may have as many of it as
/// you need, and you can use it to send requests to the node and get responses back.
pub struct NodeInterface {
node_sender: UnboundedSender<NodeNotification>,
}
#[derive(Debug)]
pub struct RequestData {
pub time: Instant,
pub resolve: oneshot::Sender<Option<NodeResponse>>,
pub req: UserRequest,
}
impl NodeInterface {
pub fn new(node_sender: UnboundedSender<NodeNotification>) -> Self {
NodeInterface { node_sender }
}
/// Sends a request to the node.
///
/// This is an iternal utility function that will be used to send requests to the node. It will
/// send the request to the node and return a oneshot receiver that will be used to get the
/// response back.
async fn send_request(
&self,
request: UserRequest,
) -> Result<NodeResponse, oneshot::error::RecvError> {
let (tx, rx) = oneshot::channel();
let _ = self
.node_sender
.send(NodeNotification::FromUser(request, tx)); // Send the request to the node
rx.await
}
/// Connects to a specified address and port.
/// This function will return a boolean indicating whether the connection was successful. It
/// may be called multiple times, and may use hostnames or IP addresses.
pub async fn add_peer(
&self,
addr: IpAddr,
port: u16,
v2transport: bool,
) -> Result<bool, oneshot::error::RecvError> {
let val = self
.send_request(UserRequest::Add((addr, port, v2transport)))
.await?;
extract_variant!(Add, val);
}
/// Removes a peer from the node's peer list.
/// This function will return a boolean indicating whether the peer was successfully removed.
/// It may be called multiple times, and may use hostnames or IP addresses.
pub async fn remove_peer(
&self,
addr: IpAddr,
port: u16,
) -> Result<bool, oneshot::error::RecvError> {
let val = self.send_request(UserRequest::Remove((addr, port))).await?;
extract_variant!(Remove, val);
}
/// Attempts to connect to a peer once.
///
/// This function will try to connect to the peer once, but will not add it to the node's
/// peer list. It will return a boolean indicating whether the connection was successful.
/// It may be called multiple times, and may use hostnames or IP addresses.
pub async fn onetry_peer(
&self,
addr: IpAddr,
port: u16,
v2transport: bool,
) -> Result<bool, oneshot::error::RecvError> {
let val = self
.send_request(UserRequest::Onetry((addr, port, v2transport)))
.await?;
extract_variant!(Onetry, val);
}
/// Gets a block by its hash.
///
/// This function will try to get a block from the network and return it. Note that we don't
/// keep a local copy of the blockchain, so this function will always make a network request.
pub async fn get_block(
&self,
block: BlockHash,
) -> Result<Option<Block>, oneshot::error::RecvError> {
let val = self.send_request(UserRequest::Block(block)).await?;
extract_variant!(Block, val);
}
/// Gets a Utreexo block by its hash.
///
/// This is similar to `get_block`, but it returns proof data for the Utreexo accumulator in
/// addition to the block itself.
pub async fn get_utreexo_block(
&self,
block: BlockHash,
) -> Result<Option<UtreexoBlock>, oneshot::error::RecvError> {
let val = self.send_request(UserRequest::UtreexoBlock(block)).await?;
extract_variant!(UtreexoBlock, val)
}
/// Gets a transaction from the mempool by its ID.
///
/// This function will return a transaction from the mempool if it exists. If the transaction
/// is not in the mempool (because it doesn't exist or because it's already been mined), this
/// function will return `None`.
pub async fn get_mempool_transaction(
&self,
txid: Txid,
) -> Result<Option<Transaction>, oneshot::error::RecvError> {
let val = self
.send_request(UserRequest::MempoolTransaction(txid))
.await?;
extract_variant!(MempoolTransaction, val);
}
/// Gets information about all connected peers.
///
/// This function will return a list of `PeerInfo` structs, each of which contains information
/// about a single peer.
pub async fn get_peer_info(&self) -> Result<Vec<PeerInfo>, oneshot::error::RecvError> {
let val = self.send_request(UserRequest::GetPeerInfo).await?;
extract_variant!(GetPeerInfo, val);
}
/// Pings all connected peers to check if they are alive.
pub async fn ping(&self) -> Result<bool, oneshot::error::RecvError> {
let val = self.send_request(UserRequest::Ping).await?;
extract_variant!(Ping, val)
}
}
macro_rules! extract_variant {
($variant:ident, $var:ident) => {
if let NodeResponse::$variant(val) = $var {
return Ok(val);
} else {
panic!("Unexpected variant");
}
};
}
use extract_variant;