axum/examples/versioning.rs

72 lines
1.7 KiB
Rust
Raw Normal View History

//! Run with
//!
//! ```not_rust
//! cargo run --example versioning
//! ```
2021-07-09 21:36:14 +02:00
use axum::response::IntoResponse;
use axum::{
async_trait,
extract::{FromRequest, RequestParts},
prelude::*,
};
2021-06-13 13:50:56 +02:00
use http::Response;
use http::StatusCode;
use std::net::SocketAddr;
#[tokio::main]
async fn main() {
// Set the RUST_LOG, if it hasn't been explicitly defined
if std::env::var("RUST_LOG").is_err() {
std::env::set_var("RUST_LOG", "versioning=debug")
}
tracing_subscriber::fmt::init();
2021-06-13 13:50:56 +02:00
// build our application with some routes
let app = route("/:version/foo", get(handler));
// run it
let addr = SocketAddr::from(([127, 0, 0, 1], 3000));
tracing::debug!("listening on {}", addr);
axum::Server::bind(&addr)
2021-06-19 12:50:33 +02:00
.serve(app.into_make_service())
.await
.unwrap();
2021-06-13 13:50:56 +02:00
}
async fn handler(version: Version) {
println!("received request with version {:?}", version);
}
#[derive(Debug)]
enum Version {
V1,
V2,
V3,
}
#[async_trait]
2021-06-19 12:50:33 +02:00
impl<B> FromRequest<B> for Version
where
B: Send,
{
2021-06-13 13:50:56 +02:00
type Rejection = Response<Body>;
async fn from_request(req: &mut RequestParts<B>) -> Result<Self, Self::Rejection> {
2021-06-13 13:50:56 +02:00
let params = extract::UrlParamsMap::from_request(req)
.await
.map_err(IntoResponse::into_response)?;
let version = params
.get("version")
.ok_or_else(|| (StatusCode::NOT_FOUND, "version param missing").into_response())?;
match version {
"v1" => Ok(Version::V1),
"v2" => Ok(Version::V2),
"v3" => Ok(Version::V3),
_ => Err((StatusCode::NOT_FOUND, "unknown version").into_response()),
}
}
}