-
Notifications
You must be signed in to change notification settings - Fork 36
/
Copy pathrouter.rs
156 lines (137 loc) · 5.31 KB
/
router.rs
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
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
// Copyright (C) 2019 Alibaba Cloud. All rights reserved.
// Copyright © 2019 Intel Corporation
//
// SPDX-License-Identifier: Apache-2.0
use std::collections::hash_map::{Entry, HashMap};
use crate::{MediaType, Method, Request, Response, StatusCode, Version};
pub use crate::common::RouteError;
/// An HTTP endpoint handler interface
pub trait EndpointHandler<T>: Sync + Send {
/// Handles an HTTP request.
fn handle_request(&self, req: &Request, arg: &T) -> Response;
}
/// An HTTP routes structure.
pub struct HttpRoutes<T> {
server_id: String,
prefix: String,
media_type: MediaType,
/// routes is a hash table mapping endpoint URIs to their endpoint handlers.
routes: HashMap<String, Box<dyn EndpointHandler<T> + Sync + Send>>,
}
impl<T: Send> HttpRoutes<T> {
/// Create a http request router.
pub fn new(server_id: String, prefix: String) -> Self {
HttpRoutes {
server_id,
prefix,
media_type: MediaType::ApplicationJson,
routes: HashMap::new(),
}
}
/// Register a request handler for a unique (HTTP_METHOD, HTTP_PATH) tuple.
///
/// # Arguments
/// * `method`: HTTP method to assoicate with the handler.
/// * `path`: HTTP path to associate with the handler.
/// * `handler`: HTTP request handler for the (method, path) tuple.
pub fn add_route(
&mut self,
method: Method,
path: String,
handler: Box<dyn EndpointHandler<T> + Sync + Send>,
) -> Result<(), RouteError> {
let full_path = format!("{}:{}{}", method.to_str(), self.prefix, path);
match self.routes.entry(full_path.clone()) {
Entry::Occupied(_) => Err(RouteError::HandlerExist(full_path)),
Entry::Vacant(entry) => {
entry.insert(handler);
Ok(())
}
}
}
/// Handle an incoming http request and generate corresponding response.
///
/// # Examples
///
/// ```
/// extern crate micro_http;
/// use micro_http::{EndpointHandler, HttpRoutes, Method, Request, Response, StatusCode, Version};
///
/// struct HandlerArg(bool);
/// struct MockHandler {}
/// impl EndpointHandler<HandlerArg> for MockHandler {
/// fn handle_request(&self, _req: &Request, _arg: &HandlerArg) -> Response {
/// Response::new(Version::Http11, StatusCode::OK)
/// }
/// }
///
/// let mut router = HttpRoutes::new("Mock_Server".to_string(), "/api/v1".to_string());
/// let handler = MockHandler {};
/// router
/// .add_route(Method::Get, "/func1".to_string(), Box::new(handler))
/// .unwrap();
///
/// let request_bytes = b"GET http://localhost/api/v1/func1 HTTP/1.1\r\n\r\n";
/// let request = Request::try_from(request_bytes, None).unwrap();
/// let arg = HandlerArg(true);
/// let reply = router.handle_http_request(&request, &arg);
/// assert_eq!(reply.status(), StatusCode::OK);
/// ```
pub fn handle_http_request(&self, request: &Request, argument: &T) -> Response {
let path = format!(
"{}:{}",
request.method().to_str(),
request.uri().get_abs_path()
);
let mut response = match self.routes.get(&path) {
Some(route) => route.handle_request(request, argument),
None => Response::new(Version::Http11, StatusCode::NotFound),
};
response.set_server(&self.server_id);
response.set_content_type(self.media_type);
response
}
}
#[cfg(test)]
mod tests {
use super::*;
struct HandlerArg;
struct MockHandler {}
impl EndpointHandler<HandlerArg> for MockHandler {
fn handle_request(&self, _req: &Request, _arg: &HandlerArg) -> Response {
Response::new(Version::Http11, StatusCode::OK)
}
}
#[test]
fn test_create_router() {
let mut router = HttpRoutes::new("Mock_Server".to_string(), "/api/v1".to_string());
let handler = MockHandler {};
let res = router.add_route(Method::Get, "/func1".to_string(), Box::new(handler));
assert!(res.is_ok());
assert!(router.routes.contains_key("GET:/api/v1/func1"));
let handler = MockHandler {};
match router.add_route(Method::Get, "/func1".to_string(), Box::new(handler)) {
Err(RouteError::HandlerExist(_)) => {}
_ => panic!("add_route() should return error for path with existing handler"),
}
let handler = MockHandler {};
let res = router.add_route(Method::Put, "/func1".to_string(), Box::new(handler));
assert!(res.is_ok());
let handler = MockHandler {};
let res = router.add_route(Method::Get, "/func2".to_string(), Box::new(handler));
assert!(res.is_ok());
}
#[test]
fn test_handle_http_request() {
let mut router = HttpRoutes::new("Mock_Server".to_string(), "/api/v1".to_string());
let handler = MockHandler {};
router
.add_route(Method::Get, "/func1".to_string(), Box::new(handler))
.unwrap();
let request =
Request::try_from(b"GET http://localhost/api/v1/func2 HTTP/1.1\r\n\r\n", None).unwrap();
let arg = HandlerArg;
let reply = router.handle_http_request(&request, &arg);
assert_eq!(reply.status(), StatusCode::NotFound);
}
}