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
use std::collections::HashMap;
pub struct Request {
    /// The url of the requested resource
    pub url: String,
    /// Contains the paramteres specified in the url
    ///
    /// for example /user?name=cory&age=21 would yield name and age as keys with cory and 21 as values respectively
    pub params: HashMap<String, String>,
    /// The body of the request if the request has specified a content-length header, otherwise the string is a fresh Vec::new()
    pub body: Vec<u8>,
    /// The http version. Note: Spot only supporst 1.1 at the moment
    pub http_version: String,
    /// The request method (GET, POST, PUT etc). Method should always be fully capitalized.
    pub method: String,
    /// Contains all the request headers. These are always all lower-case in Spot
    ///
    /// content-length: 120 would for example yield content-length as a key with value "120"
    pub headers: HashMap<String, String>,
}

impl Request {
    /// Create a new http request object.
    pub fn new(
        url: String,
        params: HashMap<String, String>,
        body: Vec<u8>,
        http_version: String,
        method: String,
        headers: HashMap<String, String>,
    ) -> Request {
        return Request {
            url: url,
            params: params,
            body: body,
            http_version: http_version,
            method: method,
            headers: headers,
        };
    }
    /// Check if the http request contains the specified list of parameters. Returns a missing parameter if there is one
    pub fn contains_params(&self, keys: Vec<&str>) -> Option<String> {
        for key in keys {
            if !self.params.contains_key(key) {
                return Some(String::from(key));
            }
        }
        return None;
    }
}