mirror of
https://github.com/actix/examples
synced 2025-02-02 17:39:05 +01:00
64 lines
1.7 KiB
Rust
64 lines
1.7 KiB
Rust
use std::future::{ready, Ready};
|
|
|
|
use actix_web::{
|
|
dev::{self, Service, ServiceRequest, ServiceResponse, Transform},
|
|
Error,
|
|
};
|
|
use futures_util::future::LocalBoxFuture;
|
|
|
|
// There are two steps in middleware processing.
|
|
// 1. Middleware initialization, middleware factory gets called with
|
|
// next service in chain as parameter.
|
|
// 2. Middleware's call method gets called with normal request.
|
|
pub struct SayHi;
|
|
|
|
// Middleware factory is `Transform` trait from actix-service crate
|
|
// `S` - type of the next service
|
|
// `B` - type of response's body
|
|
impl<S, B> Transform<S, ServiceRequest> for SayHi
|
|
where
|
|
S: Service<ServiceRequest, Response = ServiceResponse<B>, Error = Error>,
|
|
S::Future: 'static,
|
|
B: 'static,
|
|
{
|
|
type Response = ServiceResponse<B>;
|
|
type Error = Error;
|
|
type InitError = ();
|
|
type Transform = SayHiMiddleware<S>;
|
|
type Future = Ready<Result<Self::Transform, Self::InitError>>;
|
|
|
|
fn new_transform(&self, service: S) -> Self::Future {
|
|
ready(Ok(SayHiMiddleware { service }))
|
|
}
|
|
}
|
|
|
|
pub struct SayHiMiddleware<S> {
|
|
service: S,
|
|
}
|
|
|
|
impl<S, B> Service<ServiceRequest> for SayHiMiddleware<S>
|
|
where
|
|
S: Service<ServiceRequest, Response = ServiceResponse<B>, Error = Error>,
|
|
S::Future: 'static,
|
|
B: 'static,
|
|
{
|
|
type Response = ServiceResponse<B>;
|
|
type Error = Error;
|
|
type Future = LocalBoxFuture<'static, Result<Self::Response, Self::Error>>;
|
|
|
|
dev::forward_ready!(service);
|
|
|
|
fn call(&self, req: ServiceRequest) -> Self::Future {
|
|
println!("Hi from start. You requested: {}", req.path());
|
|
|
|
let fut = self.service.call(req);
|
|
|
|
Box::pin(async move {
|
|
let res = fut.await?;
|
|
|
|
println!("Hi from response");
|
|
Ok(res)
|
|
})
|
|
}
|
|
}
|