HTTP Request URL Parameters Syntax
| Pattern |
Kind |
Description |
:name |
Normal |
Matches a path piece, excludes / |
:name? |
Optional |
Matches an optional path piece, excludes / |
/:name?/ /:name? |
OptionalSegment |
Matches an optional path segment, excludes /, prefix or suffix should be / |
+ :name+ |
OneOrMore |
Matches a path piece, includes / |
* :name* |
ZeroOrMore |
Matches an optional path piece, includes / |
/*/ /* /:name*/ /:name* |
ZeroOrMoreSegment |
Matches zero or more path segments, prefix or suffix should be / |
⚡️ Quick Start
use hypers's full feature
use hypers::prelude::*;
use std::time::Instant;
use utoipa::{IntoParams, OpenApi, ToSchema};
#[derive(Serialize, Deserialize)]
pub struct CookieJarParams {
pub hypers: String,
pub rust: String,
}
#[derive(Serialize, Deserialize, ToSchema)]
pub struct HeaderParams {
pub host: Option<String>,
#[serde(rename(deserialize = "user-agent"))]
pub user_agent: Option<String>,
pub accept: Option<String>,
}
#[derive(Serialize, Deserialize, IntoParams, ToSchema)]
pub struct PathParams {
pub id: Option<u32>,
pub name: Option<String>,
pub age: Option<u16>,
}
#[derive(Serialize, Deserialize, IntoParams, ToSchema)]
#[into_params(parameter_in = Query)]
pub struct QueryParams {
pub id: Option<u32>,
pub name: Option<String>,
pub age: Option<u16>,
}
#[derive(Serialize, Deserialize, ToSchema)]
pub struct FormParams {
pub id: u32,
pub name: String,
pub age: u16,
}
#[derive(Serialize, Deserialize, ToSchema)]
pub struct JsonParams {
pub id: Option<u32>,
pub name: Option<String>,
pub age: Option<u16>,
}
pub async fn parse_cookies(req: Request) -> impl Responder {
let cookie_jar = req.parse_cookies::<CookieJarParams>()?;
Ok::<_, Error>((200, Json(cookie_jar)))
}
#[utoipa::path(
get,
path = "/user/parse_header",
tag = "parse request headers",
responses(
(status = 200, description = "Parse header from request successfully", body = HeaderParams),
(status = 404, description = "Parse header from request failed")
)
)]
pub async fn parse_header(req: Request) -> impl Responder {
let header_params = req.parse_header::<HeaderParams>()?;
Ok::<_, Error>((200, Json(header_params)))
}
#[utoipa::path(
delete,
path = "/user/parse_param/{id}/{name}/{age}",
tag = "parse request url path params",
params(PathParams) ,
responses(
(status = 200, description = "Parse Url Path Params successfully",body = PathParams),
(status = 404, description = "Parse Url Path Params failed")
),
security(
("api_key" = [])
)
)]
pub async fn parse_param(req: Request) -> impl Responder {
let params = req.parse_param::<PathParams>()?;
Ok::<_, Error>((200, Json(params)))
}
#[utoipa::path(
get,
path = "/user/parse_query",
tag = "parse request url query params",
params(QueryParams),
responses(
(status = 200, description = "Parse query successfully", body = QueryParams)
)
)]
pub async fn parse_query(req: Request) -> impl Responder {
let query_params = req.parse_query::<QueryParams>()?;
Ok::<_, Error>((200, Json(query_params)))
}
#[utoipa::path(
patch,
path = "/user/parse_form_patch",
tag = "parse request body",
request_body = FormParams,
responses(
(status = 200, description = "FormParams created successfully", body = FormParams),
(status = 409, description = "FormParams already exists")
)
)]
pub async fn parse_form_patch(mut req: Request) -> impl Responder {
let user = req.parse::<FormParams>().await?;
Ok::<_, Error>((200, Json(user)))
}
pub async fn parse_form_get(mut req: Request) -> impl Responder {
let user = req.parse::<FormParams>().await?;
Ok::<_, Error>((200, Json(user)))
}
#[utoipa::path(
post,
path = "/user/parse_json",
tag = "parse request body",
request_body = JsonParams,
responses(
(status = 201, description = "JsonParams item created successfully", body = JsonParams),
(status = 409, description = "JsonParams already exists")
)
)]
pub async fn parse_json(mut req: Request) -> impl Responder {
let user = req.parse::<JsonParams>().await?;
Ok::<_, Error>((200, Json(user)))
}
pub async fn multipart_form(mut req: Request) -> impl Responder {
let form_data = req.parse::<FormParams>().await?;
Ok::<_, Error>((200, Json(form_data)))
}
pub async fn multipart_file(mut req: Request) -> impl Responder {
let file = req.file("file").await?;
let file_name = file.name()?;
let file_name = file_name.to_string();
let img = req.files("imgs").await?;
let imgs_name = img
.iter()
.map(|m| m.name().unwrap().to_string())
.collect::<Vec<String>>()
.join(",");
Some((
200,
format!("file_name = {}, imgs_name = {}", file_name, imgs_name),
))
}
#[utoipa::path(
get,
path = "/base/header",
tag = "request headers",
responses(
(status = 200, description = "header successfully", body = String),
(status = 404, description = "header failed")
),
)]
pub async fn header(req: Request) -> impl Responder {
let host = req.header::<String>("host")?;
let user_agent = req.header::<String>("user-agent")?;
Some((
200,
format!("host = {} , user_agent = {}", host, user_agent),
))
}
#[utoipa::path(
delete,
path = "/base/param/{name}/{age}",
tag = "url path params",
params(
("name" = String, Path, description = "Url Path Params name"),
("age" = u16, Path, description = "Url Path Params age"),
),
responses(
(status = 200, description = "successfully, response = String"),
(status = 404, description = "failed")
)
)]
pub async fn param(req: Request) -> impl Responder {
let name = req.param::<String>("name")?;
let age = req.param::<u16>("age")?;
Some((200, format!("name = {} , age = {}", name, age)))
}
#[utoipa::path(
get,
path = "/base/query",
tag = "url query params",
params(
("name" = Vec<String>, Query, description = "Url Query Params name"),
("age" = u16, Query, description = "Url Query Params age"),
),
responses(
(status = 200, description = "successfully, response = String"),
(status = 404, description = "failed")
)
)]
pub async fn query(req: Request) -> impl Responder {
let name = req.query::<Vec<String>>("name")?;
let age = req.query::<u16>("age")?;
Some((200, format!("name = {:?} , age = {}", name, age)))
}
pub async fn websocket(req: Request, mut ws: WebSocket) -> Result<()> {
let name = req.param::<String>("name").unwrap_or_default();
while let Ok(msg) = ws.receive().await {
if let Some(msg) = msg {
match msg {
Message::Text(text) => {
let text = format!("{},{}", name, text);
ws.send(Message::Text(text)).await?;
}
Message::Close(_) => break,
_ => {}
}
}
}
Ok(())
}
pub async fn stat_time(req: Request, netx: Next) -> Result {
let start_time = Instant::now();
let res = netx.next(req).await?;
let elapsed_time = start_time.elapsed();
println!(
"The current request processing function takes time :{:?}",
elapsed_time
);
println!(
"The response after the execution of the current request processing function : {:?}",
res.body()
);
Ok(res)
}
pub async fn logger(req: Request, next: Next) -> Result {
let uri = req.uri().path();
println!("uri = {:?}", uri);
let res = next.next(req).await;
res
}
#[derive(OpenApi)]
#[openapi(
info(title = "Base Api", description = "Base Api description"),
paths(header, param, query),
tags(
(name = "base", description = " base router")
)
)]
struct ApiDoc1;
#[derive(OpenApi)]
#[openapi(
info(title = "User Api", description = "User Api description"),
paths(parse_header, parse_param, parse_query, parse_form_patch, parse_json),
components(schemas(HeaderParams, PathParams, QueryParams, FormParams, JsonParams)),
tags(
(name = "user", description = " user router ")
)
)]
struct ApiDoc2;
fn main() -> Result<()> {
let mut root = Router::new("/");
root.hook(logger, vec!["/param/:name/:age"], None);
let mut base = Router::new("base");
base.get("/*", StaticDir::new("src").listing(true))
.ws(":name/ws", websocket)
.get("/header", header)
.delete("param/:name/:age", param)
.get("query", query)
.get("set_cookies", |_| async {
let mut cookie1 = Cookie::new("hypers", "hypers2023");
cookie1.set_path("/user");
let mut cookie2 = Cookie::new("rust", "rust2023");
cookie2.set_path("/user");
let mut cookie_jar = CookieJar::new();
cookie_jar.add(cookie1);
cookie_jar.add(cookie2);
(200, cookie_jar)
})
.openapi(|_| async {
let v = ApiDoc1::openapi();
Json(v)
});
let mut user = Router::new("user");
user.hook(stat_time, vec!["/user"], None);
user.get("parse_cookies", parse_cookies)
.get("/parse_header", parse_header)
.delete("parse_param/:id/:name/:age", parse_param)
.get("parse_query", parse_query)
.patch("parse_form_patch", parse_form_patch)
.get("parse_form_get", parse_form_get)
.post("parse_json", parse_json)
.post("/multipart_form", multipart_form)
.post("multipart_file", multipart_file)
.openapi(|_| async {
let v = ApiDoc2::openapi();
Json(v)
});
let mut api1 = Router::new("api1");
api1.get("hello1", api1::hello1)
.openapi(|_|async {
let v = api1::ApiDoc1::openapi();
Json(v)
});
base.push(api1);
let mut api2 = Router::new("api2");
api2.get("hello2",api2::hello2)
.openapi(|_|async {
let v = api2::ApiDoc2::openapi();
Json(v)
});
user.push(api2);
root.push(base);
root.push(user);
root.swagger("swagger-ui");
println!("root router = {:#?}",root);
let app = hypers::new(root);
#[cfg(not(any(feature = "rustls", feature = "native_tls")))]
{
app.run("127.0.0.1:7878")
}
#[cfg(feature = "rustls")]
{
let tls = RustlsConfig::new()
.cert(include_bytes!("./certs/cert.pem").to_vec())
.key(include_bytes!("./certs/key.pem").to_vec());
app.run("127.0.0.1:7878", tls)
}
#[cfg(feature = "native_tls")]
{
let tls = NativeTls::from_pkcs12(include_bytes!("./certs/identity.p12"), "mypass")?;
app.run("127.0.0.1:7878", tls)
}
}
mod api1 {
use super::*;
#[utoipa::path(
get,
path = "/base/api1/hello1",
responses(
(status = 200, body = String)
)
)]
pub async fn hello1(_req: Request) -> impl Responder {
Response::default()
.header("content-type", "text/plain")
.write("/base/api1/hello1")
}
#[derive(OpenApi)]
#[openapi(paths(hello1))]
pub struct ApiDoc1;
}
mod api2 {
use super::*;
#[utoipa::path(
get,
path = "/user/api2/hello2",
responses(
(status = 200, body = String)
)
)]
pub async fn hello2(_req: Request) -> impl Responder {
Response::default()
.header("content-type", "text/plain")
.write("/user/api2/hello2")
}
#[derive(OpenApi)]
#[openapi(paths(hello2))]
pub struct ApiDoc2;
}