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

Remove error-chain and replace with handcrafted errors #107

Merged
merged 3 commits into from
Jul 23, 2024
Merged
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
1 change: 1 addition & 0 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -18,6 +18,7 @@ The format is based on [Keep a Changelog](http://keepachangelog.com/en/1.0.0/).
`ipnetwork` is part of the public API.
* Upgrade crate to Rust 2021 edition.
* MSRV bumped to 1.69 due to use of `CStr::from_bytes_until_nul`.
* Replace `error-chain` generated errors with manually implemented error types.

### Removed
* Remove `PoolAddrList::to_palist` from the public API. It should never have been exposed.
Expand Down
75 changes: 1 addition & 74 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

1 change: 0 additions & 1 deletion Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -16,7 +16,6 @@ travis-ci = { repository = "mullvad/pfctl-rs" }


[dependencies]
error-chain = "0.12.4"
ioctl-sys = "0.8.0"
libc = "0.2.29"
derive_builder = "0.9"
Expand Down
2 changes: 1 addition & 1 deletion examples/enable.rs
Original file line number Diff line number Diff line change
Expand Up @@ -15,7 +15,7 @@ fn main() {
// Try to enable the firewall. Equivalent to the CLI command "pfctl -e".
match pf.enable() {
Ok(_) => println!("Enabled PF"),
Err(pfctl::Error(pfctl::ErrorKind::StateAlreadyActive, _)) => (),
Err(e) if e.kind() == pfctl::ErrorKind::StateAlreadyActive => (),
err => err.expect("Unable to enable PF"),
}
}
141 changes: 102 additions & 39 deletions src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -59,15 +59,13 @@

#![deny(rust_2018_idioms)]

#[macro_use]
pub extern crate error_chain;

use core::slice;
use std::{
ffi::CStr,
fmt,
fs::File,
mem,
os::unix::io::{AsRawFd, RawFd},
slice,
};

pub use ipnetwork;
Expand All @@ -93,40 +91,107 @@ pub use crate::ruleset::*;
mod transaction;
pub use crate::transaction::*;

mod errors {
error_chain! {
errors {
DeviceOpenError(s: &'static str) {
description("Unable to open PF device file")
display("Unable to open PF device file at '{}'", s)
}
InvalidArgument(s: &'static str) {
display("Invalid argument: {}", s)
}
StateAlreadyActive {
description("Target state is already active")
}
InvalidRuleCombination(s: String) {
description("Rule contains incompatible values")
display("Incompatible values in rule: {}", s)
}
AnchorDoesNotExist {
display("Anchor does not exist")
pub type Result<T> = std::result::Result<T, Error>;

#[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
#[non_exhaustive]
pub enum ErrorKind {
/// Failed to open PF control file /dev/pf
DeviceOpen,
/// The firewall rule is invalidly configured
InvalidRuleCombination,
/// The supplied network interface name is not compatible with PF
InvalidInterfaceName,
/// The supplied anchor name in not compatible with PF
InvalidAnchorName,
/// The supplied port is an invalid range
InvalidPortRange,
/// The supplied rule label is not compatible with PF.
InvalidLabel,
/// The target state was already active
StateAlreadyActive,
/// This PF anchor does not exist
AnchorDoesNotExist,
/// System returned an error during ioctl system call
Ioctl,
}

#[derive(Debug)]
pub struct Error(ErrorInternal);

#[derive(Debug)]
enum ErrorInternal {
DeviceOpen(&'static str, std::io::Error),
InvalidRuleCombination(String),
InvalidInterfaceName(&'static str),
InvalidAnchorName(&'static str),
InvalidPortRange,
InvalidLabel(&'static str),
StateAlreadyActive,
AnchorDoesNotExist,
Ioctl(std::io::Error),
}

impl Error {
/// Returns the kind of error that happened as an enum
pub fn kind(&self) -> ErrorKind {
use ErrorInternal::*;
match self.0 {
DeviceOpen(..) => ErrorKind::DeviceOpen,
InvalidRuleCombination(_) => ErrorKind::InvalidRuleCombination,
InvalidInterfaceName(..) => ErrorKind::InvalidInterfaceName,
InvalidAnchorName(..) => ErrorKind::InvalidAnchorName,
InvalidPortRange => ErrorKind::InvalidPortRange,
InvalidLabel(..) => ErrorKind::InvalidLabel,
StateAlreadyActive => ErrorKind::StateAlreadyActive,
AnchorDoesNotExist => ErrorKind::AnchorDoesNotExist,
Ioctl(_) => ErrorKind::Ioctl,
}
}
}

impl From<ErrorInternal> for Error {
fn from(e: ErrorInternal) -> Self {
Error(e)
}
}

impl fmt::Display for Error {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
use ErrorInternal::*;
match &self.0 {
DeviceOpen(device_path, _) => {
write!(f, "Unable to open PF device file ({device_path})")
}
InvalidRuleCombination(msg) => write!(f, "Invalid rule combination: {msg}"),
InvalidInterfaceName(reason) => write!(f, "Invalid interface name ({reason})"),
InvalidAnchorName(reason) => write!(f, "Invalid anchor name ({reason})"),
InvalidPortRange => write!(f, "Lower port is greater than upper port"),
InvalidLabel(reason) => write!(f, "Invalid rule label ({reason}"),
StateAlreadyActive => write!(f, "Target state is already active"),
AnchorDoesNotExist => write!(f, "Anchor does not exist"),
Ioctl(_) => write!(f, "Error during ioctl syscall"),
}
foreign_links {
IoctlError(::std::io::Error);
}
}

impl std::error::Error for Error {
fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
use ErrorInternal::*;
match &self.0 {
DeviceOpen(_, ref e) => Some(e),
Ioctl(e) => Some(e),
_ => None,
}
}
}
pub use crate::errors::*;

/// Returns the given input result, except if it is an `Err` matching the given `ErrorKind`,
/// then it returns `Ok(())` instead, so the error is ignored.
macro_rules! ignore_error_kind {
($result:expr, $kind:pat) => {
($result:expr, $kind:expr) => {
match $result {
Err($crate::Error($kind, _)) => Ok(()),
Err(e) if e.kind() == $kind => Ok(()),
result => result,
}
};
Expand All @@ -142,7 +207,9 @@ mod conversion {

/// Internal trait for all types that can try to write their value into another type.
pub trait TryCopyTo<T: ?Sized> {
fn try_copy_to(&self, dst: &mut T) -> crate::Result<()>;
type Error;

fn try_copy_to(&self, dst: &mut T) -> Result<(), Self::Error>;
}
}
use crate::conversion::*;
Expand Down Expand Up @@ -214,8 +281,7 @@ impl PfCtl {
let mut pfioc_rule = unsafe { mem::zeroed::<ffi::pfvar::pfioc_rule>() };

pfioc_rule.rule.action = kind.into();
name.try_copy_to(&mut pfioc_rule.anchor_call[..])
.chain_err(|| ErrorKind::InvalidArgument("Invalid anchor name"))?;
utils::copy_anchor_name(name, &mut pfioc_rule.anchor_call[..])?;

ioctl_guard!(ffi::pf_insert_rule(self.fd(), &mut pfioc_rule))?;
Ok(())
Expand Down Expand Up @@ -248,9 +314,7 @@ impl PfCtl {

pfioc_rule.pool_ticket = utils::get_pool_ticket(self.fd())?;
pfioc_rule.ticket = utils::get_ticket(self.fd(), anchor, AnchorKind::Filter)?;
anchor
.try_copy_to(&mut pfioc_rule.anchor[..])
.chain_err(|| ErrorKind::InvalidArgument("Invalid anchor name"))?;
utils::copy_anchor_name(anchor, &mut pfioc_rule.anchor[..])?;
rule.try_copy_to(&mut pfioc_rule.rule)?;

pfioc_rule.action = ffi::pfvar::PF_CHANGE_ADD_TAIL as u32;
Expand All @@ -266,7 +330,7 @@ impl PfCtl {
pub fn add_redirect_rule(&mut self, anchor: &str, rule: &RedirectRule) -> Result<()> {
// prepare pfioc_rule
let mut pfioc_rule = unsafe { mem::zeroed::<ffi::pfvar::pfioc_rule>() };
anchor.try_copy_to(&mut pfioc_rule.anchor[..])?;
utils::copy_anchor_name(anchor, &mut pfioc_rule.anchor[..])?;
rule.try_copy_to(&mut pfioc_rule.rule)?;

// register redirect address in newly created address pool
Expand Down Expand Up @@ -329,9 +393,8 @@ impl PfCtl {
/// Returns total number of removed states upon success
pub fn clear_interface_states(&mut self, interface: Interface) -> Result<u32> {
let mut pfioc_state_kill = unsafe { mem::zeroed::<ffi::pfvar::pfioc_state_kill>() };
interface
.try_copy_to(&mut pfioc_state_kill.psk_ifname)
.chain_err(|| ErrorKind::InvalidArgument("Incompatible interface name"))?;
interface.try_copy_to(&mut pfioc_state_kill.psk_ifname)?;

ioctl_guard!(ffi::pf_clear_states(self.fd(), &mut pfioc_state_kill))?;
// psk_af holds the number of killed states
Ok(pfioc_state_kill.psk_af as u32)
Expand Down Expand Up @@ -373,7 +436,7 @@ impl PfCtl {
return f(pfioc_rule);
}
}
bail!(ErrorKind::AnchorDoesNotExist);
Err(Error::from(ErrorInternal::AnchorDoesNotExist))
}

/// Returns global number of states created by all stateful rules (see keep_state)
Expand Down
11 changes: 6 additions & 5 deletions src/macros.rs
Original file line number Diff line number Diff line change
Expand Up @@ -19,11 +19,12 @@ macro_rules! ioctl_guard {
let error_code = io_error
.raw_os_error()
.expect("Errors created with last_os_error should have errno");
let mut err = Err($crate::ErrorKind::IoctlError(io_error).into());
if error_code == $already_active {
err = err.chain_err(|| $crate::ErrorKind::StateAlreadyActive);
}
err

Err($crate::Error::from(if error_code == $already_active {
$crate::ErrorInternal::StateAlreadyActive
} else {
$crate::ErrorInternal::Ioctl(io_error)
}))
} else {
Ok(()) as $crate::Result<()>
}
Expand Down
Loading
Loading