spin_manifest/compat/
allowed_http_hosts.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
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
use anyhow::{anyhow, Result};
use url::Url;

const ALLOW_ALL_HOSTS: &str = "insecure:allow-all";

/// An HTTP host allow-list.
#[derive(Clone, Debug, Eq, PartialEq)]
pub enum AllowedHttpHosts {
    /// All HTTP hosts are allowed (the "insecure:allow-all" value was present in the list)
    AllowAll,
    /// Only the specified hosts are allowed.
    AllowSpecific(Vec<AllowedHttpHost>),
}

impl Default for AllowedHttpHosts {
    fn default() -> Self {
        Self::AllowSpecific(vec![])
    }
}

/// An HTTP host allow-list entry.
#[derive(Clone, Debug, Default, Eq, PartialEq)]
pub struct AllowedHttpHost {
    pub(crate) domain: String,
    pub(crate) port: Option<u16>,
}

impl AllowedHttpHost {
    /// Creates a new allow-list entry.
    pub fn new(name: impl Into<String>, port: Option<u16>) -> Self {
        Self {
            domain: name.into(),
            port,
        }
    }
}

/// Parses a list of allowed HTTP hosts
pub fn parse_allowed_http_hosts(list: &[impl AsRef<str>]) -> Result<AllowedHttpHosts> {
    if list.iter().any(|domain| domain.as_ref() == ALLOW_ALL_HOSTS) {
        Ok(AllowedHttpHosts::AllowAll)
    } else {
        let parse_results = list
            .iter()
            .map(|h| parse_allowed_http_host(h.as_ref()))
            .collect::<Vec<_>>();
        let (hosts, errors) = partition_results(parse_results);

        if errors.is_empty() {
            Ok(AllowedHttpHosts::AllowSpecific(hosts))
        } else {
            Err(anyhow!(
                "One or more allowed_http_hosts entries was invalid:\n{}",
                errors.join("\n")
            ))
        }
    }
}

fn parse_allowed_http_host(text: &str) -> Result<AllowedHttpHost, String> {
    // If you call Url::parse, it accepts things like `localhost:3001`, inferring
    // `localhost` as a scheme. That's unhelpful for us, so we do a crude check
    // before trying to treat the string as a URL.
    if text.contains("//") {
        parse_allowed_http_host_from_schemed(text)
    } else {
        parse_allowed_http_host_from_unschemed(text)
    }
}

fn parse_allowed_http_host_from_unschemed(text: &str) -> Result<AllowedHttpHost, String> {
    // Host name parsing is quite hairy (thanks, IPv6), so punt it off to the
    // Url type which gets paid big bucks to do it properly. (But preserve the
    // original un-URL-ified string for use in error messages.)
    let urlised = format!("http://{}", text);
    let fake_url = Url::parse(&urlised)
        .map_err(|_| format!("{} isn't a valid host or host:port string", text))?;
    parse_allowed_http_host_from_http_url(&fake_url, text)
}

fn parse_allowed_http_host_from_schemed(text: &str) -> Result<AllowedHttpHost, String> {
    let url =
        Url::parse(text).map_err(|e| format!("{} isn't a valid HTTP host URL: {}", text, e))?;

    if !matches!(url.scheme(), "http" | "https") {
        return Err(format!("{} isn't a valid host or host:port string", text));
    }

    parse_allowed_http_host_from_http_url(&url, text)
}

fn parse_allowed_http_host_from_http_url(url: &Url, text: &str) -> Result<AllowedHttpHost, String> {
    let host = url
        .host_str()
        .ok_or_else(|| format!("{} doesn't contain a host name", text))?;

    let has_path = url.path().len() > 1; // allow "/"
    if has_path {
        return Err(format!(
            "{} contains a path, should be host and optional port only",
            text
        ));
    }

    Ok(AllowedHttpHost::new(host, url.port()))
}

fn partition_results<T, E>(results: Vec<Result<T, E>>) -> (Vec<T>, Vec<E>) {
    // We are going to to be OPTIMISTIC do you hear me
    let mut oks = Vec::with_capacity(results.len());
    let mut errs = vec![];

    for result in results {
        match result {
            Ok(t) => oks.push(t),
            Err(e) => errs.push(e),
        }
    }

    (oks, errs)
}

#[cfg(test)]
mod test {
    use super::*;

    impl AllowedHttpHost {
        /// An allow-list entry that specifies a host and allows the default port.
        fn host(name: impl Into<String>) -> Self {
            Self {
                domain: name.into(),
                port: None,
            }
        }

        /// An allow-list entry that specifies a host and port.
        fn host_and_port(name: impl Into<String>, port: u16) -> Self {
            Self {
                domain: name.into(),
                port: Some(port),
            }
        }
    }

    #[test]
    fn test_allowed_hosts_accepts_http_url() {
        assert_eq!(
            AllowedHttpHost::host("spin.fermyon.dev"),
            parse_allowed_http_host("http://spin.fermyon.dev").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host("spin.fermyon.dev"),
            parse_allowed_http_host("http://spin.fermyon.dev/").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host("spin.fermyon.dev"),
            parse_allowed_http_host("https://spin.fermyon.dev").unwrap()
        );
    }

    #[test]
    fn test_allowed_hosts_accepts_http_url_with_port() {
        assert_eq!(
            AllowedHttpHost::host_and_port("spin.fermyon.dev", 4444),
            parse_allowed_http_host("http://spin.fermyon.dev:4444").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host_and_port("spin.fermyon.dev", 4444),
            parse_allowed_http_host("http://spin.fermyon.dev:4444/").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host_and_port("spin.fermyon.dev", 5555),
            parse_allowed_http_host("https://spin.fermyon.dev:5555").unwrap()
        );
    }

    #[test]
    fn test_allowed_hosts_accepts_plain_host() {
        assert_eq!(
            AllowedHttpHost::host("spin.fermyon.dev"),
            parse_allowed_http_host("spin.fermyon.dev").unwrap()
        );
    }

    #[test]
    fn test_allowed_hosts_accepts_plain_host_with_port() {
        assert_eq!(
            AllowedHttpHost::host_and_port("spin.fermyon.dev", 7777),
            parse_allowed_http_host("spin.fermyon.dev:7777").unwrap()
        );
    }

    #[test]
    fn test_allowed_hosts_accepts_self() {
        assert_eq!(
            AllowedHttpHost::host("self"),
            parse_allowed_http_host("self").unwrap()
        );
    }

    #[test]
    fn test_allowed_hosts_accepts_localhost_addresses() {
        assert_eq!(
            AllowedHttpHost::host("localhost"),
            parse_allowed_http_host("localhost").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host("localhost"),
            parse_allowed_http_host("http://localhost").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host_and_port("localhost", 3001),
            parse_allowed_http_host("localhost:3001").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host_and_port("localhost", 3001),
            parse_allowed_http_host("http://localhost:3001").unwrap()
        );
    }

    #[test]
    fn test_allowed_hosts_accepts_ip_addresses() {
        assert_eq!(
            AllowedHttpHost::host("192.168.1.1"),
            parse_allowed_http_host("192.168.1.1").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host("192.168.1.1"),
            parse_allowed_http_host("http://192.168.1.1").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host_and_port("192.168.1.1", 3002),
            parse_allowed_http_host("192.168.1.1:3002").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host_and_port("192.168.1.1", 3002),
            parse_allowed_http_host("http://192.168.1.1:3002").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host("[::1]"),
            parse_allowed_http_host("[::1]").unwrap()
        );
        assert_eq!(
            AllowedHttpHost::host_and_port("[::1]", 8001),
            parse_allowed_http_host("http://[::1]:8001").unwrap()
        );
    }

    #[test]
    fn test_allowed_hosts_rejects_path() {
        assert!(parse_allowed_http_host("http://spin.fermyon.dev/a").is_err());
        assert!(parse_allowed_http_host("http://spin.fermyon.dev:6666/a/b").is_err());
    }

    #[test]
    fn test_allowed_hosts_rejects_ftp_url() {
        assert!(parse_allowed_http_host("ftp://spin.fermyon.dev").is_err());
        assert!(parse_allowed_http_host("ftp://spin.fermyon.dev:6666").is_err());
    }

    #[test]
    fn test_allowed_hosts_respects_allow_all() {
        assert_eq!(
            AllowedHttpHosts::AllowAll,
            parse_allowed_http_hosts(&["insecure:allow-all"]).unwrap()
        );
        assert_eq!(
            AllowedHttpHosts::AllowAll,
            parse_allowed_http_hosts(&["spin.fermyon.dev", "insecure:allow-all"]).unwrap()
        );
    }
}