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
use std::hash::Hash;
use std::net::{Ipv4Addr, SocketAddrV4};
use super::now;
use crate::proto;
#[derive(Copy, Clone, Eq, PartialEq, Hash)]
#[repr(transparent)]
pub struct PackedSocketAddr(u64);
impl PackedSocketAddr {
pub fn localhost(port: u16) -> Self {
Self::new(SocketAddrV4::new(Ipv4Addr::LOCALHOST, port))
}
pub fn new(addr: SocketAddrV4) -> Self {
let ip = u32::from_be_bytes(addr.ip().octets());
Self((ip as u64) << 16 | addr.port() as u64)
}
pub fn from_ip_and_port(ip: u32, port: u16) -> Self {
Self((ip as u64) << 16 | port as u64)
}
#[inline(always)]
pub fn port(&self) -> u16 {
self.0 as u16
}
pub fn as_tl(&self) -> proto::adnl::Address {
proto::adnl::Address::Udp {
ip: (self.0 >> 16) as u32,
port: self.0 as u16 as u32,
}
}
}
impl From<u64> for PackedSocketAddr {
fn from(encoded: u64) -> Self {
Self(encoded)
}
}
impl From<SocketAddrV4> for PackedSocketAddr {
fn from(addr: SocketAddrV4) -> Self {
Self::new(addr)
}
}
impl From<PackedSocketAddr> for SocketAddrV4 {
fn from(address: PackedSocketAddr) -> Self {
let addr = Ipv4Addr::from(((address.0 >> 16) as u32).to_be_bytes());
SocketAddrV4::new(addr, address.0 as u16)
}
}
impl From<PackedSocketAddr> for u64 {
fn from(address: PackedSocketAddr) -> Self {
address.0
}
}
impl std::fmt::Display for PackedSocketAddr {
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
f.write_fmt(format_args!(
"{}.{}.{}.{}:{}",
(self.0 >> 40) as u8,
(self.0 >> 32) as u8,
(self.0 >> 24) as u8,
(self.0 >> 16) as u8,
self.0 as u16
))
}
}
pub fn parse_address_list(
list: &proto::adnl::AddressList,
clock_tolerance: u32,
) -> Result<PackedSocketAddr, AdnlAddressListError> {
let address = list.address.ok_or(AdnlAddressListError::ListIsEmpty)?;
let version = now();
if list.reinit_date > version + clock_tolerance {
return Err(AdnlAddressListError::TooNewVersion);
}
if list.expire_at != 0 && list.expire_at < version {
return Err(AdnlAddressListError::Expired);
}
match address {
proto::adnl::Address::Udp { ip, port } => {
Ok(PackedSocketAddr::from_ip_and_port(ip, port as u16))
}
}
}
#[derive(thiserror::Error, Debug)]
pub enum AdnlAddressListError {
#[error("Address list is empty")]
ListIsEmpty,
#[error("Address list version is too new")]
TooNewVersion,
#[error("Address list is expired")]
Expired,
}