adding html to responder, and improving responder, adding data to server

This commit is contained in:
2026-03-11 21:34:57 +01:00
parent 2093456d91
commit 04dff9dbe2
8 changed files with 96 additions and 64 deletions

View File

@@ -4,7 +4,7 @@ version = "0.1.1"
edition = "2024" edition = "2024"
[dependencies] [dependencies]
tokio = { version = "1.49.0", features = ["macros", "rt", "rt-multi-thread", "signal", "net"] } tokio = { version = "1.50.0", features = ["macros", "rt", "rt-multi-thread", "signal", "net"] }
tokio-util = "0.7.18" tokio-util = "0.7.18"
http = "1.4.0" http = "1.4.0"

View File

@@ -5,12 +5,34 @@ use crate::{
}; };
use std::sync::Arc; use std::sync::Arc;
pub struct ServerBuilder { pub struct ServerBuilder<D = ()> {
pub config: ServerConfig, pub config: ServerConfig,
pub middlewares: Vec<Box<dyn Middleware>>, pub middlewares: Vec<Box<dyn Middleware>>,
pub data: Option<D>,
} }
impl ServerBuilder { impl ServerBuilder<()> {
pub fn new() -> Self {
Self {
config: ServerConfig::default(),
middlewares: vec![],
data: None,
}
}
pub fn data<NewD>(self, data: NewD) -> ServerBuilder<NewD>
where
NewD: Clone + Send + Sync + 'static,
{
ServerBuilder {
config: self.config,
middlewares: self.middlewares,
data: Some(data),
}
}
}
impl<D: Clone + Send + Sync + 'static> ServerBuilder<D> {
pub fn address(mut self, ip: &str, port: u16) -> Self { pub fn address(mut self, ip: &str, port: u16) -> Self {
self.config.ip = ip.to_string(); self.config.ip = ip.to_string();
self.config.port = port; self.config.port = port;
@@ -45,11 +67,6 @@ impl ServerBuilder {
self self
} }
pub fn api_key(mut self, api_key: &str) -> Self {
self.config.api_key = Some(api_key.to_string());
self
}
pub fn middleware<M>(mut self, middleware: M) -> Self pub fn middleware<M>(mut self, middleware: M) -> Self
where where
M: Middleware + 'static, M: Middleware + 'static,
@@ -58,10 +75,11 @@ impl ServerBuilder {
self self
} }
pub fn build(self) -> Server { pub fn build(self) -> Server<D> {
Server { Server {
config: Arc::new(self.config), config: Arc::new(self.config),
middlewares: Arc::new(self.middlewares), middlewares: Arc::new(self.middlewares),
data: self.data.map(Arc::new),
} }
} }
} }

View File

@@ -1,9 +1,6 @@
pub struct ServerConfig { pub struct ServerConfig {
pub ip: String, pub ip: String,
pub port: u16, pub port: u16,
// Request filtering
pub api_key: Option<String>,
} }
impl Default for ServerConfig { impl Default for ServerConfig {
@@ -11,8 +8,6 @@ impl Default for ServerConfig {
ServerConfig { ServerConfig {
ip: "127.0.0.1".to_string(), ip: "127.0.0.1".to_string(),
port: 8080, port: 8080,
api_key: None,
} }
} }
} }

View File

@@ -1,7 +1,7 @@
use http_body_util::Full; use http_body_util::Full;
use hyper::{ use hyper::{
body::{Bytes, Incoming},
Request, Response, Request, Response,
body::{Bytes, Incoming},
}; };
use servme::{Responder, Server}; use servme::{Responder, Server};
use std::convert::Infallible; use std::convert::Infallible;
@@ -16,5 +16,5 @@ async fn main() {
} }
async fn handler(req: Request<Incoming>) -> Result<Response<Full<Bytes>>, Infallible> { async fn handler(req: Request<Incoming>) -> Result<Response<Full<Bytes>>, Infallible> {
Responder::text(&format!("Hello World! {}", req.uri())) Responder::ok(format!("Hello World! {}", req.uri()))
} }

View File

@@ -1,6 +1,6 @@
use crate::{ use crate::{
middleware::{Middleware, MiddlewareFuture, MiddlewareResult},
Responder, Responder,
middleware::{Middleware, MiddlewareFuture, MiddlewareResult},
}; };
use http::Request; use http::Request;
use hyper::body::Incoming; use hyper::body::Incoming;

View File

@@ -1,10 +1,10 @@
use crate::{ use crate::{
middleware::{auth_types::Claims, Middleware, MiddlewareFuture, MiddlewareResult},
Responder, Responder,
middleware::{Middleware, MiddlewareFuture, MiddlewareResult, auth_types::Claims},
}; };
use http::Request; use http::Request;
use hyper::body::Incoming; use hyper::body::Incoming;
use jsonwebtoken::{decode, Algorithm, DecodingKey, Validation}; use jsonwebtoken::{Algorithm, DecodingKey, Validation, decode};
use log::error; use log::error;
pub struct JwtMiddleware { pub struct JwtMiddleware {

View File

@@ -1,4 +1,7 @@
use http::{header::CONTENT_TYPE, Response, StatusCode}; use http::{
Response, StatusCode,
header::{CONTENT_TYPE, LOCATION},
};
use http_body_util::Full; use http_body_util::Full;
use hyper::body::Bytes; use hyper::body::Bytes;
use serde::Serialize; use serde::Serialize;
@@ -7,53 +10,60 @@ use std::convert::Infallible;
pub struct Responder; pub struct Responder;
impl Responder { impl Responder {
pub fn ok<B: Into<Bytes>>(body: B) -> Result<Response<Full<Bytes>>, Infallible> {
Self::with_status(StatusCode::OK, body)
}
pub fn html<B: Into<Bytes>>(body: B) -> Result<Response<Full<Bytes>>, Infallible> {
Ok(Response::builder()
.status(StatusCode::OK)
.header(CONTENT_TYPE, "text/html; charset=utf-8")
.body(Full::new(body.into()))
.unwrap())
}
pub fn json<T: Serialize>(value: &T) -> Result<Response<Full<Bytes>>, Infallible> {
match serde_json::to_vec(value) {
Ok(bytes) => Ok(Response::builder()
.status(StatusCode::OK)
.header(CONTENT_TYPE, "application/json")
.body(Full::new(Bytes::from(bytes)))
.unwrap()),
Err(e) => Self::internal_error(format!("JSON Serialization Error: {}", e)),
}
}
pub fn redirect(url: &str) -> Result<Response<Full<Bytes>>, Infallible> {
Ok(Response::builder()
.status(StatusCode::SEE_OTHER)
.header(LOCATION, url)
.body(Full::new(Bytes::new()))
.unwrap())
}
pub fn not_found() -> Result<Response<Full<Bytes>>, Infallible> { pub fn not_found() -> Result<Response<Full<Bytes>>, Infallible> {
Self::text_using_status(StatusCode::NOT_FOUND.as_u16(), "Not Found") Self::with_status(StatusCode::NOT_FOUND, "Not Found")
} }
pub fn unauthorized() -> Result<Response<Full<Bytes>>, Infallible> { pub fn unauthorized() -> Result<Response<Full<Bytes>>, Infallible> {
Self::text_using_status(StatusCode::UNAUTHORIZED.as_u16(), "Unauthorized") Self::with_status(StatusCode::UNAUTHORIZED, "Unauthorized")
} }
pub fn text(response: &str) -> Result<Response<Full<Bytes>>, Infallible> { pub fn forbidden() -> Result<Response<Full<Bytes>>, Infallible> {
Self::text_using_status(StatusCode::OK.as_u16(), response) Self::with_status(StatusCode::FORBIDDEN, "Forbidden")
} }
pub fn json<T: Serialize>(json: &T) -> Result<Response<Full<Bytes>>, Infallible> { pub fn internal_error<B: Into<Bytes>>(body: B) -> Result<Response<Full<Bytes>>, Infallible> {
Self::json_using_status(StatusCode::OK.as_u16(), json) Self::with_status(StatusCode::INTERNAL_SERVER_ERROR, body)
} }
pub fn text_using_status( pub fn with_status<B: Into<Bytes>>(
status: u16, status: StatusCode,
response: &str, body: B,
) -> Result<Response<Full<Bytes>>, Infallible> { ) -> Result<Response<Full<Bytes>>, Infallible> {
let builder = Response::builder().status(status); Ok(Response::builder()
Self::build_response(builder, response.to_string().into())
}
pub fn json_using_status<T: Serialize>(
status: u16,
json: &T,
) -> Result<Response<Full<Bytes>>, Infallible> {
let builder = Response::builder()
.status(status) .status(status)
.header(CONTENT_TYPE, "application/json"); .body(Full::new(body.into()))
.unwrap())
match serde_json::to_string(json) {
Ok(body) => Self::build_response(builder, body.into()),
Err(e) => Self::text_using_status(500, &format!("JSON Error: {}", e)),
}
}
// Método privado interno para centralizar la construcción
fn build_response(
builder: http::response::Builder,
body: Bytes,
) -> Result<Response<Full<Bytes>>, Infallible> {
// En un servidor web real, un error de construcción aquí es casi imposible,
// pero manejarlo formalmente es mejor que hacer unwrap()
Ok(builder
.body(Full::new(body))
.unwrap_or_else(|_| Response::new(Full::new(Bytes::from("Internal Server Error")))))
} }
} }

View File

@@ -3,28 +3,32 @@ use crate::{
config::ServerConfig, config::ServerConfig,
middleware::{Middleware, MiddlewareResult}, middleware::{Middleware, MiddlewareResult},
}; };
use http1::Builder;
use http_body_util::Full; use http_body_util::Full;
use hyper::{body::Incoming, server::conn::http1, service::service_fn, Request, Response}; use http1::Builder;
use hyper::{Request, Response, body::Incoming, server::conn::http1, service::service_fn};
use hyper_util::rt::TokioIo; use hyper_util::rt::TokioIo;
use log::error; use log::error;
use std::{convert::Infallible, future::Future, net::SocketAddr, sync::Arc}; use std::{convert::Infallible, future::Future, net::SocketAddr, sync::Arc};
use tokio::{net::TcpListener, spawn}; use tokio::{net::TcpListener, spawn};
use tokio_util::bytes::Bytes; use tokio_util::bytes::Bytes;
pub struct Server { pub struct Server<D = ()> {
pub config: Arc<ServerConfig>, pub config: Arc<ServerConfig>,
pub middlewares: Arc<Vec<Box<dyn Middleware>>>, pub middlewares: Arc<Vec<Box<dyn Middleware>>>,
pub data: Option<Arc<D>>,
} }
impl Server { impl Server {
pub fn builder() -> ServerBuilder { pub fn builder() -> ServerBuilder<()> {
ServerBuilder { ServerBuilder {
config: ServerConfig::default(), config: ServerConfig::default(),
middlewares: vec![], middlewares: vec![],
data: None,
} }
} }
}
impl<D: Clone + Send + Sync + 'static> Server<D> {
pub async fn run<F, Fut>(self, handler: F) pub async fn run<F, Fut>(self, handler: F)
where where
F: Fn(Request<Incoming>) -> Fut + Send + Sync + 'static, F: Fn(Request<Incoming>) -> Fut + Send + Sync + 'static,
@@ -51,6 +55,7 @@ impl Server {
let io = TokioIo::new(tcp); let io = TokioIo::new(tcp);
let data_to_inject = self.data.clone();
let mws = Arc::clone(&shared_middlewares); let mws = Arc::clone(&shared_middlewares);
let h = Arc::clone(&handler); let h = Arc::clone(&handler);
let client_ip = client_addr.ip(); let client_ip = client_addr.ip();
@@ -62,6 +67,10 @@ impl Server {
let mws = Arc::clone(&mws); let mws = Arc::clone(&mws);
let h = Arc::clone(&h); let h = Arc::clone(&h);
if let Some(ref d) = data_to_inject {
req.extensions_mut().insert(Arc::clone(d));
}
async move { async move {
req.extensions_mut().insert(client_ip); req.extensions_mut().insert(client_ip);