6 releases
0.2.3 | Oct 13, 2024 |
---|---|
0.2.2 | Sep 16, 2024 |
0.2.1 | Aug 15, 2024 |
0.2.0 | Jul 10, 2024 |
0.1.3 | Mar 24, 2024 |
#356 in Web programming
7,710 downloads per month
Used in swh-graph-grpc-server
22KB
179 lines
tonic-middleware
Table of Contents
- Introduction
- Tonic versions compatability
- Usage
- Define request interceptor and middleware
- Apply request interceptor to individual service
- Apply request interceptor to all services using layer
- Apply middleware to individual services
- Apply middleware to all services through layer
- Combine interceptor and middleware for individual services
- Apply interceptor and middleware to all services through layer
- Full example or check integration tests
- Motivation
Introduction
tonic-middleware
is a Rust library that extends tonic-based gRPC services,
enabling asynchronous inspection and modification and potentially rejecting of incoming requests.
It also enables the addition of custom logic through middleware, both before and after the actual service call.
The library provides two key tools:
-
Request Interceptor
The
RequestInterceptor
trait is designed to enable the interception and processing of incoming requests within your service pipeline. This trait is particularly useful for performing operations such as authentication, enriching requests with additional metadata, or rejecting requests based on certain criteria before they reach the service logic. -
Middleware
If your requirements extend beyond request interception, and you need to interact with both the request and response or to perform actions after the service call has been made, you should consider implementing
Middleware
.
Both interceptors and middlewares can be applied to individual service, or to all services through Tonic's layer.
Tonic versions compatability
tonic version | tonic-middleware version | Notes |
---|---|---|
0.11 | 0.1.4 | |
0.12.x | 0.2.x | Breaking changes resulting from breaking changes in tonic. See changelog for more details. |
Usage
Add to Cargo.toml
tonic-middleware = "0.2.3"
See full example or check integration tests
Define our request interceptor and middleware
To create request interceptor, we need to implement RequestInterceptor
trait from the library.
Note:
Please use
tonic::codegen::http::{Request, Response}
(which are just re-exported fromhttp
crate by tonic, i.e.http:{Request, Response}
) instead oftonic::{Request, Response}
in interceptors and middlewares.
Simple request interceptor that uses some custom AuthService
injected in to perform authentication.
We need to implement RequestInterceptor
for our custom (AuthInterceptor
) intercept.
use tonic::codegen::http::Request; // Use this instead of tonic::Request in Interceptor!
use tonic::codegen::http::Response; // Use this instead of tonic::Response in Interceptor!
...
#[derive(Clone)]
pub struct AuthInterceptor<A: AuthService> {
pub auth_service: A,
}
#[async_trait]
impl<A: AuthService> RequestInterceptor for AuthInterceptor<A> {
async fn intercept(&self, mut req: Request<BoxBody>) -> Result<Request<BoxBody>, Status> {
match req.headers().get("authorization").map(|v| v.to_str()) {
Some(Ok(token)) => {
// Get user id from the token
let user_id = self
.auth_service
.verify_token(token)
.await
.map_err(Status::unauthenticated)?;
// Set user id in header, so it can be used in grpc services through tonic::Request::metadata()
let user_id_header_value = HeaderValue::from_str(&user_id.to_string())
.map_err(|_e| Status::internal("Failed to convert user_id to header value"))?;
req.headers_mut().insert("user_id", user_id_header_value);
Ok(req)
}
_ => Err(Status::unauthenticated("Unauthenticated")),
}
}
}
To create middleware, we need to implement 'Middleware' trait from the library.
Metrics middleware that measures request time and output to stdout.
We need to implement Middleware
for our custom (MetricsMiddleware
) middleware.
use tonic::codegen::http::Request; // Use this instead of tonic::Request in Middleware!
use tonic::codegen::http::Response; // Use this instead of tonic::Response in Middleware!
...
#[derive(Default, Clone)]
pub struct MetricsMiddleware;
#[async_trait]
impl<S> Middleware<S> for MetricsMiddleware
where
S: ServiceBound,
S::Future: Send,
{
async fn call(
&self,
req: Request<Body>,
mut service: S,
) -> Result<Response<BoxBody>, S::Error> {
let start_time = Instant::now();
// Call the service. You can also intercept request from middleware.
let result = service.call(req).await?;
let elapsed_time = start_time.elapsed();
println!("Request processed in {:?}", elapsed_time);
Ok(result)
}
}
Apply request interceptor to individual service
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let addr: SocketAddr = "[::1]:50051".parse().unwrap();
let auth_interceptor = AuthInterceptor {
auth_service: AuthServiceImpl::default(),
};
// Grpc service
let products_service = Products::default();
let grpc_products_service = ProductServiceServer::new(products_service);
// Grpc service
let orders_service = Orders::default();
let grpc_orders_service = OrderServiceServer::new(orders_service);
println!("Grpc server listening on {}", addr);
Server::builder()
// No interceptor applied
.add_service(grpc_products_service)
// Added interceptor to single service
.add_service(InterceptorFor::new(grpc_orders_service, auth_interceptor))
.serve(addr)
.await?;
// ...
}
Apply request interceptor to all services using layer
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
// ...
Server::builder()
// Interceptor can be added as a layer so all services will be intercepted
.layer(RequestInterceptorLayer::new(auth_interceptor.clone()))
.add_service(grpc_products_service)
.add_service(grpc_orders_service)
.serve(addr)
.await?;
// ...
}
Apply middleware to individual services
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
// ...
Server::builder()
// Middleware can be added to individual service
.add_service(MiddlewareFor::new(
grpc_products_service,
metrics_middleware,
))
// No middleware applied
.add_service(grpc_orders_service)
.serve(addr)
.await?;
// ...
}
Apply middleware to all services through layer
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
// ...
Server::builder()
// Middleware can also be added as a layer, so it will apply to
// all services
.layer(MiddlewareLayer::new(metrics_middleware))
.add_service(grpc_products_service)
.add_service(grpc_orders_service)
.serve(addr)
.await?;
// ...
}
Combine interceptor and middleware for individual services
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
// ...
Server::builder()
// Middlewares and interceptors can be combined, in any order.
// Outermost will be executed first
.add_service(
MiddlewareFor::new(
InterceptorFor::new(grpc_orders_service.clone(), auth_interceptor.clone()),
metrics_middleware.clone(),
))
.add_service(grpc_products_service)
.await?;
// ...
}
Apply interceptor and middleware to all services through layer
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
// ...
Server::builder()
// Interceptor can be added as a layer so all services will be intercepted
.layer(RequestInterceptorLayer::new(auth_interceptor.clone()))
// Middleware can also be added as a layer, so it will apply to all services
.layer(MiddlewareLayer::new(metrics_middleware))
.add_service(grpc_products_service)
.add_service(grpc_orders_service)
.await?;
// ...
}
Motivation
Tonic provides a solid foundation for developing gRPC services in Rust, and while it offers a range of features, extending it with asynchronous interceptors and middleware requires a bit more effort. That's where tonic-middleware
comes in,
this library simplifies adding custom asynchronous processing to the tonic service stack.
Dependencies
~5–11MB
~117K SLoC