1use url::Url;
2
3pub trait IntoUrl: IntoUrlSealed {}
8
9impl IntoUrl for Url {}
10impl IntoUrl for String {}
11impl<'a> IntoUrl for &'a str {}
12impl<'a> IntoUrl for &'a String {}
13
14pub trait IntoUrlSealed {
15    fn into_url(self) -> crate::Result<Url>;
18
19    fn as_str(&self) -> &str;
20}
21
22impl IntoUrlSealed for Url {
23    fn into_url(self) -> crate::Result<Url> {
24        #[cfg(target_arch = "wasm32")]
27        if self.scheme() == "blob"
28            && self.path().starts_with("http") && self.as_str()[5..].into_url().is_ok()
30        {
31            return Ok(self);
32        }
33
34        if self.has_host() {
35            Ok(self)
36        } else {
37            Err(crate::error::url_bad_scheme(self))
38        }
39    }
40
41    fn as_str(&self) -> &str {
42        self.as_ref()
43    }
44}
45
46impl<'a> IntoUrlSealed for &'a str {
47    fn into_url(self) -> crate::Result<Url> {
48        Url::parse(self).map_err(crate::error::builder)?.into_url()
49    }
50
51    fn as_str(&self) -> &str {
52        self
53    }
54}
55
56impl<'a> IntoUrlSealed for &'a String {
57    fn into_url(self) -> crate::Result<Url> {
58        (&**self).into_url()
59    }
60
61    fn as_str(&self) -> &str {
62        self.as_ref()
63    }
64}
65
66impl<'a> IntoUrlSealed for String {
67    fn into_url(self) -> crate::Result<Url> {
68        (&*self).into_url()
69    }
70
71    fn as_str(&self) -> &str {
72        self.as_ref()
73    }
74}
75
76if_hyper! {
77    pub(crate) fn try_uri(url: &Url) -> crate::Result<http::Uri> {
78        url.as_str()
79            .parse()
80            .map_err(|_| crate::error::url_invalid_uri(url.clone()))
81    }
82}
83
84#[cfg(test)]
85mod tests {
86    use super::*;
87
88    #[test]
89    fn into_url_file_scheme() {
90        let err = "file:///etc/hosts".into_url().unwrap_err();
91        assert_eq!(
92            err.to_string(),
93            "builder error for url (file:///etc/hosts): URL scheme is not allowed"
94        );
95    }
96
97    #[test]
98    fn into_url_blob_scheme() {
99        let err = "blob:https://example.com".into_url().unwrap_err();
100        assert_eq!(
101            err.to_string(),
102            "builder error for url (blob:https://example.com): URL scheme is not allowed"
103        );
104    }
105
106    if_wasm! {
107        use wasm_bindgen_test::*;
108
109        #[wasm_bindgen_test]
110        fn into_url_blob_scheme_wasm() {
111            let url = "blob:http://example.com".into_url().unwrap();
112
113            assert_eq!(url.as_str(), "blob:http://example.com");
114        }
115    }
116}