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 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365
use std::ops::{Deref, DerefMut}; use std::borrow::Cow; use std::convert::AsRef; use std::cmp::Ordering; use std::str::Utf8Error; use std::fmt; use url; use http::uncased::UncasedStr; /// A reference to a string inside of a raw HTTP message. /// /// A `RawStr` is an unsanitzed, unvalidated, and undecoded raw string from an /// HTTP message. It exists to separate validated string inputs, represented by /// the `String`, `&str`, and `Cow<str>` types, from unvalidated inputs, /// represented by `&RawStr`. /// /// # Validation /// /// An `&RawStr` should be converted into one of the validated string input /// types through methods on `RawStr`. These methods are summarized below: /// /// * **[`url_decode`]** - used to decode a raw string in a form value context /// * **[`percent_decode`], [`percent_decode_lossy`]** - used to /// percent-decode a raw string, typically in a URL context /// * **[`html_escape`]** - used to decode a string for use in HTML templates /// * **[`as_str`]** - used when the `RawStr` is known to be safe in the /// context of its intended use. Use sparingly and with care! /// * **[`as_uncased_str`]** - used when the `RawStr` is known to be safe in /// the context of its intended, uncased use /// /// [`as_str`]: /rocket/http/struct.RawStr.html#method.as_str /// [`as_uncased_str`]: /rocket/http/struct.RawStr.html#method.as_uncased_str /// [`url_decode`]: /rocket/http/struct.RawStr.html#method.url_decode /// [`html_escape`]: /rocket/http/struct.RawStr.html#method.html_escape /// [`percent_decode`]: /rocket/http/struct.RawStr.html#method.percent_decode /// [`percent_decode_lossy`]: /rocket/http/struct.RawStr.html#method.percent_decode_lossy /// /// # Usage /// /// A `RawStr` is a dynamically sized type (just like `str`). It is always used /// through a reference an as `&RawStr` (just like &str). You'll likely /// encounted an `&RawStr` as a parameter via [`FromParam`] or as a form value /// via [`FromFormValue`]. /// /// [`FromParam`]: /rocket/request/trait.FromParam.html /// [`FromFormValue`]: /rocket/request/trait.FromFormValue.html #[repr(C)] #[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Hash)] pub struct RawStr(str); impl RawStr { /// Constructs an `&RawStr` from an `&str` at no cost. /// /// # Example /// /// ```rust /// use rocket::http::RawStr; /// /// let raw_str = RawStr::from_str("Hello, world!"); /// /// // `into` can also be used; note that the type must be specified /// let raw_str: &RawStr = "Hello, world!".into(); /// ``` #[inline(always)] pub fn from_str<'a>(string: &'a str) -> &'a RawStr { string.into() } /// Returns a percent-decoded version of the string. /// /// # Errors /// /// Returns an `Err` if the percent encoded values are not valid UTF-8. /// /// # Example /// /// With a valid string: /// /// ```rust /// use rocket::http::RawStr; /// /// let raw_str = RawStr::from_str("Hello%21"); /// let decoded = raw_str.percent_decode(); /// assert_eq!(decoded, Ok("Hello!".into())); /// ``` /// /// With an invalid string: /// /// ```rust /// use rocket::http::RawStr; /// /// // Note: Rocket should never hand you a bad `&RawStr`. /// let bad_str = unsafe { ::std::str::from_utf8_unchecked(b"a=\xff") }; /// let bad_raw_str = RawStr::from_str(bad_str); /// assert!(bad_raw_str.percent_decode().is_err()); /// ``` #[inline(always)] pub fn percent_decode(&self) -> Result<Cow<str>, Utf8Error> { url::percent_encoding::percent_decode(self.as_bytes()).decode_utf8() } /// Returns a percent-decoded version of the string. Any invalid UTF-8 /// percent-encoded byte sequences will be replaced � U+FFFD, the /// replacement character. /// /// # Example /// /// With a valid string: /// /// ```rust /// use rocket::http::RawStr; /// /// let raw_str = RawStr::from_str("Hello%21"); /// let decoded = raw_str.percent_decode_lossy(); /// assert_eq!(decoded, "Hello!"); /// ``` /// /// With an invalid string: /// /// ```rust /// use rocket::http::RawStr; /// /// // Note: Rocket should never hand you a bad `&RawStr`. /// let bad_str = unsafe { ::std::str::from_utf8_unchecked(b"a=\xff") }; /// let bad_raw_str = RawStr::from_str(bad_str); /// assert_eq!(bad_raw_str.percent_decode_lossy(), "a=�"); /// ``` #[inline(always)] pub fn percent_decode_lossy(&self) -> Cow<str> { url::percent_encoding::percent_decode(self.as_bytes()).decode_utf8_lossy() } /// Returns a URL-decoded version of the string. This is identical to /// percent decoding except that `+` characters are converted into spaces. /// This is the encoding used by form values. /// /// # Errors /// /// Returns an `Err` if the percent encoded values are not valid UTF-8. /// /// # Example /// /// ```rust /// use rocket::http::RawStr; /// /// let raw_str: &RawStr = "Hello%2C+world%21".into(); /// let decoded = raw_str.url_decode(); /// assert_eq!(decoded, Ok("Hello, world!".to_string())); /// ``` pub fn url_decode(&self) -> Result<String, Utf8Error> { let replaced = self.replace("+", " "); RawStr::from_str(replaced.as_str()) .percent_decode() .map(|cow| cow.into_owned()) } /// Returns an HTML escaped version of `self`. Allocates only when /// characters need to be escaped. /// /// The following characters are escaped: `&`, `<`, `>`, `"`, `'`, `/`, /// <code>`</code>. **This suffices as long as the escaped string is not /// used in an execution context such as inside of <script> or <style> /// tags!** See the [OWASP XSS Prevention Rules] for more information. /// /// [OWASP XSS Prevention Rules]: https://www.owasp.org/index.php/XSS_%28Cross_Site_Scripting%29_Prevention_Cheat_Sheet#XSS_Prevention_Rules /// /// # Example /// /// Strings with HTML sequences are escaped: /// /// ```rust /// use rocket::http::RawStr; /// /// let raw_str: &RawStr = "<b>Hi!</b>".into(); /// let escaped = raw_str.html_escape(); /// assert_eq!(escaped, "<b>Hi!</b>"); /// /// let raw_str: &RawStr = "Hello, <i>world!</i>".into(); /// let escaped = raw_str.html_escape(); /// assert_eq!(escaped, "Hello, <i>world!</i>"); /// ``` /// /// Strings without HTML sequences remain untouched: /// /// ```rust /// use rocket::http::RawStr; /// /// let raw_str: &RawStr = "Hello!".into(); /// let escaped = raw_str.html_escape(); /// assert_eq!(escaped, "Hello!"); /// /// let raw_str: &RawStr = "大阪".into(); /// let escaped = raw_str.html_escape(); /// assert_eq!(escaped, "大阪"); /// ``` pub fn html_escape(&self) -> Cow<str> { let mut escaped = false; let mut allocated = Vec::new(); // this is allocation free for c in self.as_bytes() { match *c { b'&' | b'<' | b'>' | b'"' | b'\'' | b'/' | b'`' => { if !escaped { let i = (c as *const u8 as usize) - (self.as_ptr() as usize); allocated = Vec::with_capacity(self.len() * 2); allocated.extend_from_slice(&self.as_bytes()[..i]); } match *c { b'&' => allocated.extend_from_slice(b"&"), b'<' => allocated.extend_from_slice(b"<"), b'>' => allocated.extend_from_slice(b">"), b'"' => allocated.extend_from_slice(b"""), b'\'' => allocated.extend_from_slice(b"'"), b'/' => allocated.extend_from_slice(b"/"), // Old versions of IE treat a ` as a '. b'`' => allocated.extend_from_slice(b"`"), _ => unreachable!() } escaped = true; } _ if escaped => allocated.push(*c), _ => { } } } if escaped { unsafe { Cow::Owned(String::from_utf8_unchecked(allocated)) } } else { Cow::Borrowed(self.as_str()) } } /// Converts `self` into an `&str`. /// /// This method should be used sparingly. **Only use this method when you /// are absolutely certain that doing so is safe.** /// /// # Example /// /// ```rust /// use rocket::http::RawStr; /// /// let raw_str = RawStr::from_str("Hello, world!"); /// assert_eq!(raw_str.as_str(), "Hello, world!"); /// ``` #[inline(always)] pub fn as_str(&self) -> &str { self } /// Converts `self` into an `&UncasedStr`. /// /// This method should be used sparingly. **Only use this method when you /// are absolutely certain that doing so is safe.** /// /// # Example /// /// ```rust /// use rocket::http::RawStr; /// /// let raw_str = RawStr::from_str("Content-Type"); /// assert!(raw_str.as_uncased_str() == "content-TYPE"); /// ``` #[inline(always)] pub fn as_uncased_str(&self) -> &UncasedStr { self.as_str().into() } } impl<'a> From<&'a str> for &'a RawStr { #[inline(always)] fn from(string: &'a str) -> &'a RawStr { unsafe { &*(string as *const str as *const RawStr) } } } impl PartialEq<str> for RawStr { #[inline(always)] fn eq(&self, other: &str) -> bool { self.as_str() == other } } impl PartialEq<String> for RawStr { #[inline(always)] fn eq(&self, other: &String) -> bool { self.as_str() == other.as_str() } } impl<'a> PartialEq<String> for &'a RawStr { #[inline(always)] fn eq(&self, other: &String) -> bool { self.as_str() == other.as_str() } } impl PartialOrd<str> for RawStr { #[inline(always)] fn partial_cmp(&self, other: &str) -> Option<Ordering> { (self as &str).partial_cmp(other) } } impl AsRef<str> for RawStr { #[inline(always)] fn as_ref(&self) -> &str { self } } impl AsRef<[u8]> for RawStr { #[inline(always)] fn as_ref(&self) -> &[u8] { self.as_bytes() } } impl ToString for RawStr { #[inline(always)] fn to_string(&self) -> String { String::from(self.as_str()) } } impl Deref for RawStr { type Target = str; #[inline(always)] fn deref(&self) -> &str { &self.0 } } impl DerefMut for RawStr { #[inline(always)] fn deref_mut(&mut self) -> &mut str { &mut self.0 } } impl fmt::Display for RawStr { #[inline(always)] fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { self.0.fmt(f) } } #[cfg(test)] mod tests { use super::RawStr; #[test] fn can_compare() { let raw_str = RawStr::from_str("abc"); assert_eq!(raw_str, "abc"); assert_eq!("abc", raw_str.as_str()); assert_eq!(raw_str, RawStr::from_str("abc")); assert_eq!(raw_str, "abc".to_string()); assert_eq!("abc".to_string(), raw_str.as_str()); } }