mirror of
https://github.com/fafhrd91/actix-web
synced 2025-07-04 01:51:30 +02:00
Compare commits
5 Commits
web-v4.2.1
...
router-v0.
Author | SHA1 | Date | |
---|---|---|---|
894effb856 | |||
07a7290432 | |||
bd5c0af0a6 | |||
c73fba16ce | |||
909461087c |
@ -1,6 +1,11 @@
|
|||||||
# Changes
|
# Changes
|
||||||
|
|
||||||
## Unreleased - 2022-xx-xx
|
## Unreleased - 2022-xx-xx
|
||||||
|
### Added
|
||||||
|
- Implement `MessageBody` for `&mut B` where `B: MessageBody + Unpin`. [#2868]
|
||||||
|
- Implement `MessageBody` for `Pin<B>` where `B::Target: MessageBody`. [#2868]
|
||||||
|
|
||||||
|
[#2868]: https://github.com/actix/actix-web/pull/2868
|
||||||
|
|
||||||
|
|
||||||
## 3.2.2 - 2022-09-11
|
## 3.2.2 - 2022-09-11
|
||||||
|
@ -120,8 +120,28 @@ pub trait MessageBody {
|
|||||||
}
|
}
|
||||||
|
|
||||||
mod foreign_impls {
|
mod foreign_impls {
|
||||||
|
use std::ops::DerefMut;
|
||||||
|
|
||||||
use super::*;
|
use super::*;
|
||||||
|
|
||||||
|
impl<B> MessageBody for &mut B
|
||||||
|
where
|
||||||
|
B: MessageBody + Unpin + ?Sized,
|
||||||
|
{
|
||||||
|
type Error = B::Error;
|
||||||
|
|
||||||
|
fn size(&self) -> BodySize {
|
||||||
|
(&**self).size()
|
||||||
|
}
|
||||||
|
|
||||||
|
fn poll_next(
|
||||||
|
mut self: Pin<&mut Self>,
|
||||||
|
cx: &mut Context<'_>,
|
||||||
|
) -> Poll<Option<Result<Bytes, Self::Error>>> {
|
||||||
|
Pin::new(&mut **self).poll_next(cx)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl MessageBody for Infallible {
|
impl MessageBody for Infallible {
|
||||||
type Error = Infallible;
|
type Error = Infallible;
|
||||||
|
|
||||||
@ -179,8 +199,9 @@ mod foreign_impls {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<B> MessageBody for Pin<Box<B>>
|
impl<T, B> MessageBody for Pin<T>
|
||||||
where
|
where
|
||||||
|
T: DerefMut<Target = B> + Unpin,
|
||||||
B: MessageBody + ?Sized,
|
B: MessageBody + ?Sized,
|
||||||
{
|
{
|
||||||
type Error = B::Error;
|
type Error = B::Error;
|
||||||
@ -445,6 +466,7 @@ mod tests {
|
|||||||
use actix_rt::pin;
|
use actix_rt::pin;
|
||||||
use actix_utils::future::poll_fn;
|
use actix_utils::future::poll_fn;
|
||||||
use bytes::{Bytes, BytesMut};
|
use bytes::{Bytes, BytesMut};
|
||||||
|
use futures_util::stream;
|
||||||
|
|
||||||
use super::*;
|
use super::*;
|
||||||
use crate::body::{self, EitherBody};
|
use crate::body::{self, EitherBody};
|
||||||
@ -481,6 +503,34 @@ mod tests {
|
|||||||
assert_poll_next_none!(pl);
|
assert_poll_next_none!(pl);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn mut_equivalence() {
|
||||||
|
assert_eq!(().size(), BodySize::Sized(0));
|
||||||
|
assert_eq!(().size(), (&(&mut ())).size());
|
||||||
|
|
||||||
|
let pl = &mut ();
|
||||||
|
pin!(pl);
|
||||||
|
assert_poll_next_none!(pl);
|
||||||
|
|
||||||
|
let pl = &mut Box::new(());
|
||||||
|
pin!(pl);
|
||||||
|
assert_poll_next_none!(pl);
|
||||||
|
|
||||||
|
let mut body = body::SizedStream::new(
|
||||||
|
8,
|
||||||
|
stream::iter([
|
||||||
|
Ok::<_, std::io::Error>(Bytes::from("1234")),
|
||||||
|
Ok(Bytes::from("5678")),
|
||||||
|
]),
|
||||||
|
);
|
||||||
|
let body = &mut body;
|
||||||
|
assert_eq!(body.size(), BodySize::Sized(8));
|
||||||
|
pin!(body);
|
||||||
|
assert_poll_next!(body, Bytes::from_static(b"1234"));
|
||||||
|
assert_poll_next!(body, Bytes::from_static(b"5678"));
|
||||||
|
assert_poll_next_none!(body);
|
||||||
|
}
|
||||||
|
|
||||||
#[allow(clippy::let_unit_value)]
|
#[allow(clippy::let_unit_value)]
|
||||||
#[actix_rt::test]
|
#[actix_rt::test]
|
||||||
async fn test_unit() {
|
async fn test_unit() {
|
||||||
@ -607,4 +657,18 @@ mod tests {
|
|||||||
let not_body = resp_body.downcast_ref::<()>();
|
let not_body = resp_body.downcast_ref::<()>();
|
||||||
assert!(not_body.is_none());
|
assert!(not_body.is_none());
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn non_owning_to_bytes() {
|
||||||
|
let mut body = BoxBody::new(());
|
||||||
|
let bytes = body::to_bytes(&mut body).await.unwrap();
|
||||||
|
assert_eq!(bytes, Bytes::new());
|
||||||
|
|
||||||
|
let mut body = body::BodyStream::new(stream::iter([
|
||||||
|
Ok::<_, std::io::Error>(Bytes::from("1234")),
|
||||||
|
Ok(Bytes::from("5678")),
|
||||||
|
]));
|
||||||
|
let bytes = body::to_bytes(&mut body).await.unwrap();
|
||||||
|
assert_eq!(bytes, Bytes::from_static(b"12345678"));
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
@ -1,8 +1,14 @@
|
|||||||
# Changes
|
# Changes
|
||||||
|
|
||||||
## Unreleased - 2022-xx-xx
|
## Unreleased - 2022-xx-xx
|
||||||
|
|
||||||
|
|
||||||
|
## 0.5.1 - 2022-09-19
|
||||||
|
- Correct typo in error string for `i32` deserialization. [#2876]
|
||||||
- Minimum supported Rust version (MSRV) is now 1.59 due to transitive `time` dependency.
|
- Minimum supported Rust version (MSRV) is now 1.59 due to transitive `time` dependency.
|
||||||
|
|
||||||
|
[#2876]: https://github.com/actix/actix-web/pull/2876
|
||||||
|
|
||||||
|
|
||||||
## 0.5.0 - 2022-02-22
|
## 0.5.0 - 2022-02-22
|
||||||
### Added
|
### Added
|
||||||
|
@ -1,6 +1,6 @@
|
|||||||
[package]
|
[package]
|
||||||
name = "actix-router"
|
name = "actix-router"
|
||||||
version = "0.5.0"
|
version = "0.5.1"
|
||||||
authors = [
|
authors = [
|
||||||
"Nikolay Kim <fafhrd91@gmail.com>",
|
"Nikolay Kim <fafhrd91@gmail.com>",
|
||||||
"Ali MJ Al-Nasrawy <alimjalnasrawy@gmail.com>",
|
"Ali MJ Al-Nasrawy <alimjalnasrawy@gmail.com>",
|
||||||
|
@ -293,7 +293,7 @@ impl<'de> Deserializer<'de> for Value<'de> {
|
|||||||
parse_value!(deserialize_bool, visit_bool, "bool");
|
parse_value!(deserialize_bool, visit_bool, "bool");
|
||||||
parse_value!(deserialize_i8, visit_i8, "i8");
|
parse_value!(deserialize_i8, visit_i8, "i8");
|
||||||
parse_value!(deserialize_i16, visit_i16, "i16");
|
parse_value!(deserialize_i16, visit_i16, "i16");
|
||||||
parse_value!(deserialize_i32, visit_i32, "i16");
|
parse_value!(deserialize_i32, visit_i32, "i32");
|
||||||
parse_value!(deserialize_i64, visit_i64, "i64");
|
parse_value!(deserialize_i64, visit_i64, "i64");
|
||||||
parse_value!(deserialize_u8, visit_u8, "u8");
|
parse_value!(deserialize_u8, visit_u8, "u8");
|
||||||
parse_value!(deserialize_u16, visit_u16, "u16");
|
parse_value!(deserialize_u16, visit_u16, "u16");
|
||||||
|
@ -15,7 +15,7 @@ edition = "2018"
|
|||||||
proc-macro = true
|
proc-macro = true
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
actix-router = "0.5.0"
|
actix-router = "0.5"
|
||||||
proc-macro2 = "1"
|
proc-macro2 = "1"
|
||||||
quote = "1"
|
quote = "1"
|
||||||
syn = { version = "1", features = ["full", "extra-traits"] }
|
syn = { version = "1", features = ["full", "extra-traits"] }
|
||||||
|
@ -1,6 +1,12 @@
|
|||||||
# Changelog
|
# Changelog
|
||||||
|
|
||||||
## Unreleased - 2022-xx-xx
|
## Unreleased - 2022-xx-xx
|
||||||
|
### Added
|
||||||
|
- Add `ContentDisposition::attachment` constructor. [#2867]
|
||||||
|
- Add `ErrorHandlers::default_handler()` (as well as `default_handler_{server, client}()`) to make registering handlers for groups of response statuses easier. [#2784]
|
||||||
|
|
||||||
|
[#2784]: https://github.com/actix/actix-web/pull/2784
|
||||||
|
[#2867]: https://github.com/actix/actix-web/pull/2867
|
||||||
|
|
||||||
|
|
||||||
## 4.2.1 - 2022-09-12
|
## 4.2.1 - 2022-09-12
|
||||||
|
@ -79,7 +79,7 @@ impl<'a> From<&'a str> for DispositionType {
|
|||||||
/// assert!(param.is_filename());
|
/// assert!(param.is_filename());
|
||||||
/// assert_eq!(param.as_filename().unwrap(), "sample.txt");
|
/// assert_eq!(param.as_filename().unwrap(), "sample.txt");
|
||||||
/// ```
|
/// ```
|
||||||
#[derive(Clone, Debug, PartialEq, Eq)]
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
||||||
#[allow(clippy::large_enum_variant)]
|
#[allow(clippy::large_enum_variant)]
|
||||||
pub enum DispositionParam {
|
pub enum DispositionParam {
|
||||||
/// For [`DispositionType::FormData`] (i.e. *multipart/form-data*), the name of an field from
|
/// For [`DispositionType::FormData`] (i.e. *multipart/form-data*), the name of an field from
|
||||||
@ -302,7 +302,7 @@ impl DispositionParam {
|
|||||||
/// change to match local file system conventions if applicable, and do not use directory path
|
/// change to match local file system conventions if applicable, and do not use directory path
|
||||||
/// information that may be present.
|
/// information that may be present.
|
||||||
/// See [RFC 2183 §2.3](https://datatracker.ietf.org/doc/html/rfc2183#section-2.3).
|
/// See [RFC 2183 §2.3](https://datatracker.ietf.org/doc/html/rfc2183#section-2.3).
|
||||||
#[derive(Clone, Debug, PartialEq, Eq)]
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
||||||
pub struct ContentDisposition {
|
pub struct ContentDisposition {
|
||||||
/// The disposition type
|
/// The disposition type
|
||||||
pub disposition: DispositionType,
|
pub disposition: DispositionType,
|
||||||
@ -312,16 +312,36 @@ pub struct ContentDisposition {
|
|||||||
}
|
}
|
||||||
|
|
||||||
impl ContentDisposition {
|
impl ContentDisposition {
|
||||||
|
/// Constructs a Content-Disposition header suitable for downloads.
|
||||||
|
///
|
||||||
|
/// # Examples
|
||||||
|
/// ```
|
||||||
|
/// use actix_web::http::header::{ContentDisposition, TryIntoHeaderValue as _};
|
||||||
|
///
|
||||||
|
/// let cd = ContentDisposition::attachment("files.zip");
|
||||||
|
///
|
||||||
|
/// let cd_val = cd.try_into_value().unwrap();
|
||||||
|
/// assert_eq!(cd_val, "attachment; filename=\"files.zip\"");
|
||||||
|
/// ```
|
||||||
|
pub fn attachment(filename: impl Into<String>) -> Self {
|
||||||
|
Self {
|
||||||
|
disposition: DispositionType::Attachment,
|
||||||
|
parameters: vec![DispositionParam::Filename(filename.into())],
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// Parse a raw Content-Disposition header value.
|
/// Parse a raw Content-Disposition header value.
|
||||||
pub fn from_raw(hv: &header::HeaderValue) -> Result<Self, crate::error::ParseError> {
|
pub fn from_raw(hv: &header::HeaderValue) -> Result<Self, crate::error::ParseError> {
|
||||||
// `header::from_one_raw_str` invokes `hv.to_str` which assumes `hv` contains only visible
|
// `header::from_one_raw_str` invokes `hv.to_str` which assumes `hv` contains only visible
|
||||||
// ASCII characters. So `hv.as_bytes` is necessary here.
|
// ASCII characters. So `hv.as_bytes` is necessary here.
|
||||||
let hv = String::from_utf8(hv.as_bytes().to_vec())
|
let hv = String::from_utf8(hv.as_bytes().to_vec())
|
||||||
.map_err(|_| crate::error::ParseError::Header)?;
|
.map_err(|_| crate::error::ParseError::Header)?;
|
||||||
|
|
||||||
let (disp_type, mut left) = split_once_and_trim(hv.as_str().trim(), ';');
|
let (disp_type, mut left) = split_once_and_trim(hv.as_str().trim(), ';');
|
||||||
if disp_type.is_empty() {
|
if disp_type.is_empty() {
|
||||||
return Err(crate::error::ParseError::Header);
|
return Err(crate::error::ParseError::Header);
|
||||||
}
|
}
|
||||||
|
|
||||||
let mut cd = ContentDisposition {
|
let mut cd = ContentDisposition {
|
||||||
disposition: disp_type.into(),
|
disposition: disp_type.into(),
|
||||||
parameters: Vec::new(),
|
parameters: Vec::new(),
|
||||||
|
@ -30,11 +30,25 @@ pub enum ErrorHandlerResponse<B> {
|
|||||||
|
|
||||||
type ErrorHandler<B> = dyn Fn(ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>>;
|
type ErrorHandler<B> = dyn Fn(ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>>;
|
||||||
|
|
||||||
|
type DefaultHandler<B> = Option<Rc<ErrorHandler<B>>>;
|
||||||
|
|
||||||
/// Middleware for registering custom status code based error handlers.
|
/// Middleware for registering custom status code based error handlers.
|
||||||
///
|
///
|
||||||
/// Register handlers with the `ErrorHandlers::handler()` method to register a custom error handler
|
/// Register handlers with the [`ErrorHandlers::handler()`] method to register a custom error handler
|
||||||
/// for a given status code. Handlers can modify existing responses or create completely new ones.
|
/// for a given status code. Handlers can modify existing responses or create completely new ones.
|
||||||
///
|
///
|
||||||
|
/// To register a default handler, use the [`ErrorHandlers::default_handler()`] method. This
|
||||||
|
/// handler will be used only if a response has an error status code (400-599) that isn't covered by
|
||||||
|
/// a more specific handler (set with the [`handler()`][ErrorHandlers::handler] method). See examples
|
||||||
|
/// below.
|
||||||
|
///
|
||||||
|
/// To register a default for only client errors (400-499) or only server errors (500-599), use the
|
||||||
|
/// [`ErrorHandlers::default_handler_client()`] and [`ErrorHandlers::default_handler_server()`]
|
||||||
|
/// methods, respectively.
|
||||||
|
///
|
||||||
|
/// Any response with a status code that isn't covered by a specific handler or a default handler
|
||||||
|
/// will pass by unchanged by this middleware.
|
||||||
|
///
|
||||||
/// # Examples
|
/// # Examples
|
||||||
/// ```
|
/// ```
|
||||||
/// use actix_web::http::{header, StatusCode};
|
/// use actix_web::http::{header, StatusCode};
|
||||||
@ -53,7 +67,70 @@ type ErrorHandler<B> = dyn Fn(ServiceResponse<B>) -> Result<ErrorHandlerResponse
|
|||||||
/// .wrap(ErrorHandlers::new().handler(StatusCode::INTERNAL_SERVER_ERROR, add_error_header))
|
/// .wrap(ErrorHandlers::new().handler(StatusCode::INTERNAL_SERVER_ERROR, add_error_header))
|
||||||
/// .service(web::resource("/").route(web::get().to(HttpResponse::InternalServerError)));
|
/// .service(web::resource("/").route(web::get().to(HttpResponse::InternalServerError)));
|
||||||
/// ```
|
/// ```
|
||||||
|
/// ## Registering default handler
|
||||||
|
/// ```
|
||||||
|
/// # use actix_web::http::{header, StatusCode};
|
||||||
|
/// # use actix_web::middleware::{ErrorHandlerResponse, ErrorHandlers};
|
||||||
|
/// # use actix_web::{dev, web, App, HttpResponse, Result};
|
||||||
|
/// fn add_error_header<B>(mut res: dev::ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
/// res.response_mut().headers_mut().insert(
|
||||||
|
/// header::CONTENT_TYPE,
|
||||||
|
/// header::HeaderValue::from_static("Error"),
|
||||||
|
/// );
|
||||||
|
/// Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
/// }
|
||||||
|
///
|
||||||
|
/// fn handle_bad_request<B>(mut res: dev::ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
/// res.response_mut().headers_mut().insert(
|
||||||
|
/// header::CONTENT_TYPE,
|
||||||
|
/// header::HeaderValue::from_static("Bad Request Error"),
|
||||||
|
/// );
|
||||||
|
/// Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
/// }
|
||||||
|
///
|
||||||
|
/// // Bad Request errors will hit `handle_bad_request()`, while all other errors will hit
|
||||||
|
/// // `add_error_header()`. The order in which the methods are called is not meaningful.
|
||||||
|
/// let app = App::new()
|
||||||
|
/// .wrap(
|
||||||
|
/// ErrorHandlers::new()
|
||||||
|
/// .default_handler(add_error_header)
|
||||||
|
/// .handler(StatusCode::BAD_REQUEST, handle_bad_request)
|
||||||
|
/// )
|
||||||
|
/// .service(web::resource("/").route(web::get().to(HttpResponse::InternalServerError)));
|
||||||
|
/// ```
|
||||||
|
/// Alternatively, you can set default handlers for only client or only server errors:
|
||||||
|
///
|
||||||
|
/// ```rust
|
||||||
|
/// # use actix_web::http::{header, StatusCode};
|
||||||
|
/// # use actix_web::middleware::{ErrorHandlerResponse, ErrorHandlers};
|
||||||
|
/// # use actix_web::{dev, web, App, HttpResponse, Result};
|
||||||
|
/// # fn add_error_header<B>(mut res: dev::ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
/// # res.response_mut().headers_mut().insert(
|
||||||
|
/// # header::CONTENT_TYPE,
|
||||||
|
/// # header::HeaderValue::from_static("Error"),
|
||||||
|
/// # );
|
||||||
|
/// # Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
/// # }
|
||||||
|
/// # fn handle_bad_request<B>(mut res: dev::ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
/// # res.response_mut().headers_mut().insert(
|
||||||
|
/// # header::CONTENT_TYPE,
|
||||||
|
/// # header::HeaderValue::from_static("Bad Request Error"),
|
||||||
|
/// # );
|
||||||
|
/// # Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
/// # }
|
||||||
|
/// // Bad request errors will hit `handle_bad_request()`, other client errors will hit
|
||||||
|
/// // `add_error_header()`, and server errors will pass through unchanged
|
||||||
|
/// let app = App::new()
|
||||||
|
/// .wrap(
|
||||||
|
/// ErrorHandlers::new()
|
||||||
|
/// .default_handler_client(add_error_header) // or .default_handler_server
|
||||||
|
/// .handler(StatusCode::BAD_REQUEST, handle_bad_request)
|
||||||
|
/// )
|
||||||
|
/// .service(web::resource("/").route(web::get().to(HttpResponse::InternalServerError)));
|
||||||
|
/// ```
|
||||||
pub struct ErrorHandlers<B> {
|
pub struct ErrorHandlers<B> {
|
||||||
|
default_client: DefaultHandler<B>,
|
||||||
|
default_server: DefaultHandler<B>,
|
||||||
handlers: Handlers<B>,
|
handlers: Handlers<B>,
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -62,6 +139,8 @@ type Handlers<B> = Rc<AHashMap<StatusCode, Box<ErrorHandler<B>>>>;
|
|||||||
impl<B> Default for ErrorHandlers<B> {
|
impl<B> Default for ErrorHandlers<B> {
|
||||||
fn default() -> Self {
|
fn default() -> Self {
|
||||||
ErrorHandlers {
|
ErrorHandlers {
|
||||||
|
default_client: Default::default(),
|
||||||
|
default_server: Default::default(),
|
||||||
handlers: Default::default(),
|
handlers: Default::default(),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -83,6 +162,66 @@ impl<B> ErrorHandlers<B> {
|
|||||||
.insert(status, Box::new(handler));
|
.insert(status, Box::new(handler));
|
||||||
self
|
self
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Register a default error handler.
|
||||||
|
///
|
||||||
|
/// Any request with a status code that hasn't been given a specific other handler (by calling
|
||||||
|
/// [`.handler()`][ErrorHandlers::handler]) will fall back on this.
|
||||||
|
///
|
||||||
|
/// Note that this will overwrite any default handlers previously set by calling
|
||||||
|
/// [`.default_handler_client()`][ErrorHandlers::default_handler_client] or
|
||||||
|
/// [`.default_handler_server()`][ErrorHandlers::default_handler_server], but not any set by
|
||||||
|
/// calling [`.handler()`][ErrorHandlers::handler].
|
||||||
|
pub fn default_handler<F>(self, handler: F) -> Self
|
||||||
|
where
|
||||||
|
F: Fn(ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>> + 'static,
|
||||||
|
{
|
||||||
|
let handler = Rc::new(handler);
|
||||||
|
Self {
|
||||||
|
default_server: Some(handler.clone()),
|
||||||
|
default_client: Some(handler),
|
||||||
|
..self
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Register a handler on which to fall back for client error status codes (400-499).
|
||||||
|
pub fn default_handler_client<F>(self, handler: F) -> Self
|
||||||
|
where
|
||||||
|
F: Fn(ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>> + 'static,
|
||||||
|
{
|
||||||
|
Self {
|
||||||
|
default_client: Some(Rc::new(handler)),
|
||||||
|
..self
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Register a handler on which to fall back for server error status codes (500-599).
|
||||||
|
pub fn default_handler_server<F>(self, handler: F) -> Self
|
||||||
|
where
|
||||||
|
F: Fn(ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>> + 'static,
|
||||||
|
{
|
||||||
|
Self {
|
||||||
|
default_server: Some(Rc::new(handler)),
|
||||||
|
..self
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Selects the most appropriate handler for the given status code.
|
||||||
|
///
|
||||||
|
/// If the `handlers` map has an entry for that status code, that handler is returned.
|
||||||
|
/// Otherwise, fall back on the appropriate default handler.
|
||||||
|
fn get_handler<'a>(
|
||||||
|
status: &StatusCode,
|
||||||
|
default_client: Option<&'a ErrorHandler<B>>,
|
||||||
|
default_server: Option<&'a ErrorHandler<B>>,
|
||||||
|
handlers: &'a Handlers<B>,
|
||||||
|
) -> Option<&'a ErrorHandler<B>> {
|
||||||
|
handlers
|
||||||
|
.get(status)
|
||||||
|
.map(|h| h.as_ref())
|
||||||
|
.or_else(|| status.is_client_error().then(|| default_client).flatten())
|
||||||
|
.or_else(|| status.is_server_error().then(|| default_server).flatten())
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<S, B> Transform<S, ServiceRequest> for ErrorHandlers<B>
|
impl<S, B> Transform<S, ServiceRequest> for ErrorHandlers<B>
|
||||||
@ -99,13 +238,24 @@ where
|
|||||||
|
|
||||||
fn new_transform(&self, service: S) -> Self::Future {
|
fn new_transform(&self, service: S) -> Self::Future {
|
||||||
let handlers = self.handlers.clone();
|
let handlers = self.handlers.clone();
|
||||||
Box::pin(async move { Ok(ErrorHandlersMiddleware { service, handlers }) })
|
let default_client = self.default_client.clone();
|
||||||
|
let default_server = self.default_server.clone();
|
||||||
|
Box::pin(async move {
|
||||||
|
Ok(ErrorHandlersMiddleware {
|
||||||
|
service,
|
||||||
|
default_client,
|
||||||
|
default_server,
|
||||||
|
handlers,
|
||||||
|
})
|
||||||
|
})
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[doc(hidden)]
|
#[doc(hidden)]
|
||||||
pub struct ErrorHandlersMiddleware<S, B> {
|
pub struct ErrorHandlersMiddleware<S, B> {
|
||||||
service: S,
|
service: S,
|
||||||
|
default_client: DefaultHandler<B>,
|
||||||
|
default_server: DefaultHandler<B>,
|
||||||
handlers: Handlers<B>,
|
handlers: Handlers<B>,
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -123,8 +273,15 @@ where
|
|||||||
|
|
||||||
fn call(&self, req: ServiceRequest) -> Self::Future {
|
fn call(&self, req: ServiceRequest) -> Self::Future {
|
||||||
let handlers = self.handlers.clone();
|
let handlers = self.handlers.clone();
|
||||||
|
let default_client = self.default_client.clone();
|
||||||
|
let default_server = self.default_server.clone();
|
||||||
let fut = self.service.call(req);
|
let fut = self.service.call(req);
|
||||||
ErrorHandlersFuture::ServiceFuture { fut, handlers }
|
ErrorHandlersFuture::ServiceFuture {
|
||||||
|
fut,
|
||||||
|
default_client,
|
||||||
|
default_server,
|
||||||
|
handlers,
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -137,6 +294,8 @@ pin_project! {
|
|||||||
ServiceFuture {
|
ServiceFuture {
|
||||||
#[pin]
|
#[pin]
|
||||||
fut: Fut,
|
fut: Fut,
|
||||||
|
default_client: DefaultHandler<B>,
|
||||||
|
default_server: DefaultHandler<B>,
|
||||||
handlers: Handlers<B>,
|
handlers: Handlers<B>,
|
||||||
},
|
},
|
||||||
ErrorHandlerFuture {
|
ErrorHandlerFuture {
|
||||||
@ -153,10 +312,22 @@ where
|
|||||||
|
|
||||||
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
|
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
|
||||||
match self.as_mut().project() {
|
match self.as_mut().project() {
|
||||||
ErrorHandlersProj::ServiceFuture { fut, handlers } => {
|
ErrorHandlersProj::ServiceFuture {
|
||||||
|
fut,
|
||||||
|
default_client,
|
||||||
|
default_server,
|
||||||
|
handlers,
|
||||||
|
} => {
|
||||||
let res = ready!(fut.poll(cx))?;
|
let res = ready!(fut.poll(cx))?;
|
||||||
|
let status = res.status();
|
||||||
|
|
||||||
match handlers.get(&res.status()) {
|
let handler = ErrorHandlers::get_handler(
|
||||||
|
&status,
|
||||||
|
default_client.as_mut().map(|f| Rc::as_ref(f)),
|
||||||
|
default_server.as_mut().map(|f| Rc::as_ref(f)),
|
||||||
|
handlers,
|
||||||
|
);
|
||||||
|
match handler {
|
||||||
Some(handler) => match handler(res)? {
|
Some(handler) => match handler(res)? {
|
||||||
ErrorHandlerResponse::Response(res) => Poll::Ready(Ok(res)),
|
ErrorHandlerResponse::Response(res) => Poll::Ready(Ok(res)),
|
||||||
ErrorHandlerResponse::Future(fut) => {
|
ErrorHandlerResponse::Future(fut) => {
|
||||||
@ -166,7 +337,6 @@ where
|
|||||||
self.poll(cx)
|
self.poll(cx)
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
|
||||||
None => Poll::Ready(Ok(res.map_into_left_body())),
|
None => Poll::Ready(Ok(res.map_into_left_body())),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -298,4 +468,117 @@ mod tests {
|
|||||||
"error in error handler"
|
"error in error handler"
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn default_error_handler() {
|
||||||
|
#[allow(clippy::unnecessary_wraps)]
|
||||||
|
fn error_handler<B>(mut res: ServiceResponse<B>) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
res.response_mut()
|
||||||
|
.headers_mut()
|
||||||
|
.insert(CONTENT_TYPE, HeaderValue::from_static("0001"));
|
||||||
|
Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
}
|
||||||
|
|
||||||
|
let make_mw = |status| async move {
|
||||||
|
ErrorHandlers::new()
|
||||||
|
.default_handler(error_handler)
|
||||||
|
.new_transform(test::status_service(status).into_service())
|
||||||
|
.await
|
||||||
|
.unwrap()
|
||||||
|
};
|
||||||
|
let mw_server = make_mw(StatusCode::INTERNAL_SERVER_ERROR).await;
|
||||||
|
let mw_client = make_mw(StatusCode::BAD_REQUEST).await;
|
||||||
|
|
||||||
|
let resp =
|
||||||
|
test::call_service(&mw_client, TestRequest::default().to_srv_request()).await;
|
||||||
|
assert_eq!(resp.headers().get(CONTENT_TYPE).unwrap(), "0001");
|
||||||
|
|
||||||
|
let resp =
|
||||||
|
test::call_service(&mw_server, TestRequest::default().to_srv_request()).await;
|
||||||
|
assert_eq!(resp.headers().get(CONTENT_TYPE).unwrap(), "0001");
|
||||||
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn default_handlers_separate_client_server() {
|
||||||
|
#[allow(clippy::unnecessary_wraps)]
|
||||||
|
fn error_handler_client<B>(
|
||||||
|
mut res: ServiceResponse<B>,
|
||||||
|
) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
res.response_mut()
|
||||||
|
.headers_mut()
|
||||||
|
.insert(CONTENT_TYPE, HeaderValue::from_static("0001"));
|
||||||
|
Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
}
|
||||||
|
|
||||||
|
#[allow(clippy::unnecessary_wraps)]
|
||||||
|
fn error_handler_server<B>(
|
||||||
|
mut res: ServiceResponse<B>,
|
||||||
|
) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
res.response_mut()
|
||||||
|
.headers_mut()
|
||||||
|
.insert(CONTENT_TYPE, HeaderValue::from_static("0002"));
|
||||||
|
Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
}
|
||||||
|
|
||||||
|
let make_mw = |status| async move {
|
||||||
|
ErrorHandlers::new()
|
||||||
|
.default_handler_server(error_handler_server)
|
||||||
|
.default_handler_client(error_handler_client)
|
||||||
|
.new_transform(test::status_service(status).into_service())
|
||||||
|
.await
|
||||||
|
.unwrap()
|
||||||
|
};
|
||||||
|
let mw_server = make_mw(StatusCode::INTERNAL_SERVER_ERROR).await;
|
||||||
|
let mw_client = make_mw(StatusCode::BAD_REQUEST).await;
|
||||||
|
|
||||||
|
let resp =
|
||||||
|
test::call_service(&mw_client, TestRequest::default().to_srv_request()).await;
|
||||||
|
assert_eq!(resp.headers().get(CONTENT_TYPE).unwrap(), "0001");
|
||||||
|
|
||||||
|
let resp =
|
||||||
|
test::call_service(&mw_server, TestRequest::default().to_srv_request()).await;
|
||||||
|
assert_eq!(resp.headers().get(CONTENT_TYPE).unwrap(), "0002");
|
||||||
|
}
|
||||||
|
|
||||||
|
#[actix_rt::test]
|
||||||
|
async fn default_handlers_specialization() {
|
||||||
|
#[allow(clippy::unnecessary_wraps)]
|
||||||
|
fn error_handler_client<B>(
|
||||||
|
mut res: ServiceResponse<B>,
|
||||||
|
) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
res.response_mut()
|
||||||
|
.headers_mut()
|
||||||
|
.insert(CONTENT_TYPE, HeaderValue::from_static("0001"));
|
||||||
|
Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
}
|
||||||
|
|
||||||
|
#[allow(clippy::unnecessary_wraps)]
|
||||||
|
fn error_handler_specific<B>(
|
||||||
|
mut res: ServiceResponse<B>,
|
||||||
|
) -> Result<ErrorHandlerResponse<B>> {
|
||||||
|
res.response_mut()
|
||||||
|
.headers_mut()
|
||||||
|
.insert(CONTENT_TYPE, HeaderValue::from_static("0003"));
|
||||||
|
Ok(ErrorHandlerResponse::Response(res.map_into_left_body()))
|
||||||
|
}
|
||||||
|
|
||||||
|
let make_mw = |status| async move {
|
||||||
|
ErrorHandlers::new()
|
||||||
|
.default_handler_client(error_handler_client)
|
||||||
|
.handler(StatusCode::UNPROCESSABLE_ENTITY, error_handler_specific)
|
||||||
|
.new_transform(test::status_service(status).into_service())
|
||||||
|
.await
|
||||||
|
.unwrap()
|
||||||
|
};
|
||||||
|
let mw_client = make_mw(StatusCode::BAD_REQUEST).await;
|
||||||
|
let mw_specific = make_mw(StatusCode::UNPROCESSABLE_ENTITY).await;
|
||||||
|
|
||||||
|
let resp =
|
||||||
|
test::call_service(&mw_client, TestRequest::default().to_srv_request()).await;
|
||||||
|
assert_eq!(resp.headers().get(CONTENT_TYPE).unwrap(), "0001");
|
||||||
|
|
||||||
|
let resp =
|
||||||
|
test::call_service(&mw_specific, TestRequest::default().to_srv_request()).await;
|
||||||
|
assert_eq!(resp.headers().get(CONTENT_TYPE).unwrap(), "0003");
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
Reference in New Issue
Block a user