1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-10-06 18:22:03 +00:00
actix-web/src/httprequest.rs

482 lines
14 KiB
Rust
Raw Normal View History

//! HTTP Request message related code.
2017-11-27 03:00:57 +00:00
use std::{str, fmt, mem};
2017-11-27 04:32:12 +00:00
use std::rc::Rc;
use std::net::SocketAddr;
use std::collections::HashMap;
2017-10-19 06:43:50 +00:00
use bytes::BytesMut;
use futures::{Async, Future, Stream, Poll};
2017-10-16 16:43:10 +00:00
use url::form_urlencoded;
2017-12-01 03:01:25 +00:00
use http::{header, Uri, Method, Version, HeaderMap, Extensions};
2017-11-16 06:06:28 +00:00
use {Cookie, HttpRange};
2017-10-17 02:21:24 +00:00
use recognizer::Params;
2017-11-16 06:06:28 +00:00
use payload::Payload;
use multipart::Multipart;
2017-11-27 06:00:25 +00:00
use error::{ParseError, PayloadError,
MultipartError, CookieParseError, HttpRangeError, UrlencodedError};
2017-11-27 04:32:12 +00:00
struct HttpMessage {
version: Version,
method: Method,
2017-12-01 03:01:25 +00:00
uri: Uri,
2017-11-29 23:07:49 +00:00
prefix: usize,
headers: HeaderMap,
2017-11-27 04:32:12 +00:00
extensions: Extensions,
params: Params,
cookies: Vec<Cookie<'static>>,
2017-11-09 05:01:56 +00:00
cookies_loaded: bool,
addr: Option<SocketAddr>,
2017-11-27 03:00:57 +00:00
payload: Payload,
}
2017-11-27 04:32:12 +00:00
impl Default for HttpMessage {
2017-11-27 04:32:12 +00:00
fn default() -> HttpMessage {
HttpMessage {
method: Method::GET,
2017-12-01 03:01:25 +00:00
uri: Uri::default(),
2017-11-29 23:07:49 +00:00
prefix: 0,
version: Version::HTTP_11,
headers: HeaderMap::new(),
params: Params::empty(),
cookies: Vec::new(),
2017-11-09 05:01:56 +00:00
cookies_loaded: false,
addr: None,
2017-11-27 03:00:57 +00:00
payload: Payload::empty(),
2017-11-27 04:32:12 +00:00
extensions: Extensions::new(),
}
}
2017-11-27 04:32:12 +00:00
}
/// An HTTP Request
2017-11-27 05:18:38 +00:00
pub struct HttpRequest<S=()>(Rc<HttpMessage>, Rc<S>);
2017-11-27 04:32:12 +00:00
2017-11-27 05:18:38 +00:00
impl HttpRequest<()> {
2017-11-27 04:32:12 +00:00
/// Construct a new Request.
#[inline]
2017-12-01 03:01:25 +00:00
pub fn new(method: Method, uri: Uri,
version: Version, headers: HeaderMap, payload: Payload) -> HttpRequest
2017-11-27 04:32:12 +00:00
{
HttpRequest(
Rc::new(HttpMessage {
method: method,
2017-12-01 03:01:25 +00:00
uri: uri,
2017-11-29 23:07:49 +00:00
prefix: 0,
2017-11-27 04:32:12 +00:00
version: version,
headers: headers,
params: Params::empty(),
cookies: Vec::new(),
cookies_loaded: false,
addr: None,
payload: payload,
extensions: Extensions::new(),
2017-11-27 05:18:38 +00:00
}),
Rc::new(())
2017-11-27 04:32:12 +00:00
)
}
2017-11-27 05:18:38 +00:00
/// Construct new http request with state.
2017-11-27 06:20:28 +00:00
pub fn with_state<S>(self, state: Rc<S>) -> HttpRequest<S> {
2017-11-27 05:18:38 +00:00
HttpRequest(self.0, state)
}
}
impl<S> HttpRequest<S> {
/// Construct new http request without state.
pub fn clone_without_state(&self) -> HttpRequest {
HttpRequest(Rc::clone(&self.0), Rc::new(()))
}
2017-11-27 05:18:38 +00:00
/// get mutable reference for inner message
2017-11-27 04:32:12 +00:00
fn as_mut(&mut self) -> &mut HttpMessage {
let r: &HttpMessage = self.0.as_ref();
#[allow(mutable_transmutes)]
unsafe{mem::transmute(r)}
}
2017-11-27 05:18:38 +00:00
/// Shared application state
pub fn state(&self) -> &S {
&self.1
}
/// Protocol extensions.
#[inline]
pub fn extensions(&mut self) -> &mut Extensions {
2017-11-27 04:32:12 +00:00
&mut self.as_mut().extensions
}
2017-12-01 03:01:25 +00:00
/// Read the Request Uri.
#[inline]
pub fn uri(&self) -> &Uri { &self.0.uri }
/// Read the Request method.
#[inline]
2017-11-27 04:32:12 +00:00
pub fn method(&self) -> &Method { &self.0.method }
/// Read the Request Version.
2017-11-10 21:26:12 +00:00
#[inline]
pub fn version(&self) -> Version {
2017-11-27 04:32:12 +00:00
self.0.version
}
/// Read the Request Headers.
2017-11-10 21:26:12 +00:00
#[inline]
pub fn headers(&self) -> &HeaderMap {
2017-11-27 04:32:12 +00:00
&self.0.headers
}
/// The target path of this Request.
#[inline]
pub fn path(&self) -> &str {
2017-12-01 03:01:25 +00:00
self.0.uri.path()
}
2017-11-29 23:07:49 +00:00
pub(crate) fn set_prefix(&mut self, idx: usize) {
self.as_mut().prefix = idx;
}
#[doc(hidden)]
pub fn prefix_len(&self) -> usize {
self.0.prefix
}
/// Remote IP of client initiated HTTP request.
///
/// The IP is resolved through the following headers, in this order:
///
/// - Forwarded
/// - X-Forwarded-For
/// - peername of opened socket
2017-11-10 21:26:12 +00:00
#[inline]
pub fn remote(&self) -> Option<&SocketAddr> {
2017-11-27 04:32:12 +00:00
self.0.addr.as_ref()
}
pub(crate) fn set_remove_addr(&mut self, addr: Option<SocketAddr>) {
2017-11-27 04:32:12 +00:00
self.as_mut().addr = addr
}
2017-10-16 16:43:10 +00:00
/// Return a new iterator that yields pairs of `Cow<str>` for query parameters
#[inline]
pub fn query(&self) -> HashMap<String, String> {
let mut q: HashMap<String, String> = HashMap::new();
2017-12-01 03:01:25 +00:00
if let Some(query) = self.0.uri.query().as_ref() {
for (key, val) in form_urlencoded::parse(query.as_ref()) {
q.insert(key.to_string(), val.to_string());
}
}
q
2017-10-16 16:43:10 +00:00
}
/// The query string in the URL.
///
/// E.g., id=10
#[inline]
pub fn query_string(&self) -> &str {
2017-12-01 03:01:25 +00:00
if let Some(query) = self.0.uri.query().as_ref() {
query
} else {
""
}
}
/// Return request cookies.
pub fn cookies(&self) -> &Vec<Cookie<'static>> {
2017-11-27 04:32:12 +00:00
&self.0.cookies
}
/// Return request cookie.
pub fn cookie(&self, name: &str) -> Option<&Cookie> {
2017-11-27 04:32:12 +00:00
for cookie in &self.0.cookies {
if cookie.name() == name {
2017-10-16 08:19:23 +00:00
return Some(cookie)
}
}
None
}
/// Load cookies
2017-11-27 01:30:35 +00:00
pub fn load_cookies(&mut self) -> Result<&Vec<Cookie<'static>>, CookieParseError>
{
2017-11-27 04:32:12 +00:00
if !self.0.cookies_loaded {
let msg = self.as_mut();
msg.cookies_loaded = true;
if let Some(val) = msg.headers.get(header::COOKIE) {
2017-11-09 05:01:56 +00:00
let s = str::from_utf8(val.as_bytes())
.map_err(CookieParseError::from)?;
for cookie in s.split("; ") {
2017-11-27 04:32:12 +00:00
msg.cookies.push(Cookie::parse_encoded(cookie)?.into_owned());
2017-11-09 05:01:56 +00:00
}
}
}
2017-11-27 04:32:12 +00:00
Ok(&self.0.cookies)
}
/// Get a reference to the Params object.
/// Params is a container for url parameters.
/// Route supports glob patterns: * for a single wildcard segment and :param
/// for matching storing that segment of the request url in the Params object.
#[inline]
2017-11-27 04:32:12 +00:00
pub fn match_info(&self) -> &Params { &self.0.params }
/// Set request Params.
pub fn set_match_info(&mut self, params: Params) {
2017-11-27 04:32:12 +00:00
self.as_mut().params = params;
}
/// Checks if a connection should be kept alive.
pub fn keep_alive(&self) -> bool {
2017-11-27 04:32:12 +00:00
if let Some(conn) = self.0.headers.get(header::CONNECTION) {
if let Ok(conn) = conn.to_str() {
2017-11-27 04:32:12 +00:00
if self.0.version == Version::HTTP_10 && conn.contains("keep-alive") {
true
} else {
2017-11-27 04:32:12 +00:00
self.0.version == Version::HTTP_11 &&
!(conn.contains("close") || conn.contains("upgrade"))
}
} else {
false
}
} else {
2017-11-27 04:32:12 +00:00
self.0.version != Version::HTTP_10
}
}
/// Read the request content type
pub fn content_type(&self) -> &str {
2017-11-27 04:32:12 +00:00
if let Some(content_type) = self.0.headers.get(header::CONTENT_TYPE) {
if let Ok(content_type) = content_type.to_str() {
return content_type
}
}
""
}
/// Check if request requires connection upgrade
pub(crate) fn upgrade(&self) -> bool {
2017-11-27 04:32:12 +00:00
if let Some(conn) = self.0.headers.get(header::CONNECTION) {
if let Ok(s) = conn.to_str() {
return s.to_lowercase().contains("upgrade")
}
}
2017-11-27 04:32:12 +00:00
self.0.method == Method::CONNECT
}
/// Check if request has chunked transfer encoding
pub fn chunked(&self) -> Result<bool, ParseError> {
2017-11-27 04:32:12 +00:00
if let Some(encodings) = self.0.headers.get(header::TRANSFER_ENCODING) {
if let Ok(s) = encodings.to_str() {
Ok(s.to_lowercase().contains("chunked"))
} else {
Err(ParseError::Header)
}
} else {
Ok(false)
}
}
/// Parses Range HTTP header string as per RFC 2616.
/// `size` is full size of response (file).
2017-11-16 06:06:28 +00:00
pub fn range(&self, size: u64) -> Result<Vec<HttpRange>, HttpRangeError> {
2017-11-27 04:32:12 +00:00
if let Some(range) = self.0.headers.get(header::RANGE) {
HttpRange::parse(unsafe{str::from_utf8_unchecked(range.as_bytes())}, size)
2017-11-16 06:06:28 +00:00
.map_err(|e| e.into())
} else {
Ok(Vec::new())
}
}
2017-11-27 03:00:57 +00:00
/// Returns reference to the associated http payload.
#[inline]
pub fn payload(&self) -> &Payload {
2017-11-27 04:32:12 +00:00
&self.0.payload
2017-11-27 03:00:57 +00:00
}
/// Returns mutable reference to the associated http payload.
#[inline]
pub fn payload_mut(&mut self) -> &mut Payload {
2017-11-27 04:32:12 +00:00
&mut self.as_mut().payload
2017-11-27 03:00:57 +00:00
}
/// Return payload
pub fn take_payload(&mut self) -> Payload {
2017-11-27 04:32:12 +00:00
mem::replace(&mut self.as_mut().payload, Payload::empty())
2017-11-27 03:00:57 +00:00
}
/// Return stream to process BODY as multipart.
///
/// Content-type: multipart/form-data;
2017-11-27 05:47:33 +00:00
pub fn multipart(&mut self) -> Result<Multipart, MultipartError> {
let boundary = Multipart::boundary(&self.0.headers)?;
Ok(Multipart::new(boundary, self.take_payload()))
}
/// Parse `application/x-www-form-urlencoded` encoded body.
2017-10-19 06:43:50 +00:00
/// Return `UrlEncoded` future. It resolves to a `HashMap<String, String>` which
/// contains decoded parameters.
///
/// Returns error:
///
/// * content type is not `application/x-www-form-urlencoded`
/// * transfer encoding is `chunked`.
/// * content-length is greater than 256k
2017-11-27 06:00:25 +00:00
pub fn urlencoded(&mut self) -> Result<UrlEncoded, UrlencodedError> {
if let Ok(true) = self.chunked() {
return Err(UrlencodedError::Chunked)
}
if let Some(len) = self.headers().get(header::CONTENT_LENGTH) {
if let Ok(s) = len.to_str() {
if let Ok(len) = s.parse::<u64>() {
if len > 262_144 {
2017-11-27 06:00:25 +00:00
return Err(UrlencodedError::Overflow)
}
} else {
2017-11-27 06:00:25 +00:00
return Err(UrlencodedError::UnknownLength)
}
} else {
2017-11-27 06:00:25 +00:00
return Err(UrlencodedError::UnknownLength)
}
}
2017-11-27 06:00:25 +00:00
// check content type
let t = if let Some(content_type) = self.0.headers.get(header::CONTENT_TYPE) {
if let Ok(content_type) = content_type.to_str() {
2017-11-27 06:00:25 +00:00
content_type.to_lowercase() == "application/x-www-form-urlencoded"
} else {
false
}
2017-11-27 06:00:25 +00:00
} else {
false
};
2017-11-27 06:00:25 +00:00
if t {
Ok(UrlEncoded{pl: self.take_payload(), body: BytesMut::new()})
} else {
Err(UrlencodedError::ContentType)
}
}
}
2017-11-27 06:20:28 +00:00
impl Default for HttpRequest<()> {
/// Construct default request
fn default() -> HttpRequest {
HttpRequest(Rc::new(HttpMessage::default()), Rc::new(()))
}
}
2017-11-27 05:18:38 +00:00
impl<S> Clone for HttpRequest<S> {
fn clone(&self) -> HttpRequest<S> {
HttpRequest(Rc::clone(&self.0), Rc::clone(&self.1))
2017-11-27 04:32:12 +00:00
}
}
2017-11-27 05:18:38 +00:00
impl<S> fmt::Debug for HttpRequest<S> {
2017-10-19 06:43:50 +00:00
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
let res = write!(f, "\nHttpRequest {:?} {}:{}\n",
2017-12-01 03:01:25 +00:00
self.0.version, self.0.method, self.0.uri);
if !self.query_string().is_empty() {
let _ = write!(f, " query: ?{:?}\n", self.query_string());
}
2017-11-27 04:32:12 +00:00
if !self.0.params.is_empty() {
let _ = write!(f, " params: {:?}\n", self.0.params);
2017-10-19 06:43:50 +00:00
}
let _ = write!(f, " headers:\n");
2017-11-27 04:32:12 +00:00
for key in self.0.headers.keys() {
let vals: Vec<_> = self.0.headers.get_all(key).iter().collect();
2017-10-19 06:43:50 +00:00
if vals.len() > 1 {
let _ = write!(f, " {:?}: {:?}\n", key, vals);
} else {
let _ = write!(f, " {:?}: {:?}\n", key, vals[0]);
}
}
2017-10-19 06:43:50 +00:00
res
}
}
/// Future that resolves to a parsed urlencoded values.
pub struct UrlEncoded {
pl: Payload,
body: BytesMut,
}
impl Future for UrlEncoded {
type Item = HashMap<String, String>;
type Error = PayloadError;
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
loop {
return match self.pl.poll() {
Ok(Async::NotReady) => Ok(Async::NotReady),
Ok(Async::Ready(None)) => {
let mut m = HashMap::new();
for (k, v) in form_urlencoded::parse(&self.body) {
m.insert(k.into(), v.into());
}
Ok(Async::Ready(m))
},
2017-10-27 06:14:33 +00:00
Ok(Async::Ready(Some(item))) => {
self.body.extend(item.0);
continue
},
Err(err) => Err(err),
}
}
}
}
2017-10-23 21:26:01 +00:00
#[cfg(test)]
mod tests {
use super::*;
2017-12-01 03:01:25 +00:00
use std::str::FromStr;
2017-10-23 21:26:01 +00:00
use payload::Payload;
2017-12-01 03:01:25 +00:00
use http::Uri;
2017-10-23 21:26:01 +00:00
#[test]
fn test_urlencoded_error() {
let mut headers = HeaderMap::new();
headers.insert(header::TRANSFER_ENCODING,
header::HeaderValue::from_static("chunked"));
2017-11-27 06:00:25 +00:00
let mut req = HttpRequest::new(
2017-12-01 03:01:25 +00:00
Method::GET, Uri::from_str("/").unwrap(),
Version::HTTP_11, headers, Payload::empty());
2017-10-23 21:26:01 +00:00
2017-11-27 06:00:25 +00:00
assert_eq!(req.urlencoded().err().unwrap(), UrlencodedError::Chunked);
2017-10-23 21:26:01 +00:00
let mut headers = HeaderMap::new();
headers.insert(header::CONTENT_TYPE,
header::HeaderValue::from_static("application/x-www-form-urlencoded"));
headers.insert(header::CONTENT_LENGTH,
header::HeaderValue::from_static("xxxx"));
2017-11-27 06:00:25 +00:00
let mut req = HttpRequest::new(
2017-12-01 03:01:25 +00:00
Method::GET, Uri::from_str("/").unwrap(), Version::HTTP_11,
headers, Payload::empty());
2017-10-23 21:26:01 +00:00
2017-11-27 06:00:25 +00:00
assert_eq!(req.urlencoded().err().unwrap(), UrlencodedError::UnknownLength);
2017-10-23 21:26:01 +00:00
let mut headers = HeaderMap::new();
headers.insert(header::CONTENT_TYPE,
header::HeaderValue::from_static("application/x-www-form-urlencoded"));
headers.insert(header::CONTENT_LENGTH,
header::HeaderValue::from_static("1000000"));
2017-11-27 06:00:25 +00:00
let mut req = HttpRequest::new(
2017-12-01 03:01:25 +00:00
Method::GET, Uri::from_str("/").unwrap(),
Version::HTTP_11, headers, Payload::empty());
2017-10-23 21:26:01 +00:00
2017-11-27 06:00:25 +00:00
assert_eq!(req.urlencoded().err().unwrap(), UrlencodedError::Overflow);
2017-10-23 21:26:01 +00:00
let mut headers = HeaderMap::new();
headers.insert(header::CONTENT_TYPE,
header::HeaderValue::from_static("text/plain"));
headers.insert(header::CONTENT_LENGTH,
header::HeaderValue::from_static("10"));
2017-11-27 06:00:25 +00:00
let mut req = HttpRequest::new(
2017-12-01 03:01:25 +00:00
Method::GET, Uri::from_str("/").unwrap(),
Version::HTTP_11, headers, Payload::empty());
2017-10-23 21:26:01 +00:00
2017-11-27 06:00:25 +00:00
assert_eq!(req.urlencoded().err().unwrap(), UrlencodedError::ContentType);
2017-10-23 21:26:01 +00:00
}
}