use ethers_core::types::{transaction::eip2718::TypedTransaction, BlockId};
use ethers_providers::{Middleware, MiddlewareError, PendingTransaction};
use async_trait::async_trait;
use std::fmt::Debug;
use thiserror::Error;
#[cfg_attr(target_arch = "wasm32", async_trait(?Send))]
#[cfg_attr(not(target_arch = "wasm32"), async_trait)]
pub trait Policy: Sync + Send + Debug {
    type Error: Sync + Send + Debug;
    async fn ensure_can_send(&self, tx: TypedTransaction) -> Result<TypedTransaction, Self::Error>;
}
#[derive(Debug, Clone, Copy)]
pub struct AllowEverything;
#[cfg_attr(target_arch = "wasm32", async_trait(?Send))]
#[cfg_attr(not(target_arch = "wasm32"), async_trait)]
impl Policy for AllowEverything {
    type Error = ();
    async fn ensure_can_send(&self, tx: TypedTransaction) -> Result<TypedTransaction, Self::Error> {
        Ok(tx)
    }
}
#[derive(Debug, Clone, Copy)]
pub struct RejectEverything;
#[cfg_attr(target_arch = "wasm32", async_trait(?Send))]
#[cfg_attr(not(target_arch = "wasm32"), async_trait)]
impl Policy for RejectEverything {
    type Error = ();
    async fn ensure_can_send(&self, _: TypedTransaction) -> Result<TypedTransaction, Self::Error> {
        Err(())
    }
}
#[derive(Clone, Debug)]
pub struct PolicyMiddleware<M, P> {
    pub(crate) inner: M,
    pub(crate) policy: P,
}
impl<M, P> PolicyMiddleware<M, P>
where
    M: Middleware,
    P: Policy,
{
    pub fn new(inner: M, policy: P) -> Self {
        Self { inner, policy }
    }
}
#[derive(Error, Debug)]
pub enum PolicyMiddlewareError<M: Middleware, P: Policy> {
    #[error("{0:?}")]
    PolicyError(P::Error),
    #[error(transparent)]
    MiddlewareError(M::Error),
}
impl<M: Middleware, P: Policy> MiddlewareError for PolicyMiddlewareError<M, P> {
    type Inner = M::Error;
    fn from_err(src: M::Error) -> Self {
        PolicyMiddlewareError::MiddlewareError(src)
    }
    fn as_inner(&self) -> Option<&Self::Inner> {
        match self {
            PolicyMiddlewareError::MiddlewareError(e) => Some(e),
            _ => None,
        }
    }
}
#[cfg_attr(target_arch = "wasm32", async_trait(?Send))]
#[cfg_attr(not(target_arch = "wasm32"), async_trait)]
impl<M, P> Middleware for PolicyMiddleware<M, P>
where
    M: Middleware,
    P: Policy,
{
    type Error = PolicyMiddlewareError<M, P>;
    type Provider = M::Provider;
    type Inner = M;
    fn inner(&self) -> &M {
        &self.inner
    }
    async fn send_transaction<T: Into<TypedTransaction> + Send + Sync>(
        &self,
        tx: T,
        block: Option<BlockId>,
    ) -> Result<PendingTransaction<'_, Self::Provider>, Self::Error> {
        let tx = self
            .policy
            .ensure_can_send(tx.into())
            .await
            .map_err(PolicyMiddlewareError::PolicyError)?;
        self.inner.send_transaction(tx, block).await.map_err(PolicyMiddlewareError::MiddlewareError)
    }
}