1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
use crate::{Context, Result};
#[async_trait::async_trait]
pub trait Guard {
    
    async fn check(&self, ctx: &Context<'_>) -> Result<()>;
}
pub trait GuardExt: Guard + Sized {
    
    fn and<R: Guard>(self, other: R) -> And<Self, R> {
        And(self, other)
    }
    
    fn or<R: Guard>(self, other: R) -> Or<Self, R> {
        Or(self, other)
    }
}
impl<T: Guard> GuardExt for T {}
pub struct And<A: Guard, B: Guard>(A, B);
#[async_trait::async_trait]
impl<A: Guard + Send + Sync, B: Guard + Send + Sync> Guard for And<A, B> {
    async fn check(&self, ctx: &Context<'_>) -> Result<()> {
        self.0.check(ctx).await?;
        self.1.check(ctx).await
    }
}
pub struct Or<A: Guard, B: Guard>(A, B);
#[async_trait::async_trait]
impl<A: Guard + Send + Sync, B: Guard + Send + Sync> Guard for Or<A, B> {
    async fn check(&self, ctx: &Context<'_>) -> Result<()> {
        if self.0.check(ctx).await.is_ok() {
            return Ok(());
        }
        self.1.check(ctx).await
    }
}