#[macro_use]
extern crate tracing;
pub mod error;
pub mod messages;
pub mod node;
pub mod node_rpc;
pub mod storage;
pub mod version;
#[expect(clippy::unwrap_used, clippy::clone_on_ref_ptr)]
#[cfg(feature = "rpc")]
pub mod antnode_proto {
tonic::include_proto!("antnode_proto");
}
pub use error::Error;
pub use error::Error as NetworkError;
use storage::ScratchpadAddress;
use self::storage::{ChunkAddress, GraphEntryAddress, PointerAddress};
pub use bytes::Bytes;
use libp2p::{
kad::{KBucketDistance as Distance, KBucketKey as Key, RecordKey},
multiaddr::Protocol,
Multiaddr, PeerId,
};
use serde::{Deserialize, Deserializer, Serialize, Serializer};
use std::{
borrow::Cow,
fmt::{self, Debug, Display, Formatter, Write},
};
pub const CLOSE_GROUP_SIZE: usize = 5;
pub fn get_port_from_multiaddr(multi_addr: &Multiaddr) -> Option<u16> {
for protocol in multi_addr.iter() {
if let Protocol::Udp(port) = protocol {
return Some(port);
}
}
None
}
#[derive(Clone, Eq, PartialEq, Ord, PartialOrd, Hash, Serialize, Deserialize)]
pub enum NetworkAddress {
PeerId(Bytes),
ChunkAddress(ChunkAddress),
GraphEntryAddress(GraphEntryAddress),
ScratchpadAddress(ScratchpadAddress),
PointerAddress(PointerAddress),
RecordKey(Bytes),
}
impl NetworkAddress {
pub fn from_chunk_address(chunk_address: ChunkAddress) -> Self {
NetworkAddress::ChunkAddress(chunk_address)
}
pub fn from_graph_entry_address(graph_entry_address: GraphEntryAddress) -> Self {
NetworkAddress::GraphEntryAddress(graph_entry_address)
}
pub fn from_scratchpad_address(address: ScratchpadAddress) -> Self {
NetworkAddress::ScratchpadAddress(address)
}
pub fn from_peer(peer_id: PeerId) -> Self {
NetworkAddress::PeerId(Bytes::from(peer_id.to_bytes()))
}
pub fn from_record_key(record_key: &RecordKey) -> Self {
NetworkAddress::RecordKey(Bytes::copy_from_slice(record_key.as_ref()))
}
pub fn from_pointer_address(pointer_address: PointerAddress) -> Self {
NetworkAddress::PointerAddress(pointer_address)
}
pub fn as_bytes(&self) -> Vec<u8> {
match self {
NetworkAddress::PeerId(bytes) | NetworkAddress::RecordKey(bytes) => bytes.to_vec(),
NetworkAddress::ChunkAddress(chunk_address) => chunk_address.xorname().0.to_vec(),
NetworkAddress::GraphEntryAddress(graph_entry_address) => {
graph_entry_address.xorname().0.to_vec()
}
NetworkAddress::ScratchpadAddress(addr) => addr.xorname().0.to_vec(),
NetworkAddress::PointerAddress(pointer_address) => pointer_address.0.to_vec(),
}
}
pub fn as_peer_id(&self) -> Option<PeerId> {
if let NetworkAddress::PeerId(bytes) = self {
if let Ok(peer_id) = PeerId::from_bytes(bytes) {
return Some(peer_id);
}
}
None
}
pub fn as_record_key(&self) -> Option<RecordKey> {
match self {
NetworkAddress::RecordKey(bytes) => Some(RecordKey::new(bytes)),
_ => None,
}
}
pub fn to_record_key(&self) -> RecordKey {
match self {
NetworkAddress::RecordKey(bytes) => RecordKey::new(bytes),
NetworkAddress::ChunkAddress(chunk_address) => RecordKey::new(chunk_address.xorname()),
NetworkAddress::GraphEntryAddress(graph_entry_address) => {
RecordKey::new(graph_entry_address.xorname())
}
NetworkAddress::PointerAddress(pointer_address) => {
RecordKey::new(pointer_address.xorname())
}
NetworkAddress::ScratchpadAddress(addr) => RecordKey::new(&addr.xorname()),
NetworkAddress::PeerId(bytes) => RecordKey::new(bytes),
}
}
pub fn as_kbucket_key(&self) -> Key<Vec<u8>> {
Key::new(self.as_bytes())
}
pub fn distance(&self, other: &NetworkAddress) -> Distance {
self.as_kbucket_key().distance(&other.as_kbucket_key())
}
}
impl Debug for NetworkAddress {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
let name_str = match self {
NetworkAddress::PeerId(_) => {
if let Some(peer_id) = self.as_peer_id() {
format!("NetworkAddress::PeerId({peer_id} - ")
} else {
"NetworkAddress::PeerId(".to_string()
}
}
NetworkAddress::ChunkAddress(chunk_address) => {
format!(
"NetworkAddress::ChunkAddress({} - ",
&chunk_address.to_hex()[0..6]
)
}
NetworkAddress::GraphEntryAddress(graph_entry_address) => {
format!(
"NetworkAddress::GraphEntryAddress({} - ",
&graph_entry_address.to_hex()[0..6]
)
}
NetworkAddress::ScratchpadAddress(scratchpad_address) => {
format!(
"NetworkAddress::ScratchpadAddress({} - ",
&scratchpad_address.to_hex()[0..6]
)
}
NetworkAddress::PointerAddress(pointer_address) => {
format!(
"NetworkAddress::PointerAddress({} - ",
&pointer_address.to_hex()[0..6]
)
}
NetworkAddress::RecordKey(bytes) => {
format!("NetworkAddress::RecordKey({:?} - ", hex::encode(bytes))
}
};
write!(
f,
"{name_str}{:?})",
PrettyPrintKBucketKey(self.as_kbucket_key())
)
}
}
impl Display for NetworkAddress {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
match self {
NetworkAddress::PeerId(id) => {
write!(f, "NetworkAddress::PeerId({})", hex::encode(id))
}
NetworkAddress::ChunkAddress(addr) => {
write!(f, "NetworkAddress::ChunkAddress({addr:?})")
}
NetworkAddress::GraphEntryAddress(addr) => {
write!(f, "NetworkAddress::GraphEntryAddress({addr:?})")
}
NetworkAddress::ScratchpadAddress(addr) => {
write!(f, "NetworkAddress::ScratchpadAddress({addr:?})")
}
NetworkAddress::RecordKey(key) => {
write!(f, "NetworkAddress::RecordKey({})", hex::encode(key))
}
NetworkAddress::PointerAddress(addr) => {
write!(f, "NetworkAddress::PointerAddress({addr:?})")
}
}
}
}
#[derive(Clone)]
pub struct PrettyPrintKBucketKey(pub Key<Vec<u8>>);
impl std::fmt::Display for PrettyPrintKBucketKey {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
for byte in self.0.hashed_bytes() {
f.write_fmt(format_args!("{byte:02x}"))?;
}
Ok(())
}
}
impl std::fmt::Debug for PrettyPrintKBucketKey {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{self}")
}
}
#[derive(Clone, Hash, Eq, PartialEq)]
pub struct PrettyPrintRecordKey<'a> {
key: Cow<'a, RecordKey>,
}
impl Serialize for PrettyPrintRecordKey<'_> {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: Serializer,
{
let record_key_bytes = match &self.key {
Cow::Borrowed(borrowed_key) => borrowed_key.as_ref(),
Cow::Owned(owned_key) => owned_key.as_ref(),
};
record_key_bytes.serialize(serializer)
}
}
impl<'de> Deserialize<'de> for PrettyPrintRecordKey<'static> {
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where
D: Deserializer<'de>,
{
let bytes = Vec::<u8>::deserialize(deserializer)?;
Ok(PrettyPrintRecordKey {
key: Cow::Owned(RecordKey::new(&bytes)),
})
}
}
impl<'a> From<&'a RecordKey> for PrettyPrintRecordKey<'a> {
fn from(key: &'a RecordKey) -> Self {
PrettyPrintRecordKey {
key: Cow::Borrowed(key),
}
}
}
impl PrettyPrintRecordKey<'_> {
pub fn into_owned(self) -> PrettyPrintRecordKey<'static> {
let cloned_key = match self.key {
Cow::Borrowed(key) => Cow::Owned(key.clone()),
Cow::Owned(key) => Cow::Owned(key),
};
PrettyPrintRecordKey { key: cloned_key }
}
pub fn no_kbucket_log(self) -> String {
let mut content = String::from("");
let record_key_bytes = match &self.key {
Cow::Borrowed(borrowed_key) => borrowed_key.as_ref(),
Cow::Owned(owned_key) => owned_key.as_ref(),
};
for byte in record_key_bytes {
let _ = content.write_fmt(format_args!("{byte:02x}"));
}
content
}
}
impl std::fmt::Display for PrettyPrintRecordKey<'_> {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
let record_key_bytes = match &self.key {
Cow::Borrowed(borrowed_key) => borrowed_key.as_ref(),
Cow::Owned(owned_key) => owned_key.as_ref(),
};
for byte in record_key_bytes.iter().take(3) {
f.write_fmt(format_args!("{byte:02x}"))?;
}
write!(
f,
"({:?})",
PrettyPrintKBucketKey(NetworkAddress::from_record_key(&self.key).as_kbucket_key())
)
}
}
impl std::fmt::Debug for PrettyPrintRecordKey<'_> {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{self}")
}
}
#[cfg(test)]
mod tests {
use crate::storage::GraphEntryAddress;
use crate::NetworkAddress;
use bls::rand::thread_rng;
#[test]
fn verify_graph_entry_addr_is_actionable() {
let xorname = xor_name::XorName::random(&mut thread_rng());
let graph_entry_addr = GraphEntryAddress::new(xorname);
let net_addr = NetworkAddress::from_graph_entry_address(graph_entry_addr);
let graph_entry_addr_hex = &graph_entry_addr.to_hex()[0..6]; let net_addr_fmt = format!("{net_addr}");
assert!(net_addr_fmt.contains(graph_entry_addr_hex));
}
}