2018-04-29 07:20:32 +02:00
|
|
|
|
use std::{io, mem};
|
|
|
|
|
|
|
|
|
|
use bytes::{Bytes, BytesMut};
|
|
|
|
|
use futures::{Async, Poll};
|
|
|
|
|
use httparse;
|
2018-10-07 05:31:22 +02:00
|
|
|
|
use tokio_codec::Decoder;
|
2018-04-29 07:20:32 +02:00
|
|
|
|
|
2018-10-23 03:18:05 +02:00
|
|
|
|
use client::ClientResponse;
|
2018-04-29 07:20:32 +02:00
|
|
|
|
use error::ParseError;
|
|
|
|
|
use http::header::{HeaderName, HeaderValue};
|
2018-10-23 03:18:05 +02:00
|
|
|
|
use http::{header, HttpTryFrom, Method, StatusCode, Uri, Version};
|
|
|
|
|
use request::{MessageFlags, MessagePool, Request};
|
2018-04-29 07:20:32 +02:00
|
|
|
|
use uri::Url;
|
|
|
|
|
|
|
|
|
|
const MAX_BUFFER_SIZE: usize = 131_072;
|
|
|
|
|
const MAX_HEADERS: usize = 96;
|
|
|
|
|
|
2018-10-23 03:18:05 +02:00
|
|
|
|
/// Client request decoder
|
|
|
|
|
pub struct RequestDecoder(&'static MessagePool);
|
|
|
|
|
|
|
|
|
|
/// Server response decoder
|
|
|
|
|
pub struct ResponseDecoder(&'static MessagePool);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
|
2018-10-14 08:57:31 +02:00
|
|
|
|
/// Incoming request type
|
2018-10-23 03:18:05 +02:00
|
|
|
|
pub enum PayloadType {
|
2018-10-14 08:57:31 +02:00
|
|
|
|
None,
|
|
|
|
|
Payload(PayloadDecoder),
|
2018-11-14 07:53:30 +01:00
|
|
|
|
Stream(PayloadDecoder),
|
2018-10-14 08:57:31 +02:00
|
|
|
|
}
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
impl RequestDecoder {
|
2018-10-23 03:18:05 +02:00
|
|
|
|
pub(crate) fn with_pool(pool: &'static MessagePool) -> RequestDecoder {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
RequestDecoder(pool)
|
|
|
|
|
}
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
impl Default for RequestDecoder {
|
|
|
|
|
fn default() -> RequestDecoder {
|
2018-10-23 03:18:05 +02:00
|
|
|
|
RequestDecoder::with_pool(MessagePool::pool())
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
2018-10-07 05:31:22 +02:00
|
|
|
|
}
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
impl Decoder for RequestDecoder {
|
2018-10-23 03:18:05 +02:00
|
|
|
|
type Item = (Request, PayloadType);
|
2018-10-07 05:31:22 +02:00
|
|
|
|
type Error = ParseError;
|
2018-04-29 07:20:32 +02:00
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
fn decode(&mut self, src: &mut BytesMut) -> Result<Option<Self::Item>, Self::Error> {
|
2018-04-29 07:20:32 +02:00
|
|
|
|
// Parse http message
|
|
|
|
|
let mut has_upgrade = false;
|
|
|
|
|
let mut chunked = false;
|
|
|
|
|
let mut content_length = None;
|
|
|
|
|
|
|
|
|
|
let msg = {
|
2018-06-23 08:28:55 +02:00
|
|
|
|
// Unsafe: we read only this data only after httparse parses headers into.
|
|
|
|
|
// performance bump for pipeline benchmarks.
|
|
|
|
|
let mut headers: [HeaderIndex; MAX_HEADERS] =
|
2018-04-29 07:20:32 +02:00
|
|
|
|
unsafe { mem::uninitialized() };
|
|
|
|
|
|
|
|
|
|
let (len, method, path, version, headers_len) = {
|
2018-06-23 08:28:55 +02:00
|
|
|
|
let mut parsed: [httparse::Header; MAX_HEADERS] =
|
|
|
|
|
unsafe { mem::uninitialized() };
|
|
|
|
|
|
|
|
|
|
let mut req = httparse::Request::new(&mut parsed);
|
2018-10-07 05:31:22 +02:00
|
|
|
|
match req.parse(src)? {
|
2018-04-29 07:20:32 +02:00
|
|
|
|
httparse::Status::Complete(len) => {
|
|
|
|
|
let method = Method::from_bytes(req.method.unwrap().as_bytes())
|
|
|
|
|
.map_err(|_| ParseError::Method)?;
|
|
|
|
|
let path = Url::new(Uri::try_from(req.path.unwrap())?);
|
|
|
|
|
let version = if req.version.unwrap() == 1 {
|
|
|
|
|
Version::HTTP_11
|
|
|
|
|
} else {
|
|
|
|
|
Version::HTTP_10
|
|
|
|
|
};
|
2018-10-07 05:31:22 +02:00
|
|
|
|
HeaderIndex::record(src, req.headers, &mut headers);
|
2018-06-23 08:28:55 +02:00
|
|
|
|
|
2018-04-29 07:20:32 +02:00
|
|
|
|
(len, method, path, version, req.headers.len())
|
|
|
|
|
}
|
2018-10-07 05:31:22 +02:00
|
|
|
|
httparse::Status::Partial => return Ok(None),
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
};
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let slice = src.split_to(len).freeze();
|
2018-04-29 07:20:32 +02:00
|
|
|
|
|
|
|
|
|
// convert headers
|
2018-10-23 03:18:05 +02:00
|
|
|
|
let mut msg = MessagePool::get_request(self.0);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
{
|
2018-07-04 18:52:49 +02:00
|
|
|
|
let inner = msg.inner_mut();
|
2018-06-25 06:58:04 +02:00
|
|
|
|
inner
|
2018-05-01 07:04:24 +02:00
|
|
|
|
.flags
|
2018-06-25 06:58:04 +02:00
|
|
|
|
.get_mut()
|
2018-05-01 07:04:24 +02:00
|
|
|
|
.set(MessageFlags::KEEPALIVE, version != Version::HTTP_10);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
|
2018-06-23 08:28:55 +02:00
|
|
|
|
for idx in headers[..headers_len].iter() {
|
|
|
|
|
if let Ok(name) =
|
|
|
|
|
HeaderName::from_bytes(&slice[idx.name.0..idx.name.1])
|
|
|
|
|
{
|
|
|
|
|
// Unsafe: httparse check header value for valid utf-8
|
2018-04-29 07:20:32 +02:00
|
|
|
|
let value = unsafe {
|
|
|
|
|
HeaderValue::from_shared_unchecked(
|
2018-06-23 08:28:55 +02:00
|
|
|
|
slice.slice(idx.value.0, idx.value.1),
|
2018-04-29 07:20:32 +02:00
|
|
|
|
)
|
|
|
|
|
};
|
|
|
|
|
match name {
|
|
|
|
|
header::CONTENT_LENGTH => {
|
|
|
|
|
if let Ok(s) = value.to_str() {
|
|
|
|
|
if let Ok(len) = s.parse::<u64>() {
|
2018-05-17 19:58:08 +02:00
|
|
|
|
content_length = Some(len);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
} else {
|
|
|
|
|
debug!("illegal Content-Length: {:?}", len);
|
|
|
|
|
return Err(ParseError::Header);
|
|
|
|
|
}
|
|
|
|
|
} else {
|
|
|
|
|
debug!("illegal Content-Length: {:?}", len);
|
|
|
|
|
return Err(ParseError::Header);
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
// transfer-encoding
|
|
|
|
|
header::TRANSFER_ENCODING => {
|
|
|
|
|
if let Ok(s) = value.to_str() {
|
|
|
|
|
chunked = s.to_lowercase().contains("chunked");
|
|
|
|
|
} else {
|
|
|
|
|
return Err(ParseError::Header);
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
// connection keep-alive state
|
|
|
|
|
header::CONNECTION => {
|
2018-05-01 07:04:24 +02:00
|
|
|
|
let ka = if let Ok(conn) = value.to_str() {
|
2018-04-29 07:20:32 +02:00
|
|
|
|
if version == Version::HTTP_10
|
|
|
|
|
&& conn.contains("keep-alive")
|
|
|
|
|
{
|
|
|
|
|
true
|
|
|
|
|
} else {
|
2018-08-23 18:48:01 +02:00
|
|
|
|
version == Version::HTTP_11 && !(conn
|
|
|
|
|
.contains("close")
|
|
|
|
|
|| conn.contains("upgrade"))
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
} else {
|
|
|
|
|
false
|
|
|
|
|
};
|
2018-06-25 06:58:04 +02:00
|
|
|
|
inner.flags.get_mut().set(MessageFlags::KEEPALIVE, ka);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
2018-07-05 09:16:16 +02:00
|
|
|
|
header::UPGRADE => {
|
|
|
|
|
has_upgrade = true;
|
2018-11-09 05:38:40 +01:00
|
|
|
|
// check content-length, some clients (dart)
|
|
|
|
|
// sends "content-length: 0" with websocket upgrade
|
|
|
|
|
if let Ok(val) = value.to_str() {
|
|
|
|
|
if val == "websocket" {
|
|
|
|
|
content_length = None;
|
|
|
|
|
}
|
|
|
|
|
}
|
2018-07-05 09:16:16 +02:00
|
|
|
|
}
|
2018-04-29 07:20:32 +02:00
|
|
|
|
_ => (),
|
|
|
|
|
}
|
|
|
|
|
|
2018-11-16 07:34:29 +01:00
|
|
|
|
inner.head.headers.append(name, value);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
} else {
|
|
|
|
|
return Err(ParseError::Header);
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
2018-06-25 06:58:04 +02:00
|
|
|
|
inner.url = path;
|
2018-11-16 07:34:29 +01:00
|
|
|
|
inner.head.method = method;
|
|
|
|
|
inner.head.version = version;
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
msg
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
// https://tools.ietf.org/html/rfc7230#section-3.3.3
|
|
|
|
|
let decoder = if chunked {
|
|
|
|
|
// Chunked encoding
|
2018-10-23 03:18:05 +02:00
|
|
|
|
PayloadType::Payload(PayloadDecoder::chunked())
|
2018-04-29 07:20:32 +02:00
|
|
|
|
} else if let Some(len) = content_length {
|
|
|
|
|
// Content-Length
|
2018-10-23 03:18:05 +02:00
|
|
|
|
PayloadType::Payload(PayloadDecoder::length(len))
|
2018-11-16 07:34:29 +01:00
|
|
|
|
} else if has_upgrade || msg.inner.head.method == Method::CONNECT {
|
2018-04-29 07:20:32 +02:00
|
|
|
|
// upgrade(websocket) or connect
|
2018-11-14 07:53:30 +01:00
|
|
|
|
PayloadType::Stream(PayloadDecoder::eof())
|
2018-10-23 03:18:05 +02:00
|
|
|
|
} else if src.len() >= MAX_BUFFER_SIZE {
|
|
|
|
|
error!("MAX_BUFFER_SIZE unprocessed data reached, closing");
|
|
|
|
|
return Err(ParseError::TooLarge);
|
|
|
|
|
} else {
|
|
|
|
|
PayloadType::None
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
Ok(Some((msg, decoder)))
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
impl ResponseDecoder {
|
|
|
|
|
pub(crate) fn with_pool(pool: &'static MessagePool) -> ResponseDecoder {
|
|
|
|
|
ResponseDecoder(pool)
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
impl Default for ResponseDecoder {
|
|
|
|
|
fn default() -> ResponseDecoder {
|
|
|
|
|
ResponseDecoder::with_pool(MessagePool::pool())
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
impl Decoder for ResponseDecoder {
|
|
|
|
|
type Item = (ClientResponse, PayloadType);
|
|
|
|
|
type Error = ParseError;
|
|
|
|
|
|
|
|
|
|
fn decode(&mut self, src: &mut BytesMut) -> Result<Option<Self::Item>, Self::Error> {
|
|
|
|
|
// Parse http message
|
|
|
|
|
let mut chunked = false;
|
|
|
|
|
let mut content_length = None;
|
|
|
|
|
|
|
|
|
|
let msg = {
|
|
|
|
|
// Unsafe: we read only this data only after httparse parses headers into.
|
|
|
|
|
// performance bump for pipeline benchmarks.
|
|
|
|
|
let mut headers: [HeaderIndex; MAX_HEADERS] =
|
|
|
|
|
unsafe { mem::uninitialized() };
|
|
|
|
|
|
|
|
|
|
let (len, version, status, headers_len) = {
|
|
|
|
|
let mut parsed: [httparse::Header; MAX_HEADERS] =
|
|
|
|
|
unsafe { mem::uninitialized() };
|
|
|
|
|
|
|
|
|
|
let mut res = httparse::Response::new(&mut parsed);
|
|
|
|
|
match res.parse(src)? {
|
|
|
|
|
httparse::Status::Complete(len) => {
|
|
|
|
|
let version = if res.version.unwrap() == 1 {
|
|
|
|
|
Version::HTTP_11
|
|
|
|
|
} else {
|
|
|
|
|
Version::HTTP_10
|
|
|
|
|
};
|
|
|
|
|
let status = StatusCode::from_u16(res.code.unwrap())
|
|
|
|
|
.map_err(|_| ParseError::Status)?;
|
|
|
|
|
HeaderIndex::record(src, res.headers, &mut headers);
|
|
|
|
|
|
|
|
|
|
(len, version, status, res.headers.len())
|
|
|
|
|
}
|
|
|
|
|
httparse::Status::Partial => return Ok(None),
|
|
|
|
|
}
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
let slice = src.split_to(len).freeze();
|
|
|
|
|
|
|
|
|
|
// convert headers
|
|
|
|
|
let mut msg = MessagePool::get_response(self.0);
|
|
|
|
|
{
|
|
|
|
|
let inner = msg.inner_mut();
|
|
|
|
|
inner
|
|
|
|
|
.flags
|
|
|
|
|
.get_mut()
|
|
|
|
|
.set(MessageFlags::KEEPALIVE, version != Version::HTTP_10);
|
|
|
|
|
|
|
|
|
|
for idx in headers[..headers_len].iter() {
|
|
|
|
|
if let Ok(name) =
|
|
|
|
|
HeaderName::from_bytes(&slice[idx.name.0..idx.name.1])
|
|
|
|
|
{
|
|
|
|
|
// Unsafe: httparse check header value for valid utf-8
|
|
|
|
|
let value = unsafe {
|
|
|
|
|
HeaderValue::from_shared_unchecked(
|
|
|
|
|
slice.slice(idx.value.0, idx.value.1),
|
|
|
|
|
)
|
|
|
|
|
};
|
|
|
|
|
match name {
|
|
|
|
|
header::CONTENT_LENGTH => {
|
|
|
|
|
if let Ok(s) = value.to_str() {
|
|
|
|
|
if let Ok(len) = s.parse::<u64>() {
|
|
|
|
|
content_length = Some(len);
|
|
|
|
|
} else {
|
|
|
|
|
debug!("illegal Content-Length: {:?}", len);
|
|
|
|
|
return Err(ParseError::Header);
|
|
|
|
|
}
|
|
|
|
|
} else {
|
|
|
|
|
debug!("illegal Content-Length: {:?}", len);
|
|
|
|
|
return Err(ParseError::Header);
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
// transfer-encoding
|
|
|
|
|
header::TRANSFER_ENCODING => {
|
|
|
|
|
if let Ok(s) = value.to_str() {
|
|
|
|
|
chunked = s.to_lowercase().contains("chunked");
|
|
|
|
|
} else {
|
|
|
|
|
return Err(ParseError::Header);
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
// connection keep-alive state
|
|
|
|
|
header::CONNECTION => {
|
|
|
|
|
let ka = if let Ok(conn) = value.to_str() {
|
|
|
|
|
if version == Version::HTTP_10
|
|
|
|
|
&& conn.contains("keep-alive")
|
|
|
|
|
{
|
|
|
|
|
true
|
|
|
|
|
} else {
|
|
|
|
|
version == Version::HTTP_11 && !(conn
|
|
|
|
|
.contains("close")
|
|
|
|
|
|| conn.contains("upgrade"))
|
|
|
|
|
}
|
|
|
|
|
} else {
|
|
|
|
|
false
|
|
|
|
|
};
|
|
|
|
|
inner.flags.get_mut().set(MessageFlags::KEEPALIVE, ka);
|
|
|
|
|
}
|
|
|
|
|
_ => (),
|
|
|
|
|
}
|
|
|
|
|
|
2018-11-16 07:34:29 +01:00
|
|
|
|
inner.head.headers.append(name, value);
|
2018-10-23 03:18:05 +02:00
|
|
|
|
} else {
|
|
|
|
|
return Err(ParseError::Header);
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
inner.status = status;
|
2018-11-16 07:34:29 +01:00
|
|
|
|
inner.head.version = version;
|
2018-10-23 03:18:05 +02:00
|
|
|
|
}
|
|
|
|
|
msg
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
// https://tools.ietf.org/html/rfc7230#section-3.3.3
|
|
|
|
|
let decoder = if chunked {
|
|
|
|
|
// Chunked encoding
|
|
|
|
|
PayloadType::Payload(PayloadDecoder::chunked())
|
|
|
|
|
} else if let Some(len) = content_length {
|
|
|
|
|
// Content-Length
|
|
|
|
|
PayloadType::Payload(PayloadDecoder::length(len))
|
|
|
|
|
} else if msg.inner.status == StatusCode::SWITCHING_PROTOCOLS
|
2018-11-16 07:34:29 +01:00
|
|
|
|
|| msg.inner.head.method == Method::CONNECT
|
2018-10-23 03:18:05 +02:00
|
|
|
|
{
|
|
|
|
|
// switching protocol or connect
|
2018-11-14 07:53:30 +01:00
|
|
|
|
PayloadType::Stream(PayloadDecoder::eof())
|
2018-10-07 05:31:22 +02:00
|
|
|
|
} else if src.len() >= MAX_BUFFER_SIZE {
|
|
|
|
|
error!("MAX_BUFFER_SIZE unprocessed data reached, closing");
|
|
|
|
|
return Err(ParseError::TooLarge);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
} else {
|
2018-10-23 03:18:05 +02:00
|
|
|
|
PayloadType::None
|
2018-04-29 07:20:32 +02:00
|
|
|
|
};
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
Ok(Some((msg, decoder)))
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
2018-06-23 08:28:55 +02:00
|
|
|
|
#[derive(Clone, Copy)]
|
|
|
|
|
pub(crate) struct HeaderIndex {
|
|
|
|
|
pub(crate) name: (usize, usize),
|
|
|
|
|
pub(crate) value: (usize, usize),
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
impl HeaderIndex {
|
|
|
|
|
pub(crate) fn record(
|
2018-10-30 00:39:46 +01:00
|
|
|
|
bytes: &[u8],
|
|
|
|
|
headers: &[httparse::Header],
|
|
|
|
|
indices: &mut [HeaderIndex],
|
2018-06-23 08:28:55 +02:00
|
|
|
|
) {
|
|
|
|
|
let bytes_ptr = bytes.as_ptr() as usize;
|
|
|
|
|
for (header, indices) in headers.iter().zip(indices.iter_mut()) {
|
|
|
|
|
let name_start = header.name.as_ptr() as usize - bytes_ptr;
|
|
|
|
|
let name_end = name_start + header.name.len();
|
|
|
|
|
indices.name = (name_start, name_end);
|
|
|
|
|
let value_start = header.value.as_ptr() as usize - bytes_ptr;
|
|
|
|
|
let value_end = value_start + header.value.len();
|
|
|
|
|
indices.value = (value_start, value_end);
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
#[derive(Debug, Clone)]
|
|
|
|
|
/// Http payload item
|
|
|
|
|
pub enum PayloadItem {
|
|
|
|
|
Chunk(Bytes),
|
|
|
|
|
Eof,
|
|
|
|
|
}
|
|
|
|
|
|
2018-04-29 07:20:32 +02:00
|
|
|
|
/// Decoders to handle different Transfer-Encodings.
|
|
|
|
|
///
|
|
|
|
|
/// If a message body does not include a Transfer-Encoding, it *should*
|
|
|
|
|
/// include a Content-Length header.
|
|
|
|
|
#[derive(Debug, Clone, PartialEq)]
|
2018-10-07 05:31:22 +02:00
|
|
|
|
pub struct PayloadDecoder {
|
2018-04-29 07:20:32 +02:00
|
|
|
|
kind: Kind,
|
|
|
|
|
}
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
impl PayloadDecoder {
|
|
|
|
|
pub fn length(x: u64) -> PayloadDecoder {
|
|
|
|
|
PayloadDecoder {
|
2018-04-29 07:20:32 +02:00
|
|
|
|
kind: Kind::Length(x),
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
pub fn chunked() -> PayloadDecoder {
|
|
|
|
|
PayloadDecoder {
|
2018-04-29 07:20:32 +02:00
|
|
|
|
kind: Kind::Chunked(ChunkedState::Size, 0),
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
pub fn eof() -> PayloadDecoder {
|
2018-10-07 18:48:53 +02:00
|
|
|
|
PayloadDecoder { kind: Kind::Eof }
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[derive(Debug, Clone, PartialEq)]
|
|
|
|
|
enum Kind {
|
|
|
|
|
/// A Reader used when a Content-Length header is passed with a positive
|
|
|
|
|
/// integer.
|
|
|
|
|
Length(u64),
|
|
|
|
|
/// A Reader used when Transfer-Encoding is `chunked`.
|
|
|
|
|
Chunked(ChunkedState, u64),
|
|
|
|
|
/// A Reader used for responses that don't indicate a length or chunked.
|
|
|
|
|
///
|
|
|
|
|
/// Note: This should only used for `Response`s. It is illegal for a
|
|
|
|
|
/// `Request` to be made with both `Content-Length` and
|
|
|
|
|
/// `Transfer-Encoding: chunked` missing, as explained from the spec:
|
|
|
|
|
///
|
|
|
|
|
/// > If a Transfer-Encoding header field is present in a response and
|
|
|
|
|
/// > the chunked transfer coding is not the final encoding, the
|
|
|
|
|
/// > message body length is determined by reading the connection until
|
|
|
|
|
/// > it is closed by the server. If a Transfer-Encoding header field
|
|
|
|
|
/// > is present in a request and the chunked transfer coding is not
|
|
|
|
|
/// > the final encoding, the message body length cannot be determined
|
|
|
|
|
/// > reliably; the server MUST respond with the 400 (Bad Request)
|
|
|
|
|
/// > status code and then close the connection.
|
2018-10-07 18:48:53 +02:00
|
|
|
|
Eof,
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[derive(Debug, PartialEq, Clone)]
|
|
|
|
|
enum ChunkedState {
|
|
|
|
|
Size,
|
|
|
|
|
SizeLws,
|
|
|
|
|
Extension,
|
|
|
|
|
SizeLf,
|
|
|
|
|
Body,
|
|
|
|
|
BodyCr,
|
|
|
|
|
BodyLf,
|
|
|
|
|
EndCr,
|
|
|
|
|
EndLf,
|
|
|
|
|
End,
|
|
|
|
|
}
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
impl Decoder for PayloadDecoder {
|
|
|
|
|
type Item = PayloadItem;
|
|
|
|
|
type Error = io::Error;
|
|
|
|
|
|
|
|
|
|
fn decode(&mut self, src: &mut BytesMut) -> Result<Option<Self::Item>, Self::Error> {
|
2018-04-29 07:20:32 +02:00
|
|
|
|
match self.kind {
|
|
|
|
|
Kind::Length(ref mut remaining) => {
|
|
|
|
|
if *remaining == 0 {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
Ok(Some(PayloadItem::Eof))
|
2018-04-29 07:20:32 +02:00
|
|
|
|
} else {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
if src.is_empty() {
|
|
|
|
|
return Ok(None);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let len = src.len() as u64;
|
2018-04-29 07:20:32 +02:00
|
|
|
|
let buf;
|
|
|
|
|
if *remaining > len {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
buf = src.take().freeze();
|
2018-04-29 07:20:32 +02:00
|
|
|
|
*remaining -= len;
|
|
|
|
|
} else {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
buf = src.split_to(*remaining as usize).freeze();
|
2018-04-29 07:20:32 +02:00
|
|
|
|
*remaining = 0;
|
2018-10-07 05:31:22 +02:00
|
|
|
|
};
|
2018-04-29 07:20:32 +02:00
|
|
|
|
trace!("Length read: {}", buf.len());
|
2018-10-07 05:31:22 +02:00
|
|
|
|
Ok(Some(PayloadItem::Chunk(buf)))
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
Kind::Chunked(ref mut state, ref mut size) => {
|
|
|
|
|
loop {
|
|
|
|
|
let mut buf = None;
|
|
|
|
|
// advances the chunked state
|
2018-10-07 05:31:22 +02:00
|
|
|
|
*state = match state.step(src, size, &mut buf)? {
|
|
|
|
|
Async::NotReady => return Ok(None),
|
|
|
|
|
Async::Ready(state) => state,
|
|
|
|
|
};
|
2018-04-29 07:20:32 +02:00
|
|
|
|
if *state == ChunkedState::End {
|
|
|
|
|
trace!("End of chunked stream");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
return Ok(Some(PayloadItem::Eof));
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
if let Some(buf) = buf {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
return Ok(Some(PayloadItem::Chunk(buf)));
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
2018-10-07 05:31:22 +02:00
|
|
|
|
if src.is_empty() {
|
|
|
|
|
return Ok(None);
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
2018-10-07 18:48:53 +02:00
|
|
|
|
Kind::Eof => {
|
|
|
|
|
if src.is_empty() {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
Ok(None)
|
2018-10-07 18:48:53 +02:00
|
|
|
|
} else {
|
|
|
|
|
Ok(Some(PayloadItem::Chunk(src.take().freeze())))
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
macro_rules! byte (
|
|
|
|
|
($rdr:ident) => ({
|
|
|
|
|
if $rdr.len() > 0 {
|
|
|
|
|
let b = $rdr[0];
|
|
|
|
|
$rdr.split_to(1);
|
|
|
|
|
b
|
|
|
|
|
} else {
|
|
|
|
|
return Ok(Async::NotReady)
|
|
|
|
|
}
|
|
|
|
|
})
|
|
|
|
|
);
|
|
|
|
|
|
|
|
|
|
impl ChunkedState {
|
|
|
|
|
fn step(
|
2018-10-30 00:39:46 +01:00
|
|
|
|
&self,
|
|
|
|
|
body: &mut BytesMut,
|
|
|
|
|
size: &mut u64,
|
|
|
|
|
buf: &mut Option<Bytes>,
|
2018-04-29 07:20:32 +02:00
|
|
|
|
) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
use self::ChunkedState::*;
|
|
|
|
|
match *self {
|
|
|
|
|
Size => ChunkedState::read_size(body, size),
|
|
|
|
|
SizeLws => ChunkedState::read_size_lws(body),
|
|
|
|
|
Extension => ChunkedState::read_extension(body),
|
|
|
|
|
SizeLf => ChunkedState::read_size_lf(body, size),
|
|
|
|
|
Body => ChunkedState::read_body(body, size, buf),
|
|
|
|
|
BodyCr => ChunkedState::read_body_cr(body),
|
|
|
|
|
BodyLf => ChunkedState::read_body_lf(body),
|
|
|
|
|
EndCr => ChunkedState::read_end_cr(body),
|
|
|
|
|
EndLf => ChunkedState::read_end_lf(body),
|
|
|
|
|
End => Ok(Async::Ready(ChunkedState::End)),
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
fn read_size(rdr: &mut BytesMut, size: &mut u64) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
let radix = 16;
|
|
|
|
|
match byte!(rdr) {
|
|
|
|
|
b @ b'0'...b'9' => {
|
|
|
|
|
*size *= radix;
|
|
|
|
|
*size += u64::from(b - b'0');
|
|
|
|
|
}
|
|
|
|
|
b @ b'a'...b'f' => {
|
|
|
|
|
*size *= radix;
|
|
|
|
|
*size += u64::from(b + 10 - b'a');
|
|
|
|
|
}
|
|
|
|
|
b @ b'A'...b'F' => {
|
|
|
|
|
*size *= radix;
|
|
|
|
|
*size += u64::from(b + 10 - b'A');
|
|
|
|
|
}
|
|
|
|
|
b'\t' | b' ' => return Ok(Async::Ready(ChunkedState::SizeLws)),
|
|
|
|
|
b';' => return Ok(Async::Ready(ChunkedState::Extension)),
|
|
|
|
|
b'\r' => return Ok(Async::Ready(ChunkedState::SizeLf)),
|
|
|
|
|
_ => {
|
|
|
|
|
return Err(io::Error::new(
|
|
|
|
|
io::ErrorKind::InvalidInput,
|
|
|
|
|
"Invalid chunk size line: Invalid Size",
|
|
|
|
|
));
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
Ok(Async::Ready(ChunkedState::Size))
|
|
|
|
|
}
|
|
|
|
|
fn read_size_lws(rdr: &mut BytesMut) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
trace!("read_size_lws");
|
|
|
|
|
match byte!(rdr) {
|
|
|
|
|
// LWS can follow the chunk size, but no more digits can come
|
|
|
|
|
b'\t' | b' ' => Ok(Async::Ready(ChunkedState::SizeLws)),
|
|
|
|
|
b';' => Ok(Async::Ready(ChunkedState::Extension)),
|
|
|
|
|
b'\r' => Ok(Async::Ready(ChunkedState::SizeLf)),
|
|
|
|
|
_ => Err(io::Error::new(
|
|
|
|
|
io::ErrorKind::InvalidInput,
|
|
|
|
|
"Invalid chunk size linear white space",
|
|
|
|
|
)),
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
fn read_extension(rdr: &mut BytesMut) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
match byte!(rdr) {
|
|
|
|
|
b'\r' => Ok(Async::Ready(ChunkedState::SizeLf)),
|
|
|
|
|
_ => Ok(Async::Ready(ChunkedState::Extension)), // no supported extensions
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
fn read_size_lf(
|
2018-10-30 00:39:46 +01:00
|
|
|
|
rdr: &mut BytesMut,
|
|
|
|
|
size: &mut u64,
|
2018-04-29 07:20:32 +02:00
|
|
|
|
) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
match byte!(rdr) {
|
|
|
|
|
b'\n' if *size > 0 => Ok(Async::Ready(ChunkedState::Body)),
|
|
|
|
|
b'\n' if *size == 0 => Ok(Async::Ready(ChunkedState::EndCr)),
|
2018-04-29 18:09:08 +02:00
|
|
|
|
_ => Err(io::Error::new(
|
|
|
|
|
io::ErrorKind::InvalidInput,
|
|
|
|
|
"Invalid chunk size LF",
|
|
|
|
|
)),
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
fn read_body(
|
2018-10-30 00:39:46 +01:00
|
|
|
|
rdr: &mut BytesMut,
|
|
|
|
|
rem: &mut u64,
|
|
|
|
|
buf: &mut Option<Bytes>,
|
2018-04-29 07:20:32 +02:00
|
|
|
|
) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
trace!("Chunked read, remaining={:?}", rem);
|
|
|
|
|
|
|
|
|
|
let len = rdr.len() as u64;
|
|
|
|
|
if len == 0 {
|
|
|
|
|
Ok(Async::Ready(ChunkedState::Body))
|
|
|
|
|
} else {
|
|
|
|
|
let slice;
|
|
|
|
|
if *rem > len {
|
|
|
|
|
slice = rdr.take().freeze();
|
|
|
|
|
*rem -= len;
|
|
|
|
|
} else {
|
|
|
|
|
slice = rdr.split_to(*rem as usize).freeze();
|
|
|
|
|
*rem = 0;
|
|
|
|
|
}
|
|
|
|
|
*buf = Some(slice);
|
|
|
|
|
if *rem > 0 {
|
|
|
|
|
Ok(Async::Ready(ChunkedState::Body))
|
|
|
|
|
} else {
|
|
|
|
|
Ok(Async::Ready(ChunkedState::BodyCr))
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
fn read_body_cr(rdr: &mut BytesMut) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
match byte!(rdr) {
|
|
|
|
|
b'\r' => Ok(Async::Ready(ChunkedState::BodyLf)),
|
2018-04-29 18:09:08 +02:00
|
|
|
|
_ => Err(io::Error::new(
|
|
|
|
|
io::ErrorKind::InvalidInput,
|
|
|
|
|
"Invalid chunk body CR",
|
|
|
|
|
)),
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
fn read_body_lf(rdr: &mut BytesMut) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
match byte!(rdr) {
|
|
|
|
|
b'\n' => Ok(Async::Ready(ChunkedState::Size)),
|
2018-04-29 18:09:08 +02:00
|
|
|
|
_ => Err(io::Error::new(
|
|
|
|
|
io::ErrorKind::InvalidInput,
|
|
|
|
|
"Invalid chunk body LF",
|
|
|
|
|
)),
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
fn read_end_cr(rdr: &mut BytesMut) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
match byte!(rdr) {
|
|
|
|
|
b'\r' => Ok(Async::Ready(ChunkedState::EndLf)),
|
2018-04-29 18:09:08 +02:00
|
|
|
|
_ => Err(io::Error::new(
|
|
|
|
|
io::ErrorKind::InvalidInput,
|
|
|
|
|
"Invalid chunk end CR",
|
|
|
|
|
)),
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
fn read_end_lf(rdr: &mut BytesMut) -> Poll<ChunkedState, io::Error> {
|
|
|
|
|
match byte!(rdr) {
|
|
|
|
|
b'\n' => Ok(Async::Ready(ChunkedState::End)),
|
2018-04-29 18:09:08 +02:00
|
|
|
|
_ => Err(io::Error::new(
|
|
|
|
|
io::ErrorKind::InvalidInput,
|
|
|
|
|
"Invalid chunk end LF",
|
|
|
|
|
)),
|
2018-04-29 07:20:32 +02:00
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
|
|
|
|
#[cfg(test)]
|
|
|
|
|
mod tests {
|
2018-10-05 08:46:43 +02:00
|
|
|
|
use std::{cmp, io};
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
|
|
|
|
use bytes::{Buf, Bytes, BytesMut};
|
|
|
|
|
use http::{Method, Version};
|
|
|
|
|
use tokio_io::{AsyncRead, AsyncWrite};
|
|
|
|
|
|
|
|
|
|
use super::*;
|
|
|
|
|
use error::ParseError;
|
|
|
|
|
use httpmessage::HttpMessage;
|
|
|
|
|
|
2018-10-23 03:18:05 +02:00
|
|
|
|
impl PayloadType {
|
2018-10-14 08:57:31 +02:00
|
|
|
|
fn unwrap(self) -> PayloadDecoder {
|
|
|
|
|
match self {
|
2018-10-23 03:18:05 +02:00
|
|
|
|
PayloadType::Payload(pl) => pl,
|
2018-10-14 08:57:31 +02:00
|
|
|
|
_ => panic!(),
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
fn is_unhandled(&self) -> bool {
|
|
|
|
|
match self {
|
2018-11-14 07:53:30 +01:00
|
|
|
|
PayloadType::Stream(_) => true,
|
2018-10-14 08:57:31 +02:00
|
|
|
|
_ => false,
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
impl PayloadItem {
|
2018-10-05 06:14:18 +02:00
|
|
|
|
fn chunk(self) -> Bytes {
|
|
|
|
|
match self {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
PayloadItem::Chunk(chunk) => chunk,
|
2018-10-05 06:14:18 +02:00
|
|
|
|
_ => panic!("error"),
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
fn eof(&self) -> bool {
|
|
|
|
|
match *self {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
PayloadItem::Eof => true,
|
2018-10-05 06:14:18 +02:00
|
|
|
|
_ => false,
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
macro_rules! parse_ready {
|
|
|
|
|
($e:expr) => {{
|
2018-10-07 05:31:22 +02:00
|
|
|
|
match RequestDecoder::default().decode($e) {
|
|
|
|
|
Ok(Some((msg, _))) => msg,
|
2018-10-05 06:14:18 +02:00
|
|
|
|
Ok(_) => unreachable!("Eof during parsing http request"),
|
|
|
|
|
Err(err) => unreachable!("Error during parsing http request: {:?}", err),
|
|
|
|
|
}
|
|
|
|
|
}};
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
macro_rules! expect_parse_err {
|
|
|
|
|
($e:expr) => {{
|
2018-10-07 05:31:22 +02:00
|
|
|
|
match RequestDecoder::default().decode($e) {
|
2018-10-05 06:14:18 +02:00
|
|
|
|
Err(err) => match err {
|
|
|
|
|
ParseError::Io(_) => unreachable!("Parse error expected"),
|
|
|
|
|
_ => (),
|
|
|
|
|
},
|
|
|
|
|
_ => unreachable!("Error expected"),
|
|
|
|
|
}
|
|
|
|
|
}};
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
struct Buffer {
|
|
|
|
|
buf: Bytes,
|
|
|
|
|
err: Option<io::Error>,
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
impl Buffer {
|
|
|
|
|
fn new(data: &'static str) -> Buffer {
|
|
|
|
|
Buffer {
|
|
|
|
|
buf: Bytes::from(data),
|
|
|
|
|
err: None,
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
impl AsyncRead for Buffer {}
|
|
|
|
|
impl io::Read for Buffer {
|
|
|
|
|
fn read(&mut self, dst: &mut [u8]) -> Result<usize, io::Error> {
|
|
|
|
|
if self.buf.is_empty() {
|
|
|
|
|
if self.err.is_some() {
|
|
|
|
|
Err(self.err.take().unwrap())
|
|
|
|
|
} else {
|
|
|
|
|
Err(io::Error::new(io::ErrorKind::WouldBlock, ""))
|
|
|
|
|
}
|
|
|
|
|
} else {
|
|
|
|
|
let size = cmp::min(self.buf.len(), dst.len());
|
|
|
|
|
let b = self.buf.split_to(size);
|
|
|
|
|
dst[..size].copy_from_slice(&b);
|
|
|
|
|
Ok(size)
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
impl io::Write for Buffer {
|
|
|
|
|
fn write(&mut self, buf: &[u8]) -> io::Result<usize> {
|
|
|
|
|
Ok(buf.len())
|
|
|
|
|
}
|
|
|
|
|
fn flush(&mut self) -> io::Result<()> {
|
|
|
|
|
Ok(())
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
impl AsyncWrite for Buffer {
|
|
|
|
|
fn shutdown(&mut self) -> Poll<(), io::Error> {
|
|
|
|
|
Ok(Async::Ready(()))
|
|
|
|
|
}
|
|
|
|
|
fn write_buf<B: Buf>(&mut self, _: &mut B) -> Poll<usize, io::Error> {
|
|
|
|
|
Ok(Async::NotReady)
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
// #[test]
|
|
|
|
|
// fn test_req_parse_err() {
|
|
|
|
|
// let mut sys = System::new("test");
|
|
|
|
|
// let _ = sys.block_on(future::lazy(|| {
|
|
|
|
|
// let buf = Buffer::new("GET /test HTTP/1\r\n\r\n");
|
|
|
|
|
// let readbuf = BytesMut::new();
|
|
|
|
|
|
2018-10-05 20:04:59 +02:00
|
|
|
|
// let mut h1 = Dispatcher::new(buf, |req| ok(Response::Ok().finish()));
|
2018-10-05 06:14:18 +02:00
|
|
|
|
// assert!(h1.poll_io().is_ok());
|
|
|
|
|
// assert!(h1.poll_io().is_ok());
|
|
|
|
|
// assert!(h1.flags.contains(Flags::READ_DISCONNECTED));
|
|
|
|
|
// assert_eq!(h1.tasks.len(), 1);
|
|
|
|
|
// future::ok::<_, ()>(())
|
|
|
|
|
// }));
|
|
|
|
|
// }
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_parse() {
|
|
|
|
|
let mut buf = BytesMut::from("GET /test HTTP/1.1\r\n\r\n");
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
match reader.decode(&mut buf) {
|
2018-10-07 05:31:22 +02:00
|
|
|
|
Ok(Some((req, _))) => {
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(req.version(), Version::HTTP_11);
|
|
|
|
|
assert_eq!(*req.method(), Method::GET);
|
|
|
|
|
assert_eq!(req.path(), "/test");
|
|
|
|
|
}
|
|
|
|
|
Ok(_) | Err(_) => unreachable!("Error during parsing http request"),
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_parse_partial() {
|
|
|
|
|
let mut buf = BytesMut::from("PUT /test HTTP/1");
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
assert!(reader.decode(&mut buf).unwrap().is_none());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
|
|
|
|
buf.extend(b".1\r\n\r\n");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let (req, _) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
assert_eq!(req.version(), Version::HTTP_11);
|
|
|
|
|
assert_eq!(*req.method(), Method::PUT);
|
|
|
|
|
assert_eq!(req.path(), "/test");
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_parse_post() {
|
|
|
|
|
let mut buf = BytesMut::from("POST /test2 HTTP/1.0\r\n\r\n");
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (req, _) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
assert_eq!(req.version(), Version::HTTP_10);
|
|
|
|
|
assert_eq!(*req.method(), Method::POST);
|
|
|
|
|
assert_eq!(req.path(), "/test2");
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_parse_body() {
|
|
|
|
|
let mut buf =
|
|
|
|
|
BytesMut::from("GET /test HTTP/1.1\r\nContent-Length: 4\r\n\r\nbody");
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (req, pl) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
let mut pl = pl.unwrap();
|
|
|
|
|
assert_eq!(req.version(), Version::HTTP_11);
|
|
|
|
|
assert_eq!(*req.method(), Method::GET);
|
|
|
|
|
assert_eq!(req.path(), "/test");
|
|
|
|
|
assert_eq!(
|
|
|
|
|
pl.decode(&mut buf).unwrap().unwrap().chunk().as_ref(),
|
|
|
|
|
b"body"
|
|
|
|
|
);
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_parse_body_crlf() {
|
|
|
|
|
let mut buf =
|
|
|
|
|
BytesMut::from("\r\nGET /test HTTP/1.1\r\nContent-Length: 4\r\n\r\nbody");
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (req, pl) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
let mut pl = pl.unwrap();
|
|
|
|
|
assert_eq!(req.version(), Version::HTTP_11);
|
|
|
|
|
assert_eq!(*req.method(), Method::GET);
|
|
|
|
|
assert_eq!(req.path(), "/test");
|
|
|
|
|
assert_eq!(
|
|
|
|
|
pl.decode(&mut buf).unwrap().unwrap().chunk().as_ref(),
|
|
|
|
|
b"body"
|
|
|
|
|
);
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_parse_partial_eof() {
|
|
|
|
|
let mut buf = BytesMut::from("GET /test HTTP/1.1\r\n");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert!(reader.decode(&mut buf).unwrap().is_none());
|
|
|
|
|
|
|
|
|
|
buf.extend(b"\r\n");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let (req, _) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
assert_eq!(req.version(), Version::HTTP_11);
|
|
|
|
|
assert_eq!(*req.method(), Method::GET);
|
|
|
|
|
assert_eq!(req.path(), "/test");
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_headers_split_field() {
|
|
|
|
|
let mut buf = BytesMut::from("GET /test HTTP/1.1\r\n");
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert!{ reader.decode(&mut buf).unwrap().is_none() }
|
|
|
|
|
|
|
|
|
|
buf.extend(b"t");
|
|
|
|
|
assert!{ reader.decode(&mut buf).unwrap().is_none() }
|
|
|
|
|
|
|
|
|
|
buf.extend(b"es");
|
|
|
|
|
assert!{ reader.decode(&mut buf).unwrap().is_none() }
|
|
|
|
|
|
|
|
|
|
buf.extend(b"t: value\r\n\r\n");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let (req, _) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
assert_eq!(req.version(), Version::HTTP_11);
|
|
|
|
|
assert_eq!(*req.method(), Method::GET);
|
|
|
|
|
assert_eq!(req.path(), "/test");
|
|
|
|
|
assert_eq!(req.headers().get("test").unwrap().as_bytes(), b"value");
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_headers_multi_value() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
Set-Cookie: c1=cookie1\r\n\
|
|
|
|
|
Set-Cookie: c2=cookie2\r\n\r\n",
|
|
|
|
|
);
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (req, _) = reader.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
|
|
|
|
let val: Vec<_> = req
|
|
|
|
|
.headers()
|
|
|
|
|
.get_all("Set-Cookie")
|
|
|
|
|
.iter()
|
|
|
|
|
.map(|v| v.to_str().unwrap().to_owned())
|
|
|
|
|
.collect();
|
|
|
|
|
assert_eq!(val[0], "c1=cookie1");
|
|
|
|
|
assert_eq!(val[1], "c2=cookie2");
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_default_1_0() {
|
|
|
|
|
let mut buf = BytesMut::from("GET /test HTTP/1.0\r\n\r\n");
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(!req.keep_alive());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_default_1_1() {
|
|
|
|
|
let mut buf = BytesMut::from("GET /test HTTP/1.1\r\n\r\n");
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(req.keep_alive());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_close() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
connection: close\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(!req.keep_alive());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_close_1_0() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.0\r\n\
|
|
|
|
|
connection: close\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(!req.keep_alive());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_keep_alive_1_0() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.0\r\n\
|
|
|
|
|
connection: keep-alive\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(req.keep_alive());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_keep_alive_1_1() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
connection: keep-alive\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(req.keep_alive());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_other_1_0() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.0\r\n\
|
|
|
|
|
connection: other\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(!req.keep_alive());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_other_1_1() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
connection: other\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(req.keep_alive());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_upgrade() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
upgrade: websockets\r\n\
|
|
|
|
|
connection: upgrade\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(req.upgrade());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_conn_upgrade_connect_method() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"CONNECT /test HTTP/1.1\r\n\
|
|
|
|
|
content-type: text/plain\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert!(req.upgrade());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_request_chunked() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
transfer-encoding: chunked\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
if let Ok(val) = req.chunked() {
|
|
|
|
|
assert!(val);
|
|
|
|
|
} else {
|
|
|
|
|
unreachable!("Error");
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
// type in chunked
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
transfer-encoding: chnked\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
if let Ok(val) = req.chunked() {
|
|
|
|
|
assert!(!val);
|
|
|
|
|
} else {
|
|
|
|
|
unreachable!("Error");
|
|
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_headers_content_length_err_1() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
content-length: line\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
|
|
|
|
|
expect_parse_err!(&mut buf)
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_headers_content_length_err_2() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
content-length: -1\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
|
|
|
|
|
expect_parse_err!(&mut buf);
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_invalid_header() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
test line\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
|
|
|
|
|
expect_parse_err!(&mut buf);
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_invalid_name() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
test[]: line\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
|
|
|
|
|
expect_parse_err!(&mut buf);
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_bad_status_line() {
|
|
|
|
|
let mut buf = BytesMut::from("getpath \r\n\r\n");
|
|
|
|
|
expect_parse_err!(&mut buf);
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_upgrade() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
connection: upgrade\r\n\
|
|
|
|
|
upgrade: websocket\r\n\r\n\
|
|
|
|
|
some raw data",
|
|
|
|
|
);
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (req, pl) = reader.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert!(!req.keep_alive());
|
|
|
|
|
assert!(req.upgrade());
|
2018-10-14 08:57:31 +02:00
|
|
|
|
assert!(pl.is_unhandled());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_parser_utf8() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
x-test: тест\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert_eq!(
|
|
|
|
|
req.headers().get("x-test").unwrap().as_bytes(),
|
|
|
|
|
"тест".as_bytes()
|
|
|
|
|
);
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_parser_two_slashes() {
|
|
|
|
|
let mut buf = BytesMut::from("GET //path HTTP/1.1\r\n\r\n");
|
|
|
|
|
let req = parse_ready!(&mut buf);
|
|
|
|
|
|
|
|
|
|
assert_eq!(req.path(), "//path");
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_parser_bad_method() {
|
|
|
|
|
let mut buf = BytesMut::from("!12%()+=~$ /get HTTP/1.1\r\n\r\n");
|
|
|
|
|
|
|
|
|
|
expect_parse_err!(&mut buf);
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_parser_bad_version() {
|
|
|
|
|
let mut buf = BytesMut::from("GET //get HT/11\r\n\r\n");
|
|
|
|
|
|
|
|
|
|
expect_parse_err!(&mut buf);
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_chunked_payload() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
transfer-encoding: chunked\r\n\r\n",
|
|
|
|
|
);
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (req, pl) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
let mut pl = pl.unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert!(req.chunked().unwrap());
|
|
|
|
|
|
|
|
|
|
buf.extend(b"4\r\ndata\r\n4\r\nline\r\n0\r\n\r\n");
|
|
|
|
|
assert_eq!(
|
2018-10-07 05:31:22 +02:00
|
|
|
|
pl.decode(&mut buf).unwrap().unwrap().chunk().as_ref(),
|
2018-10-05 06:14:18 +02:00
|
|
|
|
b"data"
|
|
|
|
|
);
|
|
|
|
|
assert_eq!(
|
2018-10-07 05:31:22 +02:00
|
|
|
|
pl.decode(&mut buf).unwrap().unwrap().chunk().as_ref(),
|
2018-10-05 06:14:18 +02:00
|
|
|
|
b"line"
|
|
|
|
|
);
|
2018-10-07 05:31:22 +02:00
|
|
|
|
assert!(pl.decode(&mut buf).unwrap().unwrap().eof());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_chunked_payload_and_next_message() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
transfer-encoding: chunked\r\n\r\n",
|
|
|
|
|
);
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (req, pl) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
let mut pl = pl.unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert!(req.chunked().unwrap());
|
|
|
|
|
|
|
|
|
|
buf.extend(
|
|
|
|
|
b"4\r\ndata\r\n4\r\nline\r\n0\r\n\r\n\
|
|
|
|
|
POST /test2 HTTP/1.1\r\n\
|
|
|
|
|
transfer-encoding: chunked\r\n\r\n"
|
|
|
|
|
.iter(),
|
|
|
|
|
);
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let msg = pl.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(msg.chunk().as_ref(), b"data");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let msg = pl.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(msg.chunk().as_ref(), b"line");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let msg = pl.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert!(msg.eof());
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let (req, _) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
assert!(req.chunked().unwrap());
|
|
|
|
|
assert_eq!(*req.method(), Method::POST);
|
|
|
|
|
assert!(req.chunked().unwrap());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_http_request_chunked_payload_chunks() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
"GET /test HTTP/1.1\r\n\
|
|
|
|
|
transfer-encoding: chunked\r\n\r\n",
|
|
|
|
|
);
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (req, pl) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
let mut pl = pl.unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert!(req.chunked().unwrap());
|
|
|
|
|
|
|
|
|
|
buf.extend(b"4\r\n1111\r\n");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let msg = pl.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(msg.chunk().as_ref(), b"1111");
|
|
|
|
|
|
|
|
|
|
buf.extend(b"4\r\ndata\r");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let msg = pl.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(msg.chunk().as_ref(), b"data");
|
|
|
|
|
|
|
|
|
|
buf.extend(b"\n4");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
assert!(pl.decode(&mut buf).unwrap().is_none());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
|
|
|
|
buf.extend(b"\r");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
assert!(pl.decode(&mut buf).unwrap().is_none());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
buf.extend(b"\n");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
assert!(pl.decode(&mut buf).unwrap().is_none());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
|
|
|
|
buf.extend(b"li");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let msg = pl.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(msg.chunk().as_ref(), b"li");
|
|
|
|
|
|
|
|
|
|
//trailers
|
|
|
|
|
//buf.feed_data("test: test\r\n");
|
|
|
|
|
//not_ready!(reader.parse(&mut buf, &mut readbuf));
|
|
|
|
|
|
|
|
|
|
buf.extend(b"ne\r\n0\r\n");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let msg = pl.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(msg.chunk().as_ref(), b"ne");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
assert!(pl.decode(&mut buf).unwrap().is_none());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
|
|
|
|
buf.extend(b"\r\n");
|
2018-10-07 05:31:22 +02:00
|
|
|
|
assert!(pl.decode(&mut buf).unwrap().unwrap().eof());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_parse_chunked_payload_chunk_extension() {
|
|
|
|
|
let mut buf = BytesMut::from(
|
|
|
|
|
&"GET /test HTTP/1.1\r\n\
|
|
|
|
|
transfer-encoding: chunked\r\n\r\n"[..],
|
|
|
|
|
);
|
|
|
|
|
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let mut reader = RequestDecoder::default();
|
|
|
|
|
let (msg, pl) = reader.decode(&mut buf).unwrap().unwrap();
|
|
|
|
|
let mut pl = pl.unwrap();
|
|
|
|
|
assert!(msg.chunked().unwrap());
|
2018-10-05 06:14:18 +02:00
|
|
|
|
|
|
|
|
|
buf.extend(b"4;test\r\ndata\r\n4\r\nline\r\n0\r\n\r\n"); // test: test\r\n\r\n")
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let chunk = pl.decode(&mut buf).unwrap().unwrap().chunk();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(chunk, Bytes::from_static(b"data"));
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let chunk = pl.decode(&mut buf).unwrap().unwrap().chunk();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert_eq!(chunk, Bytes::from_static(b"line"));
|
2018-10-07 05:31:22 +02:00
|
|
|
|
let msg = pl.decode(&mut buf).unwrap().unwrap();
|
2018-10-05 06:14:18 +02:00
|
|
|
|
assert!(msg.eof());
|
|
|
|
|
}
|
|
|
|
|
}
|