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
use std::net::{IpAddr, SocketAddr};
pub fn address_equal(a: &IpAddr, b: &IpAddr) -> bool {
match (*a, *b) {
(IpAddr::V4(ref a), IpAddr::V4(ref b)) => a == b,
(IpAddr::V6(ref a), IpAddr::V6(ref b)) => a == b,
(IpAddr::V6(ref a), IpAddr::V4(ref b)) => {
match a.to_ipv4() {
Some(ref a4) => a4 == b,
None => false
}
}
(IpAddr::V4(..), IpAddr::V6(..)) => address_equal(b, a),
}
}
pub fn socket_address_equal(a: &SocketAddr, b: &SocketAddr) -> bool {
a.port() == b.port() && address_equal(&a.ip(), &b.ip())
}
pub fn address_name(addr: &IpAddr) -> String {
match *addr {
IpAddr::V4(ref addr) => {
let octets = addr.octets();
format!("{}.{}.{}.{}.in-addr.arpa",
octets[3], octets[2], octets[1], octets[0])
}
IpAddr::V6(ref addr) => {
let s = addr.segments();
format!(
"{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.\
{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.\
{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.\
{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.{:x}.ip6.arpa",
s[7] & 0xf, (s[7] & 0x00f0) >> 4, (s[7] & 0x0f00) >> 8, (s[7] & 0xf000) >> 12,
s[6] & 0xf, (s[6] & 0x00f0) >> 4, (s[6] & 0x0f00) >> 8, (s[6] & 0xf000) >> 12,
s[5] & 0xf, (s[5] & 0x00f0) >> 4, (s[5] & 0x0f00) >> 8, (s[5] & 0xf000) >> 12,
s[4] & 0xf, (s[4] & 0x00f0) >> 4, (s[4] & 0x0f00) >> 8, (s[4] & 0xf000) >> 12,
s[3] & 0xf, (s[3] & 0x00f0) >> 4, (s[3] & 0x0f00) >> 8, (s[3] & 0xf000) >> 12,
s[2] & 0xf, (s[2] & 0x00f0) >> 4, (s[2] & 0x0f00) >> 8, (s[2] & 0xf000) >> 12,
s[1] & 0xf, (s[1] & 0x00f0) >> 4, (s[1] & 0x0f00) >> 8, (s[1] & 0xf000) >> 12,
s[0] & 0xf, (s[0] & 0x00f0) >> 4, (s[0] & 0x0f00) >> 8, (s[0] & 0xf000) >> 12)
}
}
}
#[cfg(test)]
mod test {
use std::net::{IpAddr, Ipv4Addr, Ipv6Addr};
use super::{address_equal, address_name};
#[test]
fn test_address_equal() {
let ip = Ipv4Addr::new(1, 2, 3, 4);
let a = IpAddr::V4(ip);
assert!(address_equal(&a, &IpAddr::V6(ip.to_ipv6_compatible())));
assert!(address_equal(&a, &IpAddr::V6(ip.to_ipv6_mapped())));
assert!(!address_equal(&a, &IpAddr::V6(
Ipv6Addr::new(1, 0, 0, 0, 0, 0, 0x0102, 0x0304))));
}
#[test]
fn test_address_name() {
assert_eq!(address_name(&"192.0.2.5".parse::<IpAddr>().unwrap()),
"5.2.0.192.in-addr.arpa");
assert_eq!(address_name(&"2001:db8::567:89ab".parse::<IpAddr>().unwrap()),
"b.a.9.8.7.6.5.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.0.8.b.d.0.1.0.0.2.ip6.arpa");
}
}