2021-06-01 11:23:56 +02:00
|
|
|
use http::{Request, StatusCode};
|
2021-05-31 10:20:07 +02:00
|
|
|
use hyper::Server;
|
|
|
|
use std::net::SocketAddr;
|
2021-06-01 11:23:56 +02:00
|
|
|
use tower::make::Shared;
|
|
|
|
use tower_web::{body::Body, extract, response::Html};
|
2021-05-31 10:20:07 +02:00
|
|
|
|
|
|
|
#[tokio::main]
|
|
|
|
async fn main() {
|
|
|
|
tracing_subscriber::fmt::init();
|
|
|
|
|
|
|
|
// build our application with some routes
|
|
|
|
let app = tower_web::app()
|
|
|
|
.at("/")
|
|
|
|
.get(handler)
|
2021-06-01 11:23:56 +02:00
|
|
|
.at("/greet/:name")
|
|
|
|
.get(greet)
|
2021-05-31 10:20:07 +02:00
|
|
|
// convert it into a `Service`
|
|
|
|
.into_service();
|
|
|
|
|
|
|
|
// run it with hyper
|
|
|
|
let addr = SocketAddr::from(([127, 0, 0, 1], 3000));
|
|
|
|
tracing::debug!("listening on {}", addr);
|
|
|
|
let server = Server::bind(&addr).serve(Shared::new(app));
|
|
|
|
server.await.unwrap();
|
|
|
|
}
|
|
|
|
|
2021-05-31 20:42:57 +02:00
|
|
|
async fn handler(_req: Request<Body>) -> Html<&'static str> {
|
|
|
|
Html("<h1>Hello, World!</h1>")
|
2021-05-31 10:20:07 +02:00
|
|
|
}
|
2021-06-01 11:23:56 +02:00
|
|
|
|
|
|
|
async fn greet(_req: Request<Body>, params: extract::UrlParamsMap) -> Result<String, StatusCode> {
|
|
|
|
if let Some(name) = params.get("name") {
|
|
|
|
Ok(format!("Hello {}!", name))
|
|
|
|
} else {
|
|
|
|
// if the route matches "name" will be present
|
|
|
|
Err(StatusCode::INTERNAL_SERVER_ERROR)
|
|
|
|
}
|
|
|
|
}
|