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

````rust use hypers::prelude::*; use std::time::Instant;

[derive(Serialize, Deserialize)]

pub struct User { pub id: Option, pub name: Option, pub age: Option, }

[derive(Serialize, Deserialize)]

pub struct QueryParams { pub id: Option, pub name: Option, }

[derive(Serialize, Deserialize)]

pub struct PathParams { pub id: Option, pub name: Option, }

[derive(Serialize, Deserialize)]

pub struct HeaderParams { pub host: Option, #[serde(rename(deserialize = "user-agent"))] pub user_agent: Option, pub accept: Option, }

// Context-Type : application/json pub async fn create(mut req: Request) -> impl Responder { let user = req.parse_body::().await?; /* ...... */ Ok::<_, Error>((200, Json(user))) }

// Context-Type : application/x-www-form-urlencoded pub async fn update(mut req: Request) -> impl Responder { let user = req.parse_body::().await?; let id = req.param::<&str>("id"); println!("id = {:?}", id); /* ..... */ Ok::<_, Error>((200, Json(user))) }

// Url Query Params pub async fn query(req: Request) -> impl Responder { let queryparams = req.parsequery::()?; /* ..... */ Ok::<_, Error>((200, Form(query_params))) }

// Url Path Params pub async fn delete(req: Request) -> impl Responder { let params = req.parse_param::()?; /* ..... */ Ok::<_, Error>((200,Json(params))) }

// Url Path Params pub async fn delete_one(req: Request) -> impl Responder { let name = req.param::("name")?; let age = req.param::("age")?; /* ..... */ Some((200,format!("name = {} , age = {}",name,age))) }

pub async fn multipartformdata(mut req: Request) -> impl Responder { let file = req.file("file").await?; let filename = file.name()?; let filename = filename.tostring();

let img = req.files("imgs").await?;
let imgs_name = img
    .iter()
    .map(|m| m.name().unwrap().to_string())
    .collect::<Vec<String>>()
    .join(",");

let name = req.form::<String>("name").await?;

Some((
    200,
    format!(
        "file_name = {}, imgs_name = {}, name = {}",
        file_name, imgs_name, name
    ),
))

}

pub async fn parseheader(req: Request) -> impl Responder { let headerparams = req.parseheader::()?; /* .... */ Ok::<_, Error>((200, Json(headerparams))) }

// Websocket ws://127.0.0.1:7878/hello/ws http://www.jsons.cn/websocket/ pub async fn websocket(req: Request, mut ws: WebSocket) -> Result<()> { let name = req.param::("name").unwrapordefault(); 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(()) }

// Middleware Function pub async fn stattime(req: Request, netx: Next) -> Result { // Before executing the request processing function let starttime = Instant::now();

// Calling subsequent request processing functions
let res = netx.next(req).await?;

// After the execution of the request processing function
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 { // Before executing the request processing function let uri = req.uri().path(); println!("uri = {:?}", uri);

// Calling subsequent request processing functions
let res = next.next(req).await;

// After the execution of the request processing function
res

}

// Write router like a tree fn main() -> Result<()> {

// The Root Router
let mut root = Router::new("/");

// Add Middleware  ( Middleware can be added to any routing node )
root.hook(logger, vec!["/parse_header"], None);
root.get("/*", StaticDir::new("src").listing(true));
root.ws(":name/ws", websocket);
root.get("/parse_header", parse_header);

// The Sub Router
let mut user = Router::new("user");
user.hook(stat_time, vec!["/user"], None);
user.post("create", create)
    .patch("update/:id", update)
    .get("query", query)
    .delete("delete/:id/:name", delete)
    .delete("delete_one/:age/:name", delete_one)
    .post("multipart_form_data", multipart_form_data);

// Add sub router to the root router
root.push(user);

// Registering the root router into the server
let app = hypers::new(root);

// Start Server
// Not Use SSL/TLS
#[cfg(not(any(feature = "rustls", feature = "native_tls")))]
{
    app.run("127.0.0.1:7878")
}

// Use SSL/TLS
#[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)
}

// Use SSL/TLS
#[cfg(feature = "native_tls")]
{
    let tls = NativeTls::from_pkcs12(include_bytes!("./certs/identity.p12"), "mypass")?;
    app.run("127.0.0.1:7878", tls)
}

} `````