#path #url #parse

route

Route URL paths with safe parameter extraction

4 releases

Uses old Rust 2015

0.2.0 Oct 30, 2016
0.1.2 Oct 29, 2016
0.1.1 Oct 29, 2016
0.1.0 Oct 29, 2016

#637 in HTTP server

Download history 14/week @ 2023-10-22 21/week @ 2023-10-29 18/week @ 2023-11-05 11/week @ 2023-11-12 14/week @ 2023-11-19 29/week @ 2023-11-26 14/week @ 2023-12-03 16/week @ 2023-12-10 17/week @ 2023-12-17 23/week @ 2023-12-24 12/week @ 2023-12-31 19/week @ 2024-01-07 17/week @ 2024-01-14 15/week @ 2024-01-21 14/week @ 2024-01-28 7/week @ 2024-02-04

56 downloads per month

MIT license

8KB
212 lines

route-rs

Build Status Crates.io Badge

This crate is my attempt at a safe helper for mapping URL routes to handlers for rust web applications.

There are several routing libraries already available, but all of the ones I have been able to find share a common problem: path patterns are defined as strings, and URL parameters get parsed out at runtime and stashed in some kind of Map that handlers have to .get() and .unwrap() to access. I want to extract parameters without unwrapping, and I want rust's type system to ensure that I'm not making mistakes!

Setup

in Cargo.toml:

[dependencies]
route = "0.2.0"

route just exports a the macro route!, so you need to #[macro use] it:

#[macro use]
extern crate route;

Usage

Suppose you have some HTTP request/response server setup like


// imaginary request/response structs provided by the framework:

struct Request<'a> {
    path: &'a str,
}

type Response = String;


// application handlers that we need to route:
// Note that some handlers take extra parameters that we hope to fill from the path!

fn home(req: &Request) -> Response {
    "home".to_string()
}

fn blog_post(req: &Request, id: u32) -> Response {
    format!("blog: {}", id)
}

fn account(req: &Request, subpath: &str) -> Response {
    format!("account -- subpath: {}", subpath)
}

Then you could set up a routing handler like:

fn handle_route(req: &Request) -> Response {
    route!(req.path, {
        (/)                 => home(req);
        (/"blog"/[id: u32]) => blog_post(req, id);
        (/"me"[/rest..])    => account(req, rest);
    });
    Response::from("not found")
}

And you're set!

assert_eq!(&handle_route(&Request { path: "/" }), "home");
assert_eq!(&handle_route(&Request { path: "/blog/42" }), "blog: 42");
assert_eq!(&handle_route(&Request { path: "/me/a/b/c" }), "account -- subpath: /a/b/c");
assert_eq!(&handle_route(&Request { path: "/foo" }), "not found");

No runtime deps