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
use std::net::{IpAddr, Ipv4Addr, Ipv6Addr, SocketAddrV4, SocketAddrV6, SocketAddr}; use std::str::FromStr; use http::RawStr; /// Trait to create instance of some type from a form value; expected from field /// types in structs deriving `FromForm`. /// /// When deriving the `FromForm` trait, Rocket uses the `FromFormValue` /// implementation of each field's type to validate the form input. To /// illustrate, consider the following structure: /// /// ```rust,ignore /// #[derive(FromForm)] /// struct Person { /// name: String, /// age: u16 /// } /// ``` /// /// The `FromForm` implementation generated by Rocket will call /// `String::from_form_value` for the `name` field, and `u16::from_form_value` /// for the `age` field. The `Person` structure can only be created from a form /// if both calls return successfully. /// /// ## Catching Validation Errors /// /// Sometimes you want to be informed of validation errors. When this is /// desired, types of `Option<T>` or `Result<T, T::Error>` can be used. These /// types implement `FromFormValue` themselves. Their implementations always /// return successfully, so their validation never fails. They can be used to /// determine if the `from_form_value` call failed and to retrieve the error /// value from the failed call. /// /// For instance, if we wanted to know if a user entered an invalid `age` in the /// form corresponding to the `Person` structure above, we could use the /// following structure: /// /// ```rust /// # use rocket::http::RawStr; /// # #[allow(dead_code)] /// struct Person<'r> { /// name: String, /// age: Result<u16, &'r RawStr> /// } /// ``` /// /// The `Err` value in this case is `&RawStr` since `u16::from_form_value` /// returns a `Result<u16, &RawStr>`. /// /// # Provided Implementations /// /// Rocket implements `FromFormValue` for many standard library types. Their /// behavior is documented here. /// /// * **f32, f64, isize, i8, i16, i32, i64, usize, u8, u16, u32, u64 /// IpAddr, Ipv4Addr, Ipv6Addr, SocketAddrV4, SocketAddrV6, SocketAddr** /// /// A value is validated successfully if the `from_str` method for the given /// type returns successfully. Otherwise, the raw form value is returned as /// the `Err` value. /// /// * **bool** /// /// A value is validated successfully as `true` if the the form value is /// `"true"` or `"on"`, and as a `false` value if the form value is /// `"false"`, `"off"`, or not present. In any other case, the raw form /// value is returned in the `Err` value. /// /// * **&[RawStr](/rocket/http/struct.RawStr.html)** /// /// _This implementation always returns successfully._ /// /// The raw, undecoded string is returned directly without modification. /// /// * **String** /// /// URL decodes the form value. If the decode is successful, the decoded /// string is returned. Otherwise, an `Err` with the original form value is /// returned. /// /// * **Option<T>** _where_ **T: FromFormValue** /// /// _This implementation always returns successfully._ /// /// The form value is validated by `T`'s `FromFormValue` implementation. If /// the validation succeeds, a `Some(validated_value)` is returned. /// Otherwise, a `None` is returned. /// /// * **Result<T, T::Error>** _where_ **T: FromFormValue** /// /// _This implementation always returns successfully._ /// /// The from value is validated by `T`'s `FromFormvalue` implementation. The /// returned `Result` value is returned. /// /// # Example /// /// This trait is generally implemented to parse and validate form values. While /// Rocket provides parsing and validation for many of the standard library /// types such as `u16` and `String`, you can implement `FromFormValue` for a /// custom type to get custom validation. /// /// Imagine you'd like to verify that some user is over some age in a form. You /// might define a new type and implement `FromFormValue` as follows: /// /// ```rust /// use rocket::request::FromFormValue; /// use rocket::http::RawStr; /// /// struct AdultAge(usize); /// /// impl<'v> FromFormValue<'v> for AdultAge { /// type Error = &'v RawStr; /// /// fn from_form_value(form_value: &'v RawStr) -> Result<AdultAge, &'v RawStr> { /// match form_value.parse::<usize>() { /// Ok(age) if age >= 21 => Ok(AdultAge(age)), /// _ => Err(form_value), /// } /// } /// } /// ``` /// /// The type can then be used in a `FromForm` struct as follows: /// /// ```rust,ignore /// #[derive(FromForm)] /// struct Person { /// name: String, /// age: AdultAge /// } /// ``` /// /// A form using the `Person` structure as its target will only parse and /// validate if the `age` field contains a `usize` greater than `21`. pub trait FromFormValue<'v>: Sized { /// The associated error which can be returned from parsing. It is a good /// idea to have the return type be or contain an `&'v str` so that the /// unparseable string can be examined after a bad parse. type Error; /// Parses an instance of `Self` from an HTTP form field value or returns an /// `Error` if one cannot be parsed. fn from_form_value(form_value: &'v RawStr) -> Result<Self, Self::Error>; /// Returns a default value to be used when the form field does not exist. /// If this returns `None`, then the field is required. Otherwise, this /// should return `Some(default_value)`. The default implementation simply /// returns `None`. #[inline(always)] fn default() -> Option<Self> { None } } impl<'v> FromFormValue<'v> for &'v RawStr { type Error = !; // This just gives the raw string. #[inline(always)] fn from_form_value(v: &'v RawStr) -> Result<Self, Self::Error> { Ok(v) } } impl<'v> FromFormValue<'v> for String { type Error = &'v RawStr; // This actually parses the value according to the standard. #[inline(always)] fn from_form_value(v: &'v RawStr) -> Result<Self, Self::Error> { v.url_decode().map_err(|_| v) } } impl<'v> FromFormValue<'v> for bool { type Error = &'v RawStr; fn from_form_value(v: &'v RawStr) -> Result<Self, Self::Error> { match v.as_str() { "on" | "true" => Ok(true), "off" | "false" => Ok(false), _ => Err(v), } } #[inline(always)] fn default() -> Option<bool> { Some(false) } } macro_rules! impl_with_fromstr { ($($T:ident),+) => ($( impl<'v> FromFormValue<'v> for $T { type Error = &'v RawStr; #[inline(always)] fn from_form_value(v: &'v RawStr) -> Result<Self, Self::Error> { $T::from_str(v.as_str()).map_err(|_| v) } } )+) } impl_with_fromstr!(f32, f64, isize, i8, i16, i32, i64, usize, u8, u16, u32, u64, IpAddr, Ipv4Addr, Ipv6Addr, SocketAddrV4, SocketAddrV6, SocketAddr); impl<'v, T: FromFormValue<'v>> FromFormValue<'v> for Option<T> { type Error = !; #[inline(always)] fn from_form_value(v: &'v RawStr) -> Result<Self, Self::Error> { match T::from_form_value(v) { Ok(v) => Ok(Some(v)), Err(_) => Ok(None), } } #[inline(always)] fn default() -> Option<Option<T>> { Some(None) } } // // TODO: Add more useful implementations (range, regex, etc.). impl<'v, T: FromFormValue<'v>> FromFormValue<'v> for Result<T, T::Error> { type Error = !; #[inline(always)] fn from_form_value(v: &'v RawStr) -> Result<Self, Self::Error> { match T::from_form_value(v) { ok@Ok(_) => Ok(ok), e@Err(_) => Ok(e), } } }