mirror of
https://github.com/tokio-rs/axum.git
synced 2025-10-02 15:24:54 +00:00
Add RouteDsl::or
to combine routes (#108)
With this you'll be able to do: ```rust let one = route("/foo", get(|| async { "foo" })) .route("/bar", get(|| async { "bar" })); let two = route("/baz", get(|| async { "baz" })); let app = one.or(two); ``` Fixes https://github.com/tokio-rs/axum/issues/101
This commit is contained in:
parent
b1e7a6ae7b
commit
045ec57d92
@ -11,6 +11,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0
|
|||||||
|
|
||||||
## Breaking changes
|
## Breaking changes
|
||||||
|
|
||||||
|
- Add `RoutingDsl::or` for combining routes. ([#108](https://github.com/tokio-rs/axum/pull/108))
|
||||||
- Ensure a `HandleError` service created from `axum::ServiceExt::handle_error`
|
- Ensure a `HandleError` service created from `axum::ServiceExt::handle_error`
|
||||||
_does not_ implement `RoutingDsl` as that could lead to confusing routing
|
_does not_ implement `RoutingDsl` as that could lead to confusing routing
|
||||||
behavior. ([#120](https://github.com/tokio-rs/axum/pull/120))
|
behavior. ([#120](https://github.com/tokio-rs/axum/pull/120))
|
||||||
|
@ -125,6 +125,8 @@
|
|||||||
//! Routes can also be dynamic like `/users/:id`. See [extractors](#extractors)
|
//! Routes can also be dynamic like `/users/:id`. See [extractors](#extractors)
|
||||||
//! for more details.
|
//! for more details.
|
||||||
//!
|
//!
|
||||||
|
//! You can also define routes separately and merge them with [`RoutingDsl::or`].
|
||||||
|
//!
|
||||||
//! ## Precedence
|
//! ## Precedence
|
||||||
//!
|
//!
|
||||||
//! Note that routes are matched _bottom to top_ so routes that should have
|
//! Note that routes are matched _bottom to top_ so routes that should have
|
||||||
@ -662,6 +664,7 @@
|
|||||||
//! [`IntoResponse`]: crate::response::IntoResponse
|
//! [`IntoResponse`]: crate::response::IntoResponse
|
||||||
//! [`Timeout`]: tower::timeout::Timeout
|
//! [`Timeout`]: tower::timeout::Timeout
|
||||||
//! [examples]: https://github.com/tokio-rs/axum/tree/main/examples
|
//! [examples]: https://github.com/tokio-rs/axum/tree/main/examples
|
||||||
|
//! [`RoutingDsl::or`]: crate::routing::RoutingDsl::or
|
||||||
//! [`axum::Server`]: hyper::server::Server
|
//! [`axum::Server`]: hyper::server::Server
|
||||||
|
|
||||||
#![warn(
|
#![warn(
|
||||||
|
@ -28,6 +28,7 @@ use tower::{
|
|||||||
use tower_http::map_response_body::MapResponseBodyLayer;
|
use tower_http::map_response_body::MapResponseBodyLayer;
|
||||||
|
|
||||||
pub mod future;
|
pub mod future;
|
||||||
|
pub mod or;
|
||||||
|
|
||||||
/// A filter that matches one or more HTTP methods.
|
/// A filter that matches one or more HTTP methods.
|
||||||
#[derive(Debug, Copy, Clone)]
|
#[derive(Debug, Copy, Clone)]
|
||||||
@ -354,6 +355,40 @@ pub trait RoutingDsl: crate::sealed::Sealed + Sized {
|
|||||||
{
|
{
|
||||||
IntoMakeServiceWithConnectInfo::new(self)
|
IntoMakeServiceWithConnectInfo::new(self)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Merge two routers into one.
|
||||||
|
///
|
||||||
|
/// This is useful for breaking apps into smaller pieces and combining them
|
||||||
|
/// into one.
|
||||||
|
///
|
||||||
|
/// ```
|
||||||
|
/// use axum::prelude::*;
|
||||||
|
/// #
|
||||||
|
/// # async fn users_list() {}
|
||||||
|
/// # async fn users_show() {}
|
||||||
|
/// # async fn teams_list() {}
|
||||||
|
///
|
||||||
|
/// // define some routes separately
|
||||||
|
/// let user_routes = route("/users", get(users_list))
|
||||||
|
/// .route("/users/:id", get(users_show));
|
||||||
|
///
|
||||||
|
/// let team_routes = route("/teams", get(teams_list));
|
||||||
|
///
|
||||||
|
/// // combine them into one
|
||||||
|
/// let app = user_routes.or(team_routes);
|
||||||
|
/// # async {
|
||||||
|
/// # hyper::Server::bind(&"".parse().unwrap()).serve(app.into_make_service()).await.unwrap();
|
||||||
|
/// # };
|
||||||
|
/// ```
|
||||||
|
fn or<S>(self, other: S) -> or::Or<Self, S>
|
||||||
|
where
|
||||||
|
S: RoutingDsl,
|
||||||
|
{
|
||||||
|
or::Or {
|
||||||
|
first: self,
|
||||||
|
second: other,
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<S, F> RoutingDsl for Route<S, F> {}
|
impl<S, F> RoutingDsl for Route<S, F> {}
|
||||||
@ -448,7 +483,10 @@ impl<E> RoutingDsl for EmptyRouter<E> {}
|
|||||||
|
|
||||||
impl<E> crate::sealed::Sealed for EmptyRouter<E> {}
|
impl<E> crate::sealed::Sealed for EmptyRouter<E> {}
|
||||||
|
|
||||||
impl<B, E> Service<Request<B>> for EmptyRouter<E> {
|
impl<B, E> Service<Request<B>> for EmptyRouter<E>
|
||||||
|
where
|
||||||
|
B: Send + Sync + 'static,
|
||||||
|
{
|
||||||
type Response = Response<BoxBody>;
|
type Response = Response<BoxBody>;
|
||||||
type Error = E;
|
type Error = E;
|
||||||
type Future = EmptyRouterFuture<E>;
|
type Future = EmptyRouterFuture<E>;
|
||||||
@ -457,8 +495,9 @@ impl<B, E> Service<Request<B>> for EmptyRouter<E> {
|
|||||||
Poll::Ready(Ok(()))
|
Poll::Ready(Ok(()))
|
||||||
}
|
}
|
||||||
|
|
||||||
fn call(&mut self, _req: Request<B>) -> Self::Future {
|
fn call(&mut self, request: Request<B>) -> Self::Future {
|
||||||
let mut res = Response::new(crate::body::empty());
|
let mut res = Response::new(crate::body::empty());
|
||||||
|
res.extensions_mut().insert(FromEmptyRouter { request });
|
||||||
*res.status_mut() = self.status;
|
*res.status_mut() = self.status;
|
||||||
EmptyRouterFuture {
|
EmptyRouterFuture {
|
||||||
future: futures_util::future::ok(res),
|
future: futures_util::future::ok(res),
|
||||||
@ -466,6 +505,16 @@ impl<B, E> Service<Request<B>> for EmptyRouter<E> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Response extension used by [`EmptyRouter`] to send the request back to [`Or`] so
|
||||||
|
/// the other service can be called.
|
||||||
|
///
|
||||||
|
/// Without this we would loose ownership of the request when calling the first
|
||||||
|
/// service in [`Or`]. We also wouldn't be able to identify if the response came
|
||||||
|
/// from [`EmptyRouter`] and therefore can be discarded in [`Or`].
|
||||||
|
struct FromEmptyRouter<B> {
|
||||||
|
request: Request<B>,
|
||||||
|
}
|
||||||
|
|
||||||
#[derive(Debug, Clone)]
|
#[derive(Debug, Clone)]
|
||||||
pub(crate) struct PathPattern(Arc<Inner>);
|
pub(crate) struct PathPattern(Arc<Inner>);
|
||||||
|
|
||||||
|
124
src/routing/or.rs
Normal file
124
src/routing/or.rs
Normal file
@ -0,0 +1,124 @@
|
|||||||
|
//! [`Or`] used to combine two services into one.
|
||||||
|
|
||||||
|
use super::{FromEmptyRouter, RoutingDsl};
|
||||||
|
use crate::body::BoxBody;
|
||||||
|
use futures_util::ready;
|
||||||
|
use http::{Request, Response};
|
||||||
|
use pin_project_lite::pin_project;
|
||||||
|
use std::{
|
||||||
|
future::Future,
|
||||||
|
pin::Pin,
|
||||||
|
task::{Context, Poll},
|
||||||
|
};
|
||||||
|
use tower::{util::Oneshot, Service, ServiceExt};
|
||||||
|
|
||||||
|
/// [`tower::Service`] that is the combination of two routers.
|
||||||
|
///
|
||||||
|
/// See [`RoutingDsl::or`] for more details.
|
||||||
|
///
|
||||||
|
/// [`RoutingDsl::or`]: super::RoutingDsl::or
|
||||||
|
#[derive(Debug, Clone, Copy)]
|
||||||
|
pub struct Or<A, B> {
|
||||||
|
pub(super) first: A,
|
||||||
|
pub(super) second: B,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<A, B> RoutingDsl for Or<A, B> {}
|
||||||
|
|
||||||
|
impl<A, B> crate::sealed::Sealed for Or<A, B> {}
|
||||||
|
|
||||||
|
#[allow(warnings)]
|
||||||
|
impl<A, B, ReqBody> Service<Request<ReqBody>> for Or<A, B>
|
||||||
|
where
|
||||||
|
A: Service<Request<ReqBody>, Response = Response<BoxBody>> + Clone,
|
||||||
|
B: Service<Request<ReqBody>, Response = Response<BoxBody>, Error = A::Error> + Clone,
|
||||||
|
ReqBody: Send + Sync + 'static,
|
||||||
|
A: Send + 'static,
|
||||||
|
B: Send + 'static,
|
||||||
|
A::Future: Send + 'static,
|
||||||
|
B::Future: Send + 'static,
|
||||||
|
{
|
||||||
|
type Response = Response<BoxBody>;
|
||||||
|
type Error = A::Error;
|
||||||
|
type Future = ResponseFuture<A, B, ReqBody>;
|
||||||
|
|
||||||
|
fn poll_ready(&mut self, cx: &mut Context<'_>) -> Poll<Result<(), Self::Error>> {
|
||||||
|
Poll::Ready(Ok(()))
|
||||||
|
}
|
||||||
|
|
||||||
|
fn call(&mut self, req: Request<ReqBody>) -> Self::Future {
|
||||||
|
ResponseFuture {
|
||||||
|
state: State::FirstFuture {
|
||||||
|
f: self.first.clone().oneshot(req),
|
||||||
|
},
|
||||||
|
second: Some(self.second.clone()),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pin_project! {
|
||||||
|
/// Response future for [`Or`].
|
||||||
|
pub struct ResponseFuture<A, B, ReqBody>
|
||||||
|
where
|
||||||
|
A: Service<Request<ReqBody>>,
|
||||||
|
B: Service<Request<ReqBody>>,
|
||||||
|
{
|
||||||
|
#[pin]
|
||||||
|
state: State<A, B, ReqBody>,
|
||||||
|
second: Option<B>,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pin_project! {
|
||||||
|
#[project = StateProj]
|
||||||
|
enum State<A, B, ReqBody>
|
||||||
|
where
|
||||||
|
A: Service<Request<ReqBody>>,
|
||||||
|
B: Service<Request<ReqBody>>,
|
||||||
|
{
|
||||||
|
FirstFuture { #[pin] f: Oneshot<A, Request<ReqBody>> },
|
||||||
|
SecondFuture {
|
||||||
|
#[pin]
|
||||||
|
f: Oneshot<B, Request<ReqBody>>,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<A, B, ReqBody> Future for ResponseFuture<A, B, ReqBody>
|
||||||
|
where
|
||||||
|
A: Service<Request<ReqBody>, Response = Response<BoxBody>>,
|
||||||
|
B: Service<Request<ReqBody>, Response = Response<BoxBody>, Error = A::Error>,
|
||||||
|
ReqBody: Send + Sync + 'static,
|
||||||
|
{
|
||||||
|
type Output = Result<Response<BoxBody>, A::Error>;
|
||||||
|
|
||||||
|
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
|
||||||
|
loop {
|
||||||
|
let mut this = self.as_mut().project();
|
||||||
|
|
||||||
|
let new_state = match this.state.as_mut().project() {
|
||||||
|
StateProj::FirstFuture { f } => {
|
||||||
|
let mut response = ready!(f.poll(cx)?);
|
||||||
|
|
||||||
|
let req = if let Some(ext) = response
|
||||||
|
.extensions_mut()
|
||||||
|
.remove::<FromEmptyRouter<ReqBody>>()
|
||||||
|
{
|
||||||
|
ext.request
|
||||||
|
} else {
|
||||||
|
return Poll::Ready(Ok(response));
|
||||||
|
};
|
||||||
|
|
||||||
|
let second = this.second.take().expect("future polled after completion");
|
||||||
|
|
||||||
|
State::SecondFuture {
|
||||||
|
f: second.oneshot(req),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
StateProj::SecondFuture { f } => return f.poll(cx),
|
||||||
|
};
|
||||||
|
|
||||||
|
this.state.set(new_state);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
@ -1,3 +1,5 @@
|
|||||||
|
#![allow(clippy::blacklisted_name)]
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
extract::RequestParts, handler::on, prelude::*, routing::nest, routing::MethodFilter, service,
|
extract::RequestParts, handler::on, prelude::*, routing::nest, routing::MethodFilter, service,
|
||||||
};
|
};
|
||||||
@ -18,6 +20,7 @@ use tower::{make::Shared, service_fn, BoxError, Service, ServiceBuilder};
|
|||||||
use tower_http::{compression::CompressionLayer, trace::TraceLayer};
|
use tower_http::{compression::CompressionLayer, trace::TraceLayer};
|
||||||
|
|
||||||
mod nest;
|
mod nest;
|
||||||
|
mod or;
|
||||||
|
|
||||||
#[tokio::test]
|
#[tokio::test]
|
||||||
async fn hello_world() {
|
async fn hello_world() {
|
||||||
|
203
src/tests/or.rs
Normal file
203
src/tests/or.rs
Normal file
@ -0,0 +1,203 @@
|
|||||||
|
use tower::{limit::ConcurrencyLimitLayer, timeout::TimeoutLayer};
|
||||||
|
|
||||||
|
use super::*;
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn basic() {
|
||||||
|
let one = route("/foo", get(|| async {})).route("/bar", get(|| async {}));
|
||||||
|
let two = route("/baz", get(|| async {}));
|
||||||
|
let app = one.or(two);
|
||||||
|
|
||||||
|
let addr = run_in_background(app).await;
|
||||||
|
|
||||||
|
let client = reqwest::Client::new();
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/foo", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/bar", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/baz", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/qux", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::NOT_FOUND);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn layer() {
|
||||||
|
let one = route("/foo", get(|| async {}));
|
||||||
|
let two = route("/bar", get(|| async {})).layer(ConcurrencyLimitLayer::new(10));
|
||||||
|
let app = one.or(two);
|
||||||
|
|
||||||
|
let addr = run_in_background(app).await;
|
||||||
|
|
||||||
|
let client = reqwest::Client::new();
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/foo", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/bar", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn layer_and_handle_error() {
|
||||||
|
let one = route("/foo", get(|| async {}));
|
||||||
|
let two = route("/time-out", get(futures::future::pending::<()>))
|
||||||
|
.layer(TimeoutLayer::new(Duration::from_millis(10)))
|
||||||
|
.handle_error(|_| Ok(StatusCode::REQUEST_TIMEOUT));
|
||||||
|
let app = one.or(two);
|
||||||
|
|
||||||
|
let addr = run_in_background(app).await;
|
||||||
|
|
||||||
|
let client = reqwest::Client::new();
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/time-out", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::REQUEST_TIMEOUT);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn nesting() {
|
||||||
|
let one = route("/foo", get(|| async {}));
|
||||||
|
let two = nest("/bar", route("/baz", get(|| async {})));
|
||||||
|
let app = one.or(two);
|
||||||
|
|
||||||
|
let addr = run_in_background(app).await;
|
||||||
|
|
||||||
|
let client = reqwest::Client::new();
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/bar/baz", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn boxed() {
|
||||||
|
let one = route("/foo", get(|| async {})).boxed();
|
||||||
|
let two = route("/bar", get(|| async {})).boxed();
|
||||||
|
let app = one.or(two);
|
||||||
|
|
||||||
|
let addr = run_in_background(app).await;
|
||||||
|
|
||||||
|
let client = reqwest::Client::new();
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/bar", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn many_ors() {
|
||||||
|
let app = route("/r1", get(|| async {}))
|
||||||
|
.or(route("/r2", get(|| async {})))
|
||||||
|
.or(route("/r3", get(|| async {})))
|
||||||
|
.or(route("/r4", get(|| async {})))
|
||||||
|
.or(route("/r5", get(|| async {})))
|
||||||
|
.or(route("/r6", get(|| async {})))
|
||||||
|
.or(route("/r7", get(|| async {})));
|
||||||
|
|
||||||
|
let addr = run_in_background(app).await;
|
||||||
|
|
||||||
|
let client = reqwest::Client::new();
|
||||||
|
|
||||||
|
for n in 1..=7 {
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/r{}", addr, n))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
}
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/r8", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::NOT_FOUND);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn services() {
|
||||||
|
let app = route(
|
||||||
|
"/foo",
|
||||||
|
crate::service::get(service_fn(|_: Request<Body>| async {
|
||||||
|
Ok::<_, Infallible>(Response::new(Body::empty()))
|
||||||
|
})),
|
||||||
|
)
|
||||||
|
.or(route(
|
||||||
|
"/bar",
|
||||||
|
crate::service::get(service_fn(|_: Request<Body>| async {
|
||||||
|
Ok::<_, Infallible>(Response::new(Body::empty()))
|
||||||
|
})),
|
||||||
|
));
|
||||||
|
|
||||||
|
let addr = run_in_background(app).await;
|
||||||
|
|
||||||
|
let client = reqwest::Client::new();
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/foo", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
|
||||||
|
let res = client
|
||||||
|
.get(format!("http://{}/bar", addr))
|
||||||
|
.send()
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
assert_eq!(res.status(), StatusCode::OK);
|
||||||
|
}
|
||||||
|
|
||||||
|
// TODO(david): can we make this not compile?
|
||||||
|
// #[tokio::test]
|
||||||
|
// async fn foo() {
|
||||||
|
// let svc_one = service_fn(|_: Request<Body>| async {
|
||||||
|
// Ok::<_, hyper::Error>(Response::new(Body::empty()))
|
||||||
|
// })
|
||||||
|
// .handle_error::<_, _, hyper::Error>(|_| Ok(StatusCode::INTERNAL_SERVER_ERROR));
|
||||||
|
|
||||||
|
// let svc_two = svc_one.clone();
|
||||||
|
|
||||||
|
// let app = svc_one.or(svc_two);
|
||||||
|
|
||||||
|
// let addr = run_in_background(app).await;
|
||||||
|
// }
|
Loading…
x
Reference in New Issue
Block a user