Make RoutingNode generic

This commit is contained in:
Emi Tatsuo 2020-11-20 13:54:24 -05:00
parent 59e3222ce8
commit 536e404fdf
Signed by: Emi
GPG Key ID: 68FAB2E2E6DFC98B
2 changed files with 23 additions and 19 deletions

View File

@ -35,14 +35,14 @@ pub use types::*;
pub const REQUEST_URI_MAX_LEN: usize = 1024; pub const REQUEST_URI_MAX_LEN: usize = 1024;
pub const GEMINI_PORT: u16 = 1965; pub const GEMINI_PORT: u16 = 1965;
pub (crate) type Handler = Arc<dyn Fn(Request) -> HandlerResponse + Send + Sync>; type Handler = Arc<dyn Fn(Request) -> HandlerResponse + Send + Sync>;
pub (crate) type HandlerResponse = BoxFuture<'static, Result<Response>>; pub (crate) type HandlerResponse = BoxFuture<'static, Result<Response>>;
#[derive(Clone)] #[derive(Clone)]
pub struct Server { pub struct Server {
tls_acceptor: TlsAcceptor, tls_acceptor: TlsAcceptor,
listener: Arc<TcpListener>, listener: Arc<TcpListener>,
routes: Arc<RoutingNode>, routes: Arc<RoutingNode<Handler>>,
timeout: Duration, timeout: Duration,
complex_timeout: Option<Duration>, complex_timeout: Option<Duration>,
} }
@ -172,7 +172,7 @@ pub struct Builder<A> {
key_path: PathBuf, key_path: PathBuf,
timeout: Duration, timeout: Duration,
complex_body_timeout_override: Option<Duration>, complex_body_timeout_override: Option<Duration>,
routes: RoutingNode, routes: RoutingNode<Handler>,
} }
impl<A: ToSocketAddrs> Builder<A> { impl<A: ToSocketAddrs> Builder<A> {

View File

@ -7,16 +7,14 @@ use uriparse::path::{Path, Segment};
use std::collections::HashMap; use std::collections::HashMap;
use std::convert::TryInto; use std::convert::TryInto;
use crate::Handler;
use crate::types::Request; use crate::types::Request;
#[derive(Default)] /// A node for linking values to routes
/// A node for routing requests
/// ///
/// Routing is processed by a tree, with each child being a single path segment. For /// Routing is processed by a tree, with each child being a single path segment. For
/// example, if a handler existed at "/trans/rights", then the root-level node would have /// example, if an entry existed at "/trans/rights", then the root-level node would have
/// a child "trans", which would have a child "rights". "rights" would have no children, /// a child "trans", which would have a child "rights". "rights" would have no children,
/// but would have an attached handler. /// but would have an attached entry.
/// ///
/// If one route is shorter than another, say "/trans/rights" and /// If one route is shorter than another, say "/trans/rights" and
/// "/trans/rights/r/human", then the longer route always matches first, so a request for /// "/trans/rights/r/human", then the longer route always matches first, so a request for
@ -25,21 +23,21 @@ use crate::types::Request;
/// ///
/// Routing is only performed on normalized paths, so "/endpoint" and "/endpoint/" are /// Routing is only performed on normalized paths, so "/endpoint" and "/endpoint/" are
/// considered to be the same route. /// considered to be the same route.
pub struct RoutingNode(Option<Handler>, HashMap<String, Self>); pub struct RoutingNode<T>(Option<T>, HashMap<String, Self>);
impl RoutingNode { impl<T> RoutingNode<T> {
/// Attempt to identify a handler based on path segments /// Attempt to find and entry based on path segments
/// ///
/// This searches the network of routing nodes attempting to match a specific request, /// This searches the network of routing nodes attempting to match a specific request,
/// represented as a sequence of path segments. For example, "/dir/image.png?text" /// represented as a sequence of path segments. For example, "/dir/image.png?text"
/// should be represented as `&["dir", "image.png"]`. /// should be represented as `&["dir", "image.png"]`.
/// ///
/// If a match is found, it is returned, along with the segments of the path trailing /// If a match is found, it is returned, along with the segments of the path trailing
/// the handler. For example, a route `/foo` recieving a request to `/foo/bar` would /// the subpath matcing the route. For example, a route `/foo` recieving a request to
/// receive `vec!["bar"]` /// `/foo/bar` would produce `vec!["bar"]`
/// ///
/// See [`RoutingNode`] for details on how routes are matched. /// See [`RoutingNode`] for details on how routes are matched.
pub fn match_path<I,S>(&self, path: I) -> Option<(Vec<S>, &Handler)> pub fn match_path<I,S>(&self, path: I) -> Option<(Vec<S>, &T)>
where where
I: IntoIterator<Item=S>, I: IntoIterator<Item=S>,
S: AsRef<str>, S: AsRef<str>,
@ -81,7 +79,7 @@ impl RoutingNode {
/// Attempt to identify a route for a given [`Request`] /// Attempt to identify a route for a given [`Request`]
/// ///
/// See [`RoutingNode::match_path()`] for more information /// See [`RoutingNode::match_path()`] for more information
pub fn match_request(&self, req: &Request) -> Option<(Vec<String>, &Handler)> { pub fn match_request(&self, req: &Request) -> Option<(Vec<String>, &T)> {
let mut path = req.path().to_borrowed(); let mut path = req.path().to_borrowed();
path.normalize(false); path.normalize(false);
self.match_path(path.segments()) self.match_path(path.segments())
@ -101,9 +99,9 @@ impl RoutingNode {
/// static strings. If you would like to add a string dynamically, please use /// static strings. If you would like to add a string dynamically, please use
/// [`RoutingNode::add_route_by_path()`] in order to appropriately deal with any /// [`RoutingNode::add_route_by_path()`] in order to appropriately deal with any
/// errors that might arise. /// errors that might arise.
pub fn add_route(&mut self, path: &'static str, handler: Handler) { pub fn add_route(&mut self, path: &'static str, data: T) {
let path: Path = path.try_into().expect("Malformed path route received"); let path: Path = path.try_into().expect("Malformed path route received");
self.add_route_by_path(path, handler).unwrap(); self.add_route_by_path(path, data).unwrap();
} }
/// Add a route to the network /// Add a route to the network
@ -112,7 +110,7 @@ impl RoutingNode {
/// this method. /// this method.
/// ///
/// For information about how routes work, see [`RoutingNode::match_path()`] /// For information about how routes work, see [`RoutingNode::match_path()`]
pub fn add_route_by_path(&mut self, mut path: Path, handler: Handler) -> Result<(), ConflictingRouteError>{ pub fn add_route_by_path(&mut self, mut path: Path, data: T) -> Result<(), ConflictingRouteError>{
debug_assert!(path.is_absolute()); debug_assert!(path.is_absolute());
path.normalize(false); path.normalize(false);
@ -126,7 +124,7 @@ impl RoutingNode {
if node.0.is_some() { if node.0.is_some() {
Err(ConflictingRouteError()) Err(ConflictingRouteError())
} else { } else {
node.0 = Some(handler); node.0 = Some(data);
Ok(()) Ok(())
} }
} }
@ -141,6 +139,12 @@ impl RoutingNode {
} }
} }
impl<T> Default for RoutingNode<T> {
fn default() -> Self {
Self(None, HashMap::default())
}
}
#[derive(Debug, Clone, Copy)] #[derive(Debug, Clone, Copy)]
pub struct ConflictingRouteError(); pub struct ConflictingRouteError();