1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-10-11 04:32:28 +00:00
actix-web/src/json.rs

314 lines
9.5 KiB
Rust
Raw Normal View History

2018-03-27 06:10:31 +00:00
use std::fmt;
use std::ops::{Deref, DerefMut};
use bytes::{Bytes, BytesMut};
2017-12-21 04:30:54 +00:00
use futures::{Poll, Future, Stream};
use http::header::CONTENT_LENGTH;
2018-03-10 18:27:29 +00:00
use mime;
2017-12-21 01:51:28 +00:00
use serde_json;
use serde::Serialize;
2017-12-21 04:30:54 +00:00
use serde::de::DeserializeOwned;
2017-12-21 01:51:28 +00:00
use error::{Error, JsonPayloadError, PayloadError};
use handler::{Responder, FromRequest};
2018-04-04 00:37:17 +00:00
use http::StatusCode;
use httpmessage::HttpMessage;
2017-12-21 01:51:28 +00:00
use httprequest::HttpRequest;
use httpresponse::HttpResponse;
/// Json helper
2017-12-21 01:51:28 +00: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.
2018-04-02 23:19:18 +00:00
pub struct Json<T>(pub T);
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
}
}
impl<T> fmt::Debug for Json<T> where T: fmt::Debug {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "Json: {:?}", self.0)
}
}
impl<T> fmt::Display for Json<T> where T: fmt::Display {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
fmt::Display::fmt(&self.0, f)
}
}
/// 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*.
2017-12-21 01:51:28 +00:00
///
/// ```rust
/// # extern crate actix_web;
/// # #[macro_use] extern crate serde_derive;
/// # use actix_web::*;
2018-04-02 23:19:18 +00:00
/// #
2017-12-21 01:51:28 +00:00
/// #[derive(Serialize)]
/// struct MyObj {
/// name: String,
/// }
///
/// fn index(req: HttpRequest) -> Result<Json<MyObj>> {
/// Ok(Json(MyObj{name: req.match_info().query("name")?}))
/// }
/// # fn main() {}
/// ```
2018-04-02 23:19:18 +00:00
impl<T: Serialize> Responder for Json<T> {
type Item = HttpResponse;
type Error = Error;
2018-04-04 00:37:17 +00:00
fn respond_to(self, req: HttpRequest) -> Result<HttpResponse, Error> {
2018-04-02 23:19:18 +00:00
let body = serde_json::to_string(&self.0)?;
2018-04-04 00:37:17 +00:00
Ok(req.build_response(StatusCode::OK)
2018-04-02 23:19:18 +00:00
.content_type("application/json")
.body(body))
}
}
/// To extract typed information from request's body, the type `T` must implement the
/// `Deserialize` trait from *serde*.
///
/// ## Example
///
/// ```rust
/// # extern crate actix_web;
/// #[macro_use] extern crate serde_derive;
2018-03-31 07:16:55 +00:00
/// use actix_web::{App, Json, Result, http};
///
/// #[derive(Deserialize)]
/// struct Info {
/// username: String,
/// }
///
2018-04-02 21:00:18 +00:00
/// /// deserialize `Info` from request's body
/// fn index(info: Json<Info>) -> Result<String> {
/// Ok(format!("Welcome {}!", info.username))
/// }
///
/// fn main() {
2018-03-31 07:16:55 +00:00
/// let app = App::new().resource(
/// "/index.html",
2018-03-31 00:31:18 +00:00
/// |r| r.method(http::Method::POST).with(index)); // <- use `with` extractor
/// }
/// ```
impl<T, S> FromRequest<S> for Json<T>
2018-03-28 03:33:24 +00:00
where T: DeserializeOwned + 'static, S: 'static
2018-03-27 06:10:31 +00:00
{
type Result = Box<Future<Item=Self, Error=Error>>;
#[inline]
fn from_request(req: &HttpRequest<S>) -> Self::Result {
2018-03-27 06:10:31 +00:00
Box::new(
JsonBody::new(req.clone())
.from_err()
.map(Json))
}
}
2017-12-21 04:30:54 +00: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
///
/// # Server example
///
2017-12-21 04:30:54 +00:00
/// ```rust
/// # extern crate actix_web;
/// # extern crate futures;
/// # #[macro_use] extern crate serde_derive;
/// use futures::future::Future;
2018-03-31 07:16:55 +00:00
/// use actix_web::{AsyncResponder, HttpRequest, HttpResponse, HttpMessage, Error};
2017-12-21 04:30:54 +00:00
///
/// #[derive(Deserialize, Debug)]
/// struct MyObj {
/// name: String,
/// }
///
/// fn index(mut req: HttpRequest) -> Box<Future<Item=HttpResponse, Error=Error>> {
/// req.json() // <- get JsonBody future
/// .from_err()
/// .and_then(|val: MyObj| { // <- deserialized value
/// println!("==== BODY ==== {:?}", val);
/// Ok(HttpResponse::Ok().into())
2017-12-21 04:30:54 +00:00
/// }).responder()
/// }
/// # fn main() {}
/// ```
pub struct JsonBody<T, U: DeserializeOwned>{
2017-12-21 04:30:54 +00:00
limit: usize,
req: Option<T>,
fut: Option<Box<Future<Item=U, Error=JsonPayloadError>>>,
2017-12-21 04:30:54 +00:00
}
impl<T, U: DeserializeOwned> JsonBody<T, U> {
2017-12-21 04:30:54 +00:00
2017-12-21 04:56:17 +00:00
/// Create `JsonBody` for request.
pub fn new(req: T) -> Self {
2017-12-21 04:30:54 +00:00
JsonBody{
limit: 262_144,
req: Some(req),
2017-12-21 04:30:54 +00:00
fut: None,
}
}
/// Change max size of payload. By default max size is 256Kb
pub fn limit(mut self, limit: usize) -> Self {
self.limit = limit;
self
}
}
impl<T, U: DeserializeOwned + 'static> Future for JsonBody<T, U>
where T: HttpMessage + Stream<Item=Bytes, Error=PayloadError> + 'static
{
type Item = U;
2017-12-21 04:30:54 +00:00
type Error = JsonPayloadError;
fn poll(&mut self) -> Poll<U, JsonPayloadError> {
if let Some(req) = self.req.take() {
2017-12-21 04:30:54 +00:00
if let Some(len) = req.headers().get(CONTENT_LENGTH) {
if let Ok(s) = len.to_str() {
if let Ok(len) = s.parse::<usize>() {
if len > self.limit {
return Err(JsonPayloadError::Overflow);
}
} else {
return Err(JsonPayloadError::Overflow);
}
}
}
// check content-type
2018-03-10 18:27:29 +00:00
let json = if let Ok(Some(mime)) = req.mime_type() {
mime.subtype() == mime::JSON || mime.suffix() == Some(mime::JSON)
} else {
false
};
if !json {
2017-12-21 04:30:54 +00:00
return Err(JsonPayloadError::ContentType)
}
let limit = self.limit;
2018-02-25 08:21:45 +00:00
let fut = req.from_err()
2017-12-21 04:30:54 +00:00
.fold(BytesMut::new(), move |mut body, chunk| {
if (body.len() + chunk.len()) > limit {
Err(JsonPayloadError::Overflow)
} else {
body.extend_from_slice(&chunk);
Ok(body)
}
})
.and_then(|body| Ok(serde_json::from_slice::<U>(&body)?));
2017-12-21 04:30:54 +00:00
self.fut = Some(Box::new(fut));
}
self.fut.as_mut().expect("JsonBody could not be used second time").poll()
}
}
2017-12-21 01:51:28 +00:00
#[cfg(test)]
mod tests {
use super::*;
2017-12-21 04:30:54 +00:00
use bytes::Bytes;
use http::header;
use futures::Async;
2018-03-31 17:21:54 +00:00
use with::With;
2018-03-27 06:10:31 +00:00
use handler::Handler;
2017-12-21 04:30:54 +00: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 01:51:28 +00:00
2017-12-21 04:30:54 +00:00
#[derive(Serialize, Deserialize, PartialEq, Debug)]
struct MyObject {
name: String,
2017-12-21 01:51:28 +00:00
}
#[test]
fn test_json() {
2017-12-21 04:30:54 +00:00
let json = Json(MyObject{name: "test".to_owned()});
2017-12-21 01:51:28 +00:00
let resp = json.respond_to(HttpRequest::default()).unwrap();
assert_eq!(resp.headers().get(header::CONTENT_TYPE).unwrap(), "application/json");
}
2017-12-21 04:30:54 +00:00
#[test]
fn test_json_body() {
2018-02-26 02:55:07 +00:00
let req = HttpRequest::default();
2017-12-21 04:30:54 +00:00
let mut json = req.json::<MyObject>();
assert_eq!(json.poll().err().unwrap(), JsonPayloadError::ContentType);
2018-02-26 02:55:07 +00:00
let mut req = HttpRequest::default();
2017-12-21 04:30:54 +00:00
req.headers_mut().insert(header::CONTENT_TYPE,
2018-03-10 18:42:46 +00:00
header::HeaderValue::from_static("application/text"));
let mut json = req.json::<MyObject>();
2017-12-21 04:30:54 +00:00
assert_eq!(json.poll().err().unwrap(), JsonPayloadError::ContentType);
2018-02-26 02:55:07 +00:00
let mut req = HttpRequest::default();
2017-12-21 04:30:54 +00:00
req.headers_mut().insert(header::CONTENT_TYPE,
header::HeaderValue::from_static("application/json"));
req.headers_mut().insert(header::CONTENT_LENGTH,
header::HeaderValue::from_static("10000"));
2018-02-26 02:55:07 +00:00
let mut json = req.json::<MyObject>().limit(100);
2017-12-21 04:30:54 +00:00
assert_eq!(json.poll().err().unwrap(), JsonPayloadError::Overflow);
2018-02-26 02:55:07 +00:00
let mut req = HttpRequest::default();
req.headers_mut().insert(header::CONTENT_TYPE,
header::HeaderValue::from_static("application/json"));
2017-12-21 04:30:54 +00:00
req.headers_mut().insert(header::CONTENT_LENGTH,
header::HeaderValue::from_static("16"));
req.payload_mut().unread_data(Bytes::from_static(b"{\"name\": \"test\"}"));
let mut json = req.json::<MyObject>();
2018-03-27 06:10:31 +00:00
assert_eq!(json.poll().ok().unwrap(),
Async::Ready(MyObject{name: "test".to_owned()}));
}
#[test]
fn test_with_json() {
2018-03-31 17:21:54 +00:00
let mut handler = With::new(|data: Json<MyObject>| data);
2018-03-27 06:10:31 +00:00
let req = HttpRequest::default();
let err = handler.handle(req).as_response().unwrap().error().is_some();
assert!(err);
2018-03-27 06:10:31 +00:00
let mut req = HttpRequest::default();
req.headers_mut().insert(header::CONTENT_TYPE,
header::HeaderValue::from_static("application/json"));
req.headers_mut().insert(header::CONTENT_LENGTH,
header::HeaderValue::from_static("16"));
req.payload_mut().unread_data(Bytes::from_static(b"{\"name\": \"test\"}"));
let ok = handler.handle(req).as_response().unwrap().error().is_none();
assert!(ok)
2017-12-21 04:30:54 +00:00
}
2017-12-21 01:51:28 +00:00
}