1

Update config file format

This commit is contained in:
Evan Pratten 2023-07-17 18:40:17 -04:00
parent ada8d57fe4
commit b7973dbf0d
4 changed files with 57 additions and 50 deletions

View File

@ -22,18 +22,16 @@ Hosts that require a stable IPv4 address may be assigned a static mapping in the
Protomask uses a [TOML](https://toml.io) configuration file. Here is a functional example: Protomask uses a [TOML](https://toml.io) configuration file. Here is a functional example:
```toml ```toml
[Interface] # The NAT64 prefix to route to protomask
# The IPv6 prefix to listen for V6 traffic on Nat64Prefix = "64:ff9b::/96"
Prefix = "64:ff9b::/96"
# A list of IPv4 prefixes to map V6 traffic to
Pool = ["192.0.2.0/24"]
[Rules] [Pool]
# A static mapping of IPv4 and IPv6 addresses # All prefixes in the pool
# These addresses will not used in the dynamic pool Prefixes = ["192.0.2.0/24"]
MapStatic = [{ v4 = "192.0.2.2", v6 = "2001:db8:1::2" }] # The maximum duration a prefix will be reserved for after becoming idle
# How many seconds to keep a dynamic mapping alive for MaxIdleDuration = 7200 # Optional, seconds. Defaults to 7200 (2 hours)
ReservationDuration = 7200 # Optional # Permanent address mappings
Static = [{ v4 = "192.0.2.2", v6 = "2001:db8:1::2" }]
``` ```
## Installation ## Installation

View File

@ -1,14 +1,12 @@
# Example configuration file for protomask # Protomask example configuraiton file
[Interface]
# Addresses to use for ICMP messaging
Address4 = "192.0.2.1"
Address6 = "2001:db8:1::1"
# A list of IPv4 prefixes to NAT to
Pool = ["192.0.2.0/24"]
# The IPv6 prefix to listen for traffic on
Prefix = "64:ff9b::/96"
[Rules] # The NAT64 prefix to route to protomask
# A static mapping of IPv4 and IPv6 addresses Nat64Prefix = "64:ff9b::/96"
# These addresses will be exclusively reserved, and not used in the general pool
MapStatic = [{ v4 = "192.0.2.2", v6 = "2001:db8:1::2" }] [Pool]
# All prefixes in the pool
Prefixes = ["192.0.2.0/24"]
# The maximum duration a prefix will be reserved for after becoming idle
MaxIdleDuration = 7200 # Optional, seconds. Defaults to 7200 (2 hours)
# Permanent address mappings
Static = [{ v4 = "192.0.2.2", v6 = "2001:db8:1::2" }]

View File

@ -7,17 +7,6 @@ use std::{
use colored::Colorize; use colored::Colorize;
use ipnet::{Ipv4Net, Ipv6Net}; use ipnet::{Ipv4Net, Ipv6Net};
/// Interface config
#[derive(Debug, serde::Deserialize)]
pub struct InterfaceConfig {
/// Ipv4 pool
#[serde(rename = "Pool")]
pub pool: Vec<Ipv4Net>,
/// IPv6 prefix
#[serde(rename = "Prefix")]
pub prefix: Ipv6Net,
}
/// A static mapping rule /// A static mapping rule
#[derive(Debug, serde::Deserialize)] #[derive(Debug, serde::Deserialize)]
pub struct AddressMappingRule { pub struct AddressMappingRule {
@ -34,16 +23,19 @@ fn default_reservation_duration() -> u64 {
/// Rules config /// Rules config
#[derive(Debug, serde::Deserialize)] #[derive(Debug, serde::Deserialize)]
pub struct RulesConfig { pub struct PoolConfig {
/// Pool prefixes
#[serde(rename = "Prefixes")]
pub prefixes: Vec<Ipv4Net>,
/// Static mapping rules /// Static mapping rules
#[serde(rename = "MapStatic", default="Vec::new")] #[serde(rename = "Static", default = "Vec::new")]
pub static_map: Vec<AddressMappingRule>, pub static_map: Vec<AddressMappingRule>,
/// How long to hold a dynamic mapping for /// How long to hold a dynamic mapping for
#[serde(rename = "ReservationDuration", default="default_reservation_duration")] #[serde(rename = "MaxIdleDuration", default = "default_reservation_duration")]
reservation_duration: u64, reservation_duration: u64,
} }
impl RulesConfig { impl PoolConfig {
/// Get the reservation duration /// Get the reservation duration
pub fn reservation_duration(&self) -> Duration { pub fn reservation_duration(&self) -> Duration {
Duration::from_secs(self.reservation_duration) Duration::from_secs(self.reservation_duration)
@ -53,12 +45,12 @@ impl RulesConfig {
/// Representation of the `protomask.toml` config file /// Representation of the `protomask.toml` config file
#[derive(Debug, serde::Deserialize)] #[derive(Debug, serde::Deserialize)]
pub struct Config { pub struct Config {
/// Interface config /// The NAT64 prefix
#[serde(rename = "Interface")] #[serde(rename = "Nat64Prefix")]
pub interface: InterfaceConfig, pub nat64_prefix: Ipv6Net,
/// Rules config /// Pool configuration
#[serde(rename = "Rules")] #[serde(rename = "Pool")]
pub rules: RulesConfig, pub pool: PoolConfig,
} }
impl Config { impl Config {
@ -84,3 +76,14 @@ impl Config {
} }
} }
} }
#[cfg(test)]
mod tests {
use super::*;
/// Test that fails if the example file is not valid
#[test]
fn ensure_example_is_valid() {
let _ = Config::load("protomask.toml").unwrap();
}
}

View File

@ -20,6 +20,7 @@ pub async fn main() {
"{}: {}", "{}: {}",
format!( format!(
"{}{}", "{}{}",
// Level messages are padded to keep the output looking somewhat sane
match record.level() { match record.level() {
log::Level::Error => "ERROR".red().bold().to_string(), log::Level::Error => "ERROR".red().bold().to_string(),
log::Level::Warn => "WARN ".yellow().bold().to_string(), log::Level::Warn => "WARN ".yellow().bold().to_string(),
@ -27,8 +28,9 @@ pub async fn main() {
log::Level::Debug => "DEBUG".bright_blue().bold().to_string(), log::Level::Debug => "DEBUG".bright_blue().bold().to_string(),
log::Level::Trace => "TRACE".bright_white().bold().to_string(), log::Level::Trace => "TRACE".bright_white().bold().to_string(),
}, },
// Only show the outer package name if verbose logging is enabled (otherwise nothing)
match log_verbose { match log_verbose {
true => format!(" [{:13}]", record.target().split("::").nth(0).unwrap()), true => format!(" [{}]", record.target().split("::").nth(0).unwrap()),
false => String::new(), false => String::new(),
} }
.bright_black() .bright_black()
@ -50,17 +52,23 @@ pub async fn main() {
// Parse the config file // Parse the config file
let config = Config::load(args.config_file).unwrap(); let config = Config::load(args.config_file).unwrap();
// Currently, only a /96 is supported
if config.nat64_prefix.prefix_len() != 96 {
log::error!("Only a /96 prefix is supported for the NAT64 prefix");
std::process::exit(1);
}
// Create the NAT64 instance // Create the NAT64 instance
let mut nat64 = Nat64::new( let mut nat64 = Nat64::new(
config.interface.prefix, config.nat64_prefix,
config.interface.pool, config.pool.prefixes.clone(),
config config
.rules .pool
.static_map .static_map
.iter() .iter()
.map(|rule| (rule.v6, rule.v4)) .map(|rule| (rule.v6, rule.v4))
.collect(), .collect(),
config.rules.reservation_duration(), config.pool.reservation_duration(),
) )
.await .await
.unwrap(); .unwrap();