Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Reworked Crate to Hash Bit Instead of Hex Characters #5

Open
wants to merge 5 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 3 additions & 1 deletion src/error.rs
Original file line number Diff line number Diff line change
Expand Up @@ -14,14 +14,16 @@ pub enum Error {
InvalidIpNetwork(String),
/// Network address provided is already a full IP address
PrefixTooBig(crate::IpNetwork),
/// Failed to parse string
ParseFailed(String),
}

impl error::Error for Error {}

impl fmt::Display for Error {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self {
Error::InvalidIpNetwork(error) => write!(f, "{}", error),
Error::InvalidIpNetwork(error) | Error::ParseFailed(error) => write!(f, "{}", error),
Error::PrefixTooBig(crate::IpNetwork(net)) => write!(
f,
"{}/{} is already a full IP address",
Expand Down
134 changes: 66 additions & 68 deletions src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ mod error;
use blake2::digest::{Update, VariableOutput};
use blake2::Blake2bVar;
use ipnetwork::Ipv6Network;
use std::cmp::Ordering::{Equal, Greater, Less};
use std::net::{IpAddr, Ipv6Addr};
use std::str::FromStr;

Expand Down Expand Up @@ -40,105 +41,92 @@ impl FromStr for IpNetwork {
/// eg `fd52:f6b0:3162::/64` or `10.0.0.0/8` and computes a unique IP address.
pub fn ip(name: &str, net: IpNetwork) -> Result<IpAddr> {
match net.0 {
// handle IPv6 address
ipnetwork::IpNetwork::V6(net6) => {
if net6.prefix() == IP6_PREFIX {
return Err(Error::PrefixTooBig(net));
// Handle IPv6 address
ipnetwork::IpNetwork::V6(net6) => match net6.prefix().cmp(&IP6_PREFIX) {
Less => Ok(IpAddr::V6(ip6(name, net6)?)),
Equal => Ok(IpAddr::V6(net6.ip())),
Greater => Err(Error::PrefixTooBig(net)),
},
// Handle IPv4 address
ipnetwork::IpNetwork::V4(net4) => match net4.prefix().cmp(&IP4_PREFIX) {
Less => {
let prefix = IP6_PREFIX - IP4_PREFIX + net4.prefix();
let net6 = Ipv6Network::new(net4.ip().to_ipv6_mapped(), prefix)?;
Ok(IpAddr::V4(ip6(name, net6)?.to_ipv4_mapped().unwrap()))
}
ip6(name, net6).map(IpAddr::V6)
}
// handle IPv4 address
ipnetwork::IpNetwork::V4(net4) => {
if net4.prefix() == IP4_PREFIX {
return Err(Error::PrefixTooBig(net));
}
let prefix = IP6_PREFIX - IP4_PREFIX + net4.prefix();
let net6 = format!("::ffff:{}/{prefix}", net4.ip()).parse::<Ipv6Network>()?;
let ipv6_addr = ip6(name, net6)?.to_string();
let ip_addr = ipv6_addr
.strip_prefix("::ffff:")
// This error should never happen but I'm not a fan of panicking in libraries
.ok_or_else(|| Error::InvalidIpNetwork(format!("[BUG] the generated IPv6 address `{ipv6_addr}` does not start with the expected prefix `::`")))?
.parse()
// This error should never happen but I'm not a fan of panicking in libraries
.map_err(|_| Error::InvalidIpNetwork(format!("[BUG] failed to parse the generated IP address `{}` as IPv4", ipv6_addr.trim_start_matches(':'))))
?;
Ok(IpAddr::V4(ip_addr))
}
Equal => Ok(IpAddr::V4(net4.ip())),
Greater => Err(Error::PrefixTooBig(net)),
},
}
}

// Generates an IPv6 address from an IPv6 network
fn ip6(name: &str, net: Ipv6Network) -> Result<Ipv6Addr> {
// If we divide the prefix by 4 we will get the total number
// of characters that we must never touch.
let network_len = net.prefix() as usize / 4;
let ip = net.ip().segments();
// Uncompress the IP address and throw away the semi-colons
// so we can easily extract the network part and later
// join it to the address part that we will compute.
let ip_parts: Vec<String> = ip.iter().map(|b| format!("{b:04x}")).collect();
let ip_hash = ip_parts.join("");
let network_hash = &ip_hash[..network_len];
// The number of characters we need to generate
// Get the number of bits that will be preserved as the network prefix
let network_len = net.prefix() as usize;

// Convert the address to a u128
let network_hash = net.ip().to_bits();

// The number of bits we need to generate
//
// * An IPv6 address has a total number of 32 (8*4) characters.
// * Subtracting those characters from the total in an IP address
// gives us the number of characters we need to generate.
let address_len = 32 - network_len;
// Blake2b generates hashes in multiples of 2 so we need to divide
// the total number of characters we need by 2. However, to fully
// utilise the address space available to us, if this leaves a
// remainder (which will always be 1) we add it back to output length
// and then discard the last character of the resulting hash.
let blake_len = (address_len / 2) + (address_len % 2);
let address_hash = hash(name.as_bytes(), blake_len)?;
let ip_hash = format!("{}{}", network_hash, address_hash);
let ip_str = format!(
"{}:{}:{}:{}:{}:{}:{}:{}",
&ip_hash[..4],
&ip_hash[4..8],
&ip_hash[8..12],
&ip_hash[12..16],
&ip_hash[16..20],
&ip_hash[20..24],
&ip_hash[24..28],
&ip_hash[28..32]
);
let ip_addr = ip_str.parse().map_err(|_| {
// This error should never happen but I'm not a fan of panicking in libraries
Error::InvalidIpNetwork(format!(
"[BUG] failed to parse the generated IP string `{ip_str}` as IPv6",
))
})?;
Ok(ip_addr)
// * An IPv6 address has a total number of 128 bits.
// * Subtracting the network prefix length from the total in an IP address
// gives us the number of bits we need to generate.
let address_len = IP6_PREFIX as usize - network_len;

// Get the hash of `name`
let address_hash = hash(name.as_bytes(), address_len)?;

// Join the network and address hashes via bitmasking
let ip_hash = network_hash | address_hash;

Ok(Ipv6Addr::from_bits(ip_hash))
}

/// Computes a subnet ID for any identifier
pub fn subnet(name: &str) -> Result<String> {
hash(name.as_bytes(), 2)
Ok(format!("{:x}", hash(name.as_bytes(), 16)?))
}

fn hash(name: &[u8], len: usize) -> Result<String> {
/// Hashes a given slice of bytes (`name`) to a string of size `len`
fn hash(name: &[u8], bits: usize) -> Result<u128> {
// Convert # of bits to # of bytes
let len = (bits / 8) + (bits % 8 != 0) as usize;

let mut hasher = Blake2bVar::new(len)
// This error should never happen but I'm not a fan of panicking in libraries
.map_err(|_| {
Error::InvalidIpNetwork(format!(
"[BUG] output length of {len} resulted in an error in hash generation",
))
})?;

hasher.update(name);

let mut buf = vec![0u8; len];
hasher.finalize_variable(&mut buf).map_err(|_| {
Error::InvalidIpNetwork(format!(
"[BUG] buffer size of {len} resulted in an error in hash generation",
))
})?;
Ok(buf.iter().map(|v| format!("{:02x}", v)).collect())

// Fit `buf` into a [u8; 16], prepadded with zeros
let bytes: [u8; 16] = {
let mut bytes = [0u8; 16];
bytes[16 - buf.len()..].copy_from_slice(&buf[..]);
bytes
};

let res = u128::from_be_bytes(bytes) & (u128::MAX >> (IP6_PREFIX as usize - bits));

Ok(res)
}

#[cfg(test)]
mod tests {
use crate::IpNetwork;

#[test]
fn ip_generation() {
// IPv6
Expand Down Expand Up @@ -166,6 +154,16 @@ mod tests {
assert_eq!(ip, "fd9d:bb35:94bf:6fa1:d8fc:fd71:9046:d762");
}

#[test]
fn test_ipv4_extensive() {
// Makes sure that the generated addresses are within the network
for s in 0..1000 {
let net: IpNetwork = "10.0.0.3/25".parse().unwrap();
let addr = crate::ip(&s.to_string(), net).unwrap();
assert!(net.0.contains(addr));
}
}

#[test]
fn subnet_generation() {
let subnet = crate::subnet("consul").unwrap();
Expand Down