pub mod clap;
pub mod cors;
pub mod crypto;
#[cfg(feature = "testing")]
pub mod fee;
pub mod formatting;
pub mod fs;
pub mod grpc;
pub mod limiter;
pub mod logging;
pub mod lru_cache;
pub mod panic;
pub mod signer;
pub mod tracing;
pub trait ErrorReport: std::error::Error {
fn as_report(&self) -> String {
use std::fmt::Write;
let mut report = self.to_string();
std::iter::successors(self.source(), |child| child.source())
.for_each(|source| write!(report, "\ncaused by: {source}").unwrap());
report
}
fn as_report_context(&self, context: &'static str) -> String {
format!("{context}: \ncaused by: {}", self.as_report())
}
}
impl<T: std::error::Error> ErrorReport for T {}
pub trait FlattenResult<V, OuterError, InnerError>
where
InnerError: Into<OuterError>,
{
fn flatten_result(self) -> Result<V, OuterError>;
}
impl<V, OuterError, InnerError> FlattenResult<V, OuterError, InnerError>
for Result<Result<V, InnerError>, OuterError>
where
OuterError: From<InnerError>,
{
fn flatten_result(self) -> Result<V, OuterError> {
match self {
Ok(Ok(value)) => Ok(value),
Ok(Err(inner)) => Err(inner.into()),
Err(outer) => Err(outer),
}
}
}
#[cfg(test)]
mod tests {
use crate::ErrorReport;
#[derive(thiserror::Error, Debug, Clone, PartialEq, Eq)]
pub enum TestSourceError {
#[error("source error")]
Source,
}
#[derive(thiserror::Error, Debug)]
pub enum TestError {
#[error("parent error")]
Parent(#[from] TestSourceError),
}
#[test]
fn as_report() {
let error = TestError::Parent(TestSourceError::Source);
assert_eq!("parent error\ncaused by: source error", error.as_report());
}
#[test]
fn as_report_context() {
let error = TestError::Parent(TestSourceError::Source);
assert_eq!(
"final error: \ncaused by: parent error\ncaused by: source error",
error.as_report_context("final error")
);
}
}