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
use std::str;
use std::collections::HashMap;
use bytes::BytesMut;
use url::Url;
use crate::{
Method,
HttpResult,
};
#[derive(Debug)]
pub struct Request {
pub url: Url,
pub method: Method,
pub version: u8,
pub headers: HashMap<String, String>,
}
impl Request {
pub fn new(payload: &BytesMut, pos_n: &Vec<usize>) -> Self {
let (method, url, version) = Self::_parse_request_line(&payload, &pos_n).unwrap();
let headers = Self::_parse_headers(&payload, &pos_n);
Self {
url,
method,
version,
headers,
}
}
#[inline(always)]
fn _parse_headers(payload: &BytesMut, pos_n: &Vec<usize>) -> HashMap<String, String> {
let mut headers = HashMap::new();
let mut prev_idx = pos_n[0] + 1;
for idx in pos_n[1..].iter() {
let line = unsafe { String::from_utf8_unchecked(payload[prev_idx..*idx-1].to_vec()) };
if line.is_empty() { break }
let mut split = line.splitn(2, ':');
let key = split.next().unwrap();
let value = split.next().unwrap();
headers.insert(
key.to_string().trim().to_lowercase(),
value.to_string().trim().to_lowercase()
);
prev_idx = idx + 1;
}
headers
}
#[inline(always)]
fn _parse_request_line(payload: &BytesMut, pos_n: &Vec<usize>) -> HttpResult<(Method, Url, u8)> {
let mut request_line = payload[..pos_n[0]-1].split(|c| *c == 0x20);
let method = match request_line.next().unwrap() {
b"GET" => Method::GET,
b"POST" => Method::POST,
_ => unimplemented!(),
};
let path = str::from_utf8(request_line.next().unwrap())?;
let url = Url::parse("https://hawk.local")?;
let url = url.join(&path)?;
let version = match request_line.next().unwrap() {
b"HTTP/1.1" => 1,
_ => unimplemented!(),
};
Ok((method, url, version))
}
}
#[cfg(test)]
mod tests {
extern crate test;
use super::*;
use bytes::BytesMut;
use crate::Method;
use test::Bencher;
#[test]
fn parse_request_line() {
let payload = BytesMut::from(&b"GET /api/entity HTTP/1.1\r\nHost: hawk.local\r\n\r\n"[..]);
let pos_n = vec![25, 43, 45];
let (method, url, version) = Request::_parse_request_line(&payload, &pos_n).unwrap();
assert_eq!(method, Method::GET);
assert_eq!(url.as_str(), "https://hawk.local/api/entity");
assert_eq!(version, 1);
}
#[test]
fn parse_headers() {
let payload = BytesMut::from(&b"GET /api/entity HTTP/1.1\r\nHost: hawk.local\r\n\r\n"[..]);
let pos_n = vec![25, 43, 45];
let headers = Request::_parse_headers(&payload, &pos_n);
assert_eq!("hawk.local", headers.get("host").unwrap());
}
#[bench]
fn bench_parse_headers(b: &mut Bencher) {
b.iter(|| parse_headers())
}
#[bench]
fn bench_parse_request_line(b: &mut Bencher) {
b.iter(|| parse_request_line())
}
}