use derive_adhoc::Adhoc;
use derive_builder::Builder;
use serde::{Deserialize, Serialize};
use std::{net::SocketAddr, ops::RangeInclusive, path::PathBuf, str::FromStr};
use tor_config::{define_list_builder_accessors, define_list_builder_helper, ConfigBuildError};
#[derive(Clone, Debug, Builder, Eq, PartialEq)]
#[builder(build_fn(error = "ConfigBuildError", validate = "Self::validate"))]
#[builder(derive(Debug, Serialize, Deserialize, Adhoc, Eq, PartialEq))]
#[builder_struct_attr(derive_adhoc(tor_config::Flattenable))]
pub struct ProxyConfig {
#[builder(sub_builder, setter(custom))]
pub(crate) proxy_ports: ProxyRuleList,
}
impl ProxyConfigBuilder {
fn validate(&self) -> Result<(), ConfigBuildError> {
let mut covered = rangemap::RangeInclusiveSet::<u16>::new();
for rule in self.proxy_ports.access_opt().iter().flatten() {
let range = &rule.source.0;
if covered.gaps(range).next().is_none() {
return Err(ConfigBuildError::Invalid {
field: "proxy_ports".into(),
problem: format!("Port pattern {} is not reachable", rule.source),
});
}
covered.insert(range.clone());
}
Ok(())
}
}
define_list_builder_accessors! {
struct ProxyConfigBuilder {
pub proxy_ports: [ProxyRule],
}
}
type ProxyRuleList = Vec<ProxyRule>;
define_list_builder_helper! {
#[derive(Eq, PartialEq)]
pub struct ProxyRuleListBuilder {
pub(crate) values: [ProxyRule],
}
built: ProxyRuleList = values;
default = vec![];
item_build: |value| Ok(value.clone());
}
impl ProxyConfig {
pub(crate) fn resolve_port_for_begin(&self, port: u16) -> Option<&ProxyAction> {
self.proxy_ports
.iter()
.find(|rule| rule.source.matches_port(port))
.map(|rule| &rule.target)
}
}
#[derive(
Clone,
Debug,
Eq,
PartialEq,
serde_with::DeserializeFromStr,
serde_with::SerializeDisplay,
)]
pub struct ProxyRule {
source: ProxyPattern,
target: ProxyAction,
}
impl std::fmt::Display for ProxyRule {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{} => {}", self.source, self.target)
}
}
impl FromStr for ProxyRule {
type Err = ProxyConfigError;
fn from_str(s: &str) -> Result<Self, Self::Err> {
let (source, target) = s
.split_once("=>")
.ok_or(ProxyConfigError::UnrecognizedTargetType)?;
Ok(ProxyRule {
source: source.trim().parse()?,
target: target.trim().parse()?,
})
}
}
impl ProxyRule {
pub fn new(source: ProxyPattern, target: ProxyAction) -> Self {
Self { source, target }
}
}
#[derive(
Clone, Debug, serde_with::DeserializeFromStr, serde_with::SerializeDisplay, Eq, PartialEq,
)]
pub struct ProxyPattern(RangeInclusive<u16>);
impl FromStr for ProxyPattern {
type Err = ProxyConfigError;
fn from_str(s: &str) -> Result<Self, Self::Err> {
use ProxyConfigError as PCE;
if s == "*" {
Ok(Self::all_ports())
} else if let Some((left, right)) = s.split_once('-') {
let left: u16 = left.parse().map_err(PCE::InvalidPort)?;
let right: u16 = right.parse().map_err(PCE::InvalidPort)?;
Self::port_range(left, right)
} else {
let port = s.parse().map_err(PCE::InvalidPort)?;
Self::one_port(port)
}
}
}
impl std::fmt::Display for ProxyPattern {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match self.0.clone().into_inner() {
(start, end) if start == end => write!(f, "{}", start),
(1, 65535) => write!(f, "*"),
(start, end) => write!(f, "{}-{}", start, end),
}
}
}
impl ProxyPattern {
pub fn all_ports() -> Self {
Self::check(1, 65535).expect("Somehow, 1-65535 was not a valid pattern")
}
pub fn one_port(port: u16) -> Result<Self, ProxyConfigError> {
Self::check(port, port)
}
pub fn port_range(low: u16, high: u16) -> Result<Self, ProxyConfigError> {
Self::check(low, high)
}
pub(crate) fn matches_port(&self, port: u16) -> bool {
self.0.contains(&port)
}
fn check(start: u16, end: u16) -> Result<ProxyPattern, ProxyConfigError> {
use ProxyConfigError as PCE;
match (start, end) {
(_, 0) => Err(PCE::ZeroPort),
(0, n) => Ok(Self(1..=n)),
(low, high) if low > high => Err(PCE::EmptyPortRange),
(low, high) => Ok(Self(low..=high)),
}
}
}
#[derive(
Clone,
Debug,
Default,
serde_with::DeserializeFromStr,
serde_with::SerializeDisplay,
Eq,
PartialEq,
)]
#[non_exhaustive]
pub enum ProxyAction {
#[default]
DestroyCircuit,
Forward(Encapsulation, TargetAddr),
RejectStream,
IgnoreStream,
}
#[derive(Clone, Debug, Eq, PartialEq)]
#[non_exhaustive]
pub enum TargetAddr {
Inet(SocketAddr),
Unix(PathBuf),
}
impl FromStr for TargetAddr {
type Err = ProxyConfigError;
fn from_str(s: &str) -> Result<Self, Self::Err> {
use ProxyConfigError as PCE;
fn looks_like_attempted_addr(s: &str) -> bool {
s.starts_with(|c: char| c.is_ascii_digit())
|| s.strip_prefix('[')
.map(|rhs| rhs.starts_with(|c: char| c.is_ascii_hexdigit() || c == ':'))
.unwrap_or(false)
}
if let Some(path) = s.strip_prefix("unix:") {
Ok(Self::Unix(PathBuf::from(path)))
} else if let Some(addr) = s.strip_prefix("inet:") {
Ok(Self::Inet(addr.parse().map_err(PCE::InvalidTargetAddr)?))
} else if looks_like_attempted_addr(s) {
Ok(Self::Inet(s.parse().map_err(PCE::InvalidTargetAddr)?))
} else {
Err(PCE::UnrecognizedTargetType)
}
}
}
impl std::fmt::Display for TargetAddr {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match self {
TargetAddr::Inet(a) => write!(f, "inet:{}", a),
TargetAddr::Unix(p) => write!(f, "unix:{}", p.display()),
}
}
}
#[derive(Clone, Debug, Default, Eq, PartialEq)]
#[non_exhaustive]
pub enum Encapsulation {
#[default]
Simple,
}
impl FromStr for ProxyAction {
type Err = ProxyConfigError;
fn from_str(s: &str) -> Result<Self, Self::Err> {
if s == "destroy" {
Ok(Self::DestroyCircuit)
} else if s == "reject" {
Ok(Self::RejectStream)
} else if s == "ignore" {
Ok(Self::IgnoreStream)
} else if let Some(addr) = s.strip_prefix("simple:") {
Ok(Self::Forward(Encapsulation::Simple, addr.parse()?))
} else {
Ok(Self::Forward(Encapsulation::Simple, s.parse()?))
}
}
}
impl std::fmt::Display for ProxyAction {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match self {
ProxyAction::DestroyCircuit => write!(f, "destroy"),
ProxyAction::Forward(Encapsulation::Simple, addr) => write!(f, "simple:{}", addr),
ProxyAction::RejectStream => write!(f, "reject"),
ProxyAction::IgnoreStream => write!(f, "ignore"),
}
}
}
#[derive(Debug, Clone, thiserror::Error)]
#[non_exhaustive]
pub enum ProxyConfigError {
#[error("Could not parse proxy target type.")]
UnrecognizedTargetType,
#[error("Could not parse proxy target address.")]
InvalidTargetAddr(#[source] std::net::AddrParseError),
#[error("Could not parse proxy source port.")]
InvalidPort(#[source] std::num::ParseIntError),
#[error("Zero is not a valid port.")]
ZeroPort,
#[error("Port range is empty.")]
EmptyPortRange,
}
#[cfg(test)]
mod test {
#![allow(clippy::bool_assert_comparison)]
#![allow(clippy::clone_on_copy)]
#![allow(clippy::dbg_macro)]
#![allow(clippy::print_stderr)]
#![allow(clippy::print_stdout)]
#![allow(clippy::single_char_pattern)]
#![allow(clippy::unwrap_used)]
#![allow(clippy::unchecked_duration_subtraction)]
#![allow(clippy::useless_vec)]
#![allow(clippy::needless_pass_by_value)]
use super::*;
#[test]
fn pattern_ok() {
use ProxyPattern as P;
assert_eq!(P::from_str("*").unwrap(), P(1..=65535));
assert_eq!(P::from_str("100").unwrap(), P(100..=100));
assert_eq!(P::from_str("100-200").unwrap(), P(100..=200));
assert_eq!(P::from_str("0-200").unwrap(), P(1..=200));
}
#[test]
fn pattern_display() {
use ProxyPattern as P;
assert_eq!(P::all_ports().to_string(), "*");
assert_eq!(P::one_port(100).unwrap().to_string(), "100");
assert_eq!(P::port_range(100, 200).unwrap().to_string(), "100-200");
}
#[test]
fn pattern_err() {
use ProxyConfigError as PCE;
use ProxyPattern as P;
assert!(matches!(P::from_str("fred"), Err(PCE::InvalidPort(_))));
assert!(matches!(P::from_str("100-fred"), Err(PCE::InvalidPort(_))));
assert!(matches!(P::from_str("100-42"), Err(PCE::EmptyPortRange)));
}
#[test]
fn target_ok() {
use Encapsulation::Simple;
use ProxyAction as T;
use TargetAddr as A;
assert!(matches!(T::from_str("reject"), Ok(T::RejectStream)));
assert!(matches!(T::from_str("ignore"), Ok(T::IgnoreStream)));
assert!(matches!(T::from_str("destroy"), Ok(T::DestroyCircuit)));
let sa: SocketAddr = "192.168.1.1:50".parse().unwrap();
assert!(
matches!(T::from_str("192.168.1.1:50"), Ok(T::Forward(Simple, A::Inet(a))) if a == sa)
);
assert!(
matches!(T::from_str("inet:192.168.1.1:50"), Ok(T::Forward(Simple, A::Inet(a))) if a == sa)
);
let sa: SocketAddr = "[::1]:999".parse().unwrap();
assert!(matches!(T::from_str("[::1]:999"), Ok(T::Forward(Simple, A::Inet(a))) if a == sa));
assert!(
matches!(T::from_str("inet:[::1]:999"), Ok(T::Forward(Simple, A::Inet(a))) if a == sa)
);
let pb = PathBuf::from("/var/run/hs/socket");
assert!(
matches!(T::from_str("unix:/var/run/hs/socket"), Ok(T::Forward(Simple, A::Unix(p))) if p == pb)
);
}
#[test]
fn target_display() {
use Encapsulation::Simple;
use ProxyAction as T;
use TargetAddr as A;
assert_eq!(T::RejectStream.to_string(), "reject");
assert_eq!(T::IgnoreStream.to_string(), "ignore");
assert_eq!(T::DestroyCircuit.to_string(), "destroy");
assert_eq!(
T::Forward(Simple, A::Inet("192.168.1.1:50".parse().unwrap())).to_string(),
"simple:inet:192.168.1.1:50"
);
assert_eq!(
T::Forward(Simple, A::Inet("[::1]:999".parse().unwrap())).to_string(),
"simple:inet:[::1]:999"
);
assert_eq!(
T::Forward(Simple, A::Unix("/var/run/hs/socket".into())).to_string(),
"simple:unix:/var/run/hs/socket"
);
}
#[test]
fn target_err() {
use ProxyAction as T;
use ProxyConfigError as PCE;
assert!(matches!(
T::from_str("sdakljf"),
Err(PCE::UnrecognizedTargetType)
));
assert!(matches!(
T::from_str("inet:hello"),
Err(PCE::InvalidTargetAddr(_))
));
assert!(matches!(
T::from_str("inet:wwww.example.com:80"),
Err(PCE::InvalidTargetAddr(_))
));
assert!(matches!(
T::from_str("127.1:80"),
Err(PCE::InvalidTargetAddr(_))
));
assert!(matches!(
T::from_str("inet:127.1:80"),
Err(PCE::InvalidTargetAddr(_))
));
assert!(matches!(
T::from_str("127.1:80"),
Err(PCE::InvalidTargetAddr(_))
));
assert!(matches!(
T::from_str("inet:2130706433:80"),
Err(PCE::InvalidTargetAddr(_))
));
assert!(matches!(
T::from_str("128.256.cats.and.dogs"),
Err(PCE::InvalidTargetAddr(_))
));
}
#[test]
fn deserialize() {
use Encapsulation::Simple;
use TargetAddr as A;
let ex = r#"{
"proxy_ports": [
"443 => 127.0.0.1:11443",
"80 => ignore",
"* => destroy"
]
}"#;
let bld: ProxyConfigBuilder = serde_json::from_str(ex).unwrap();
let cfg = bld.build().unwrap();
assert_eq!(cfg.proxy_ports.len(), 3);
assert_eq!(cfg.proxy_ports[0].source.0, 443..=443);
assert_eq!(cfg.proxy_ports[1].source.0, 80..=80);
assert_eq!(cfg.proxy_ports[2].source.0, 1..=65535);
assert_eq!(
cfg.proxy_ports[0].target,
ProxyAction::Forward(Simple, A::Inet("127.0.0.1:11443".parse().unwrap()))
);
assert_eq!(cfg.proxy_ports[1].target, ProxyAction::IgnoreStream);
assert_eq!(cfg.proxy_ports[2].target, ProxyAction::DestroyCircuit);
}
#[test]
fn validation_fail() {
let ex = r#"{
"proxy_ports": [
"2-300 => 127.0.0.1:11443",
"301-999 => ignore",
"30-310 => destroy"
]
}"#;
let bld: ProxyConfigBuilder = serde_json::from_str(ex).unwrap();
match bld.build() {
Err(ConfigBuildError::Invalid { field, problem }) => {
assert_eq!(field, "proxy_ports");
assert_eq!(problem, "Port pattern 30-310 is not reachable");
}
other => panic!("Expected an Invalid error; got {other:?}"),
}
let ex = r#"{
"proxy_ports": [
"2-300 => 127.0.0.1:11443",
"302-999 => ignore",
"30-310 => destroy"
]
}"#;
let bld: ProxyConfigBuilder = serde_json::from_str(ex).unwrap();
assert!(bld.build().is_ok());
}
#[test]
fn demo() {
let b: ProxyConfigBuilder = toml::de::from_str(
r#"
proxy_ports = [
"80 => 127.0.0.1:10080",
"22 => destroy",
"265 => ignore",
"1-1024 => unix:/var/run/allium-cepa/socket",
]
"#,
)
.unwrap();
let c = b.build().unwrap();
assert_eq!(c.proxy_ports.len(), 4);
}
}