1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69
use super::{params::Params, tree::Node, InsertError, MatchError};
/// A URL router.
///
/// See [the crate documentation](crate) for details.
#[derive(Clone)]
#[cfg_attr(test, derive(Debug))]
pub struct Router<T> {
root: Node<T>,
}
impl<T> Router<T> {
/// Construct a new router.
pub const fn new() -> Self {
Self { root: Node::new() }
}
/// Insert a route.
///
/// # Examples
///
/// ```rust
/// # use xitca_router::Router;
/// # fn main() -> Result<(), Box<dyn std::error::Error>> {
/// let mut router = Router::new();
/// router.insert("/home", "Welcome!")?;
/// router.insert("/users/:id", "A User")?;
/// # Ok(())
/// # }
/// ```
pub fn insert(&mut self, route: impl Into<String>, value: T) -> Result<(), InsertError> {
self.root.insert(route, value)
}
/// Tries to find a value in the router matching the given path.
///
/// # Examples
///
/// ```rust
/// # use xitca_router::Router;
/// # fn main() -> Result<(), Box<dyn std::error::Error>> {
/// let mut router = Router::new();
/// router.insert("/home", "Welcome!")?;
///
/// let matched = router.at("/home").unwrap();
/// assert_eq!(*matched.value, "Welcome!");
/// # Ok(())
/// # }
/// ```
#[inline]
pub fn at(&self, path: &str) -> Result<Match<&T>, MatchError> {
self.root.at(path).map(|(value, params)| Match { value, params })
}
#[cfg(feature = "__test_helpers")]
pub fn check_priorities(&self) -> Result<u32, (u32, u32)> {
self.root.check_priorities()
}
}
/// A successful match consisting of the registered value
/// and URL parameters, returned by [`Router::at`](Router::at).
#[derive(Debug)]
pub struct Match<V> {
/// The value stored under the matched node.
pub value: V,
/// The route parameters. See [parameters](crate#parameters) for more details.
pub params: Params,
}