2018-07-04 17:01:27 +02:00
|
|
|
use bytes::BytesMut;
|
2018-04-14 01:02:01 +02:00
|
|
|
use futures::{Future, Poll, Stream};
|
2017-12-21 05:30:54 +01:00
|
|
|
use http::header::CONTENT_LENGTH;
|
2018-04-14 01:02:01 +02:00
|
|
|
use std::fmt;
|
|
|
|
use std::ops::{Deref, DerefMut};
|
2017-12-21 05:30:54 +01:00
|
|
|
|
2018-03-10 19:27:29 +01:00
|
|
|
use mime;
|
2017-12-21 05:30:54 +01:00
|
|
|
use serde::de::DeserializeOwned;
|
2018-04-14 01:02:01 +02:00
|
|
|
use serde_json;
|
2017-12-21 02:51:28 +01:00
|
|
|
|
2018-10-05 06:14:18 +02:00
|
|
|
use error::JsonPayloadError;
|
2018-02-28 00:03:28 +01:00
|
|
|
use httpmessage::HttpMessage;
|
2017-12-21 02:51:28 +01:00
|
|
|
|
2018-03-29 19:44:26 +02:00
|
|
|
/// Json helper
|
2017-12-21 02:51:28 +01:00
|
|
|
///
|
2018-04-14 01:02:01 +02:00
|
|
|
/// Json can be used for two different purpose. First is for json response
|
|
|
|
/// generation and second is for extracting typed information from request's
|
|
|
|
/// payload.
|
|
|
|
///
|
|
|
|
/// To extract typed information from request's body, the type `T` must
|
|
|
|
/// implement the `Deserialize` trait from *serde*.
|
|
|
|
///
|
|
|
|
/// [**JsonConfig**](dev/struct.JsonConfig.html) allows to configure extraction
|
|
|
|
/// process.
|
|
|
|
///
|
|
|
|
/// ## Example
|
|
|
|
///
|
2018-10-05 06:14:18 +02:00
|
|
|
/// ```rust,ignore
|
2018-06-01 19:27:23 +02:00
|
|
|
/// # extern crate actix_web;
|
|
|
|
/// #[macro_use] extern crate serde_derive;
|
2018-04-14 01:02:01 +02:00
|
|
|
/// use actix_web::{App, Json, Result, http};
|
|
|
|
///
|
2018-06-01 19:27:23 +02:00
|
|
|
/// #[derive(Deserialize)]
|
2018-04-14 01:02:01 +02:00
|
|
|
/// struct Info {
|
|
|
|
/// username: String,
|
|
|
|
/// }
|
|
|
|
///
|
|
|
|
/// /// deserialize `Info` from request's body
|
|
|
|
/// fn index(info: Json<Info>) -> Result<String> {
|
|
|
|
/// Ok(format!("Welcome {}!", info.username))
|
|
|
|
/// }
|
|
|
|
///
|
|
|
|
/// fn main() {
|
|
|
|
/// let app = App::new().resource(
|
|
|
|
/// "/index.html",
|
|
|
|
/// |r| r.method(http::Method::POST).with(index)); // <- use `with` extractor
|
|
|
|
/// }
|
|
|
|
/// ```
|
|
|
|
///
|
|
|
|
/// The `Json` type allows you to respond with well-formed JSON data: simply
|
|
|
|
/// return a value of type Json<T> where T is the type of a structure
|
|
|
|
/// to serialize into *JSON*. The type `T` must implement the `Serialize`
|
|
|
|
/// trait from *serde*.
|
|
|
|
///
|
2018-10-05 06:14:18 +02:00
|
|
|
/// ```rust,ignore
|
2018-04-14 01:02:01 +02:00
|
|
|
/// # extern crate actix_web;
|
|
|
|
/// # #[macro_use] extern crate serde_derive;
|
|
|
|
/// # use actix_web::*;
|
|
|
|
/// #
|
|
|
|
/// #[derive(Serialize)]
|
|
|
|
/// struct MyObj {
|
|
|
|
/// name: String,
|
|
|
|
/// }
|
|
|
|
///
|
|
|
|
/// fn index(req: HttpRequest) -> Result<Json<MyObj>> {
|
2018-06-01 18:37:14 +02:00
|
|
|
/// Ok(Json(MyObj {
|
|
|
|
/// name: req.match_info().query("name")?,
|
|
|
|
/// }))
|
2018-04-14 01:02:01 +02:00
|
|
|
/// }
|
|
|
|
/// # fn main() {}
|
|
|
|
/// ```
|
2018-04-03 01:19:18 +02:00
|
|
|
pub struct Json<T>(pub T);
|
|
|
|
|
2018-04-13 00:55:15 +02:00
|
|
|
impl<T> Json<T> {
|
|
|
|
/// Deconstruct to an inner value
|
|
|
|
pub fn into_inner(self) -> T {
|
|
|
|
self.0
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-04-03 01:19:18 +02:00
|
|
|
impl<T> Deref for Json<T> {
|
|
|
|
type Target = T;
|
|
|
|
|
|
|
|
fn deref(&self) -> &T {
|
|
|
|
&self.0
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl<T> DerefMut for Json<T> {
|
|
|
|
fn deref_mut(&mut self) -> &mut T {
|
|
|
|
&mut self.0
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-04-14 01:02:01 +02:00
|
|
|
impl<T> fmt::Debug for Json<T>
|
|
|
|
where
|
|
|
|
T: fmt::Debug,
|
|
|
|
{
|
2018-04-03 01:19:18 +02:00
|
|
|
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
|
|
|
|
write!(f, "Json: {:?}", self.0)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-04-14 01:02:01 +02:00
|
|
|
impl<T> fmt::Display for Json<T>
|
|
|
|
where
|
|
|
|
T: fmt::Display,
|
|
|
|
{
|
2018-04-03 01:19:18 +02:00
|
|
|
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
|
|
|
|
fmt::Display::fmt(&self.0, f)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2017-12-21 05:30:54 +01:00
|
|
|
/// Request payload json parser that resolves to a deserialized `T` value.
|
|
|
|
///
|
|
|
|
/// Returns error:
|
|
|
|
///
|
|
|
|
/// * content type is not `application/json`
|
|
|
|
/// * content length is greater than 256k
|
|
|
|
///
|
2018-02-28 00:03:28 +01:00
|
|
|
/// # Server example
|
|
|
|
///
|
2018-10-05 06:14:18 +02:00
|
|
|
/// ```rust,ignore
|
2017-12-21 05:30:54 +01:00
|
|
|
/// # extern crate actix_web;
|
|
|
|
/// # extern crate futures;
|
|
|
|
/// # #[macro_use] extern crate serde_derive;
|
2018-06-01 18:37:14 +02:00
|
|
|
/// use actix_web::{AsyncResponder, Error, HttpMessage, HttpRequest, HttpResponse};
|
2017-12-21 05:30:54 +01:00
|
|
|
/// use futures::future::Future;
|
|
|
|
///
|
|
|
|
/// #[derive(Deserialize, Debug)]
|
|
|
|
/// struct MyObj {
|
|
|
|
/// name: String,
|
|
|
|
/// }
|
|
|
|
///
|
2018-06-01 18:37:14 +02:00
|
|
|
/// fn index(mut req: HttpRequest) -> Box<Future<Item = HttpResponse, Error = Error>> {
|
2017-12-21 05:30:54 +01:00
|
|
|
/// req.json() // <- get JsonBody future
|
|
|
|
/// .from_err()
|
|
|
|
/// .and_then(|val: MyObj| { // <- deserialized value
|
|
|
|
/// println!("==== BODY ==== {:?}", val);
|
2018-03-31 08:07:33 +02:00
|
|
|
/// Ok(HttpResponse::Ok().into())
|
2017-12-21 05:30:54 +01:00
|
|
|
/// }).responder()
|
|
|
|
/// }
|
|
|
|
/// # fn main() {}
|
|
|
|
/// ```
|
2018-06-25 06:58:04 +02:00
|
|
|
pub struct JsonBody<T: HttpMessage, U: DeserializeOwned> {
|
2017-12-21 05:30:54 +01:00
|
|
|
limit: usize,
|
2018-06-25 06:58:04 +02:00
|
|
|
length: Option<usize>,
|
|
|
|
stream: Option<T::Stream>,
|
|
|
|
err: Option<JsonPayloadError>,
|
2018-04-14 01:02:01 +02:00
|
|
|
fut: Option<Box<Future<Item = U, Error = JsonPayloadError>>>,
|
2017-12-21 05:30:54 +01:00
|
|
|
}
|
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
impl<T: HttpMessage, U: DeserializeOwned> JsonBody<T, U> {
|
2017-12-21 05:56:17 +01:00
|
|
|
/// Create `JsonBody` for request.
|
2018-06-25 06:58:04 +02:00
|
|
|
pub fn new(req: &T) -> Self {
|
|
|
|
// check content-type
|
|
|
|
let json = if let Ok(Some(mime)) = req.mime_type() {
|
|
|
|
mime.subtype() == mime::JSON || mime.suffix() == Some(mime::JSON)
|
|
|
|
} else {
|
|
|
|
false
|
|
|
|
};
|
|
|
|
if !json {
|
|
|
|
return JsonBody {
|
|
|
|
limit: 262_144,
|
|
|
|
length: None,
|
|
|
|
stream: None,
|
|
|
|
fut: None,
|
|
|
|
err: Some(JsonPayloadError::ContentType),
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
|
|
|
let mut len = None;
|
|
|
|
if let Some(l) = req.headers().get(CONTENT_LENGTH) {
|
|
|
|
if let Ok(s) = l.to_str() {
|
|
|
|
if let Ok(l) = s.parse::<usize>() {
|
|
|
|
len = Some(l)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-04-14 01:02:01 +02:00
|
|
|
JsonBody {
|
2017-12-21 05:30:54 +01:00
|
|
|
limit: 262_144,
|
2018-06-25 06:58:04 +02:00
|
|
|
length: len,
|
|
|
|
stream: Some(req.payload()),
|
2017-12-21 05:30:54 +01:00
|
|
|
fut: None,
|
2018-06-25 06:58:04 +02:00
|
|
|
err: None,
|
2017-12-21 05:30:54 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
/// Change max size of payload. By default max size is 256Kb
|
|
|
|
pub fn limit(mut self, limit: usize) -> Self {
|
|
|
|
self.limit = limit;
|
|
|
|
self
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
impl<T: HttpMessage + 'static, U: DeserializeOwned + 'static> Future for JsonBody<T, U> {
|
2018-02-28 00:03:28 +01:00
|
|
|
type Item = U;
|
2017-12-21 05:30:54 +01:00
|
|
|
type Error = JsonPayloadError;
|
|
|
|
|
2018-02-28 00:03:28 +01:00
|
|
|
fn poll(&mut self) -> Poll<U, JsonPayloadError> {
|
2018-06-25 06:58:04 +02:00
|
|
|
if let Some(ref mut fut) = self.fut {
|
|
|
|
return fut.poll();
|
|
|
|
}
|
2018-03-10 19:27:29 +01:00
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
if let Some(err) = self.err.take() {
|
|
|
|
return Err(err);
|
|
|
|
}
|
2017-12-21 05:30:54 +01:00
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
let limit = self.limit;
|
|
|
|
if let Some(len) = self.length.take() {
|
|
|
|
if len > limit {
|
|
|
|
return Err(JsonPayloadError::Overflow);
|
|
|
|
}
|
2017-12-21 05:30:54 +01:00
|
|
|
}
|
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
let fut = self
|
|
|
|
.stream
|
|
|
|
.take()
|
2018-04-29 18:09:08 +02:00
|
|
|
.expect("JsonBody could not be used second time")
|
2018-06-25 06:58:04 +02:00
|
|
|
.from_err()
|
2018-07-15 20:40:22 +02:00
|
|
|
.fold(BytesMut::with_capacity(8192), move |mut body, chunk| {
|
2018-06-25 06:58:04 +02:00
|
|
|
if (body.len() + chunk.len()) > limit {
|
|
|
|
Err(JsonPayloadError::Overflow)
|
|
|
|
} else {
|
|
|
|
body.extend_from_slice(&chunk);
|
|
|
|
Ok(body)
|
|
|
|
}
|
2018-08-23 18:48:01 +02:00
|
|
|
}).and_then(|body| Ok(serde_json::from_slice::<U>(&body)?));
|
2018-06-25 06:58:04 +02:00
|
|
|
self.fut = Some(Box::new(fut));
|
|
|
|
self.poll()
|
2017-12-21 05:30:54 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2017-12-21 02:51:28 +01:00
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
|
|
|
use super::*;
|
2017-12-21 05:30:54 +01:00
|
|
|
use bytes::Bytes;
|
|
|
|
use futures::Async;
|
2018-04-14 01:02:01 +02:00
|
|
|
use http::header;
|
2017-12-21 05:30:54 +01:00
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
use test::TestRequest;
|
2018-03-27 08:10:31 +02:00
|
|
|
|
2017-12-21 05:30:54 +01:00
|
|
|
impl PartialEq for JsonPayloadError {
|
|
|
|
fn eq(&self, other: &JsonPayloadError) -> bool {
|
|
|
|
match *self {
|
|
|
|
JsonPayloadError::Overflow => match *other {
|
|
|
|
JsonPayloadError::Overflow => true,
|
|
|
|
_ => false,
|
|
|
|
},
|
|
|
|
JsonPayloadError::ContentType => match *other {
|
|
|
|
JsonPayloadError::ContentType => true,
|
|
|
|
_ => false,
|
|
|
|
},
|
|
|
|
_ => false,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
2017-12-21 02:51:28 +01:00
|
|
|
|
2017-12-21 05:30:54 +01:00
|
|
|
#[derive(Serialize, Deserialize, PartialEq, Debug)]
|
|
|
|
struct MyObject {
|
|
|
|
name: String,
|
2017-12-21 02:51:28 +01:00
|
|
|
}
|
|
|
|
|
2017-12-21 05:30:54 +01:00
|
|
|
#[test]
|
|
|
|
fn test_json_body() {
|
2018-06-25 06:58:04 +02:00
|
|
|
let req = TestRequest::default().finish();
|
2017-12-21 05:30:54 +01:00
|
|
|
let mut json = req.json::<MyObject>();
|
2018-05-17 21:20:20 +02:00
|
|
|
assert_eq!(json.poll().err().unwrap(), JsonPayloadError::ContentType);
|
2017-12-21 05:30:54 +01:00
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
let req = TestRequest::default()
|
|
|
|
.header(
|
|
|
|
header::CONTENT_TYPE,
|
|
|
|
header::HeaderValue::from_static("application/text"),
|
2018-08-23 18:48:01 +02:00
|
|
|
).finish();
|
2018-03-10 19:42:46 +01:00
|
|
|
let mut json = req.json::<MyObject>();
|
2018-05-17 21:20:20 +02:00
|
|
|
assert_eq!(json.poll().err().unwrap(), JsonPayloadError::ContentType);
|
2017-12-21 05:30:54 +01:00
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
let req = TestRequest::default()
|
|
|
|
.header(
|
|
|
|
header::CONTENT_TYPE,
|
|
|
|
header::HeaderValue::from_static("application/json"),
|
2018-08-23 18:48:01 +02:00
|
|
|
).header(
|
2018-06-25 06:58:04 +02:00
|
|
|
header::CONTENT_LENGTH,
|
|
|
|
header::HeaderValue::from_static("10000"),
|
2018-08-23 18:48:01 +02:00
|
|
|
).finish();
|
2018-02-26 03:55:07 +01:00
|
|
|
let mut json = req.json::<MyObject>().limit(100);
|
2017-12-21 05:30:54 +01:00
|
|
|
assert_eq!(json.poll().err().unwrap(), JsonPayloadError::Overflow);
|
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
let req = TestRequest::default()
|
|
|
|
.header(
|
|
|
|
header::CONTENT_TYPE,
|
|
|
|
header::HeaderValue::from_static("application/json"),
|
2018-08-23 18:48:01 +02:00
|
|
|
).header(
|
2018-06-25 06:58:04 +02:00
|
|
|
header::CONTENT_LENGTH,
|
|
|
|
header::HeaderValue::from_static("16"),
|
2018-08-23 18:48:01 +02:00
|
|
|
).set_payload(Bytes::from_static(b"{\"name\": \"test\"}"))
|
2018-06-25 06:58:04 +02:00
|
|
|
.finish();
|
|
|
|
|
2017-12-21 05:30:54 +01:00
|
|
|
let mut json = req.json::<MyObject>();
|
2018-04-14 01:02:01 +02:00
|
|
|
assert_eq!(
|
|
|
|
json.poll().ok().unwrap(),
|
|
|
|
Async::Ready(MyObject {
|
|
|
|
name: "test".to_owned()
|
|
|
|
})
|
|
|
|
);
|
2018-03-27 08:10:31 +02:00
|
|
|
}
|
2017-12-21 02:51:28 +01:00
|
|
|
}
|