1
0
Fork 0
mirror of https://github.com/actix/actix-web.git synced 2024-06-02 21:39:26 +00:00
actix-web/src/middleware/compress.rs

233 lines
6.2 KiB
Rust
Raw Normal View History

2019-03-26 22:14:32 +00:00
//! `Middleware` for compressing response body.
use std::cmp;
use std::marker::PhantomData;
2019-03-02 06:51:32 +00:00
use std::str::FromStr;
2019-03-26 22:14:32 +00:00
use actix_http::body::MessageBody;
use actix_http::encoding::Encoder;
use actix_http::http::header::{ContentEncoding, ACCEPT_ENCODING};
2019-04-25 18:14:32 +00:00
use actix_http::{Error, Response, ResponseBuilder};
2019-03-05 05:37:57 +00:00
use actix_service::{Service, Transform};
use futures::future::{ok, FutureResult};
2019-03-02 06:51:32 +00:00
use futures::{Async, Future, Poll};
use crate::service::{ServiceRequest, ServiceResponse};
struct Enc(ContentEncoding);
/// Helper trait that allows to set specific encoding for response.
pub trait BodyEncoding {
fn encoding(&mut self, encoding: ContentEncoding) -> &mut Self;
}
impl BodyEncoding for ResponseBuilder {
fn encoding(&mut self, encoding: ContentEncoding) -> &mut Self {
self.extensions_mut().insert(Enc(encoding));
self
}
}
2019-03-29 23:29:11 +00:00
impl<B> BodyEncoding for Response<B> {
fn encoding(&mut self, encoding: ContentEncoding) -> &mut Self {
self.extensions_mut().insert(Enc(encoding));
self
}
}
2019-03-02 06:51:32 +00:00
#[derive(Debug, Clone)]
2019-03-24 18:29:35 +00:00
/// `Middleware` for compressing response body.
///
/// Use `BodyEncoding` trait for overriding response compression.
/// To disable compression set encoding to `ContentEncoding::Identity` value.
///
/// ```rust
/// use actix_web::{web, middleware, App, HttpResponse};
///
/// fn main() {
/// let app = App::new()
/// .wrap(middleware::Compress::default())
/// .service(
/// web::resource("/test")
/// .route(web::get().to(|| HttpResponse::Ok()))
/// .route(web::head().to(|| HttpResponse::MethodNotAllowed()))
/// );
/// }
/// ```
2019-03-02 06:51:32 +00:00
pub struct Compress(ContentEncoding);
impl Compress {
2019-03-24 18:29:35 +00:00
/// Create new `Compress` middleware with default encoding.
2019-03-02 06:51:32 +00:00
pub fn new(encoding: ContentEncoding) -> Self {
Compress(encoding)
}
}
impl Default for Compress {
fn default() -> Self {
Compress::new(ContentEncoding::Auto)
}
}
impl<S, B> Transform<S> for Compress
2019-03-05 05:37:57 +00:00
where
B: MessageBody,
2019-04-25 18:14:32 +00:00
S: Service<Request = ServiceRequest, Response = ServiceResponse<B>, Error = Error>,
2019-03-05 05:37:57 +00:00
{
type Request = ServiceRequest;
2019-03-05 05:37:57 +00:00
type Response = ServiceResponse<Encoder<B>>;
2019-04-25 18:14:32 +00:00
type Error = Error;
2019-03-05 05:37:57 +00:00
type InitError = ();
type Transform = CompressMiddleware<S>;
type Future = FutureResult<Self::Transform, Self::InitError>;
fn new_transform(&self, service: S) -> Self::Future {
ok(CompressMiddleware {
service,
encoding: self.0,
})
}
}
pub struct CompressMiddleware<S> {
service: S,
encoding: ContentEncoding,
}
impl<S, B> Service for CompressMiddleware<S>
2019-03-02 06:51:32 +00:00
where
B: MessageBody,
2019-04-25 18:14:32 +00:00
S: Service<Request = ServiceRequest, Response = ServiceResponse<B>, Error = Error>,
2019-03-02 06:51:32 +00:00
{
type Request = ServiceRequest;
2019-03-02 06:51:32 +00:00
type Response = ServiceResponse<Encoder<B>>;
2019-04-25 18:14:32 +00:00
type Error = Error;
type Future = CompressResponse<S, B>;
2019-03-02 06:51:32 +00:00
fn poll_ready(&mut self) -> Poll<(), Self::Error> {
2019-03-05 05:37:57 +00:00
self.service.poll_ready()
2019-03-02 06:51:32 +00:00
}
fn call(&mut self, req: ServiceRequest) -> Self::Future {
2019-03-02 06:51:32 +00:00
// negotiate content-encoding
let encoding = if let Some(val) = req.headers().get(&ACCEPT_ENCODING) {
2019-03-02 06:51:32 +00:00
if let Ok(enc) = val.to_str() {
2019-03-05 05:37:57 +00:00
AcceptEncoding::parse(enc, self.encoding)
2019-03-02 06:51:32 +00:00
} else {
ContentEncoding::Identity
}
} else {
ContentEncoding::Identity
};
CompressResponse {
encoding,
2019-03-05 05:37:57 +00:00
fut: self.service.call(req),
_t: PhantomData,
2019-03-02 06:51:32 +00:00
}
}
}
#[doc(hidden)]
pub struct CompressResponse<S, B>
2019-03-02 06:51:32 +00:00
where
S: Service,
2019-04-04 17:59:34 +00:00
B: MessageBody,
2019-03-02 06:51:32 +00:00
{
fut: S::Future,
encoding: ContentEncoding,
_t: PhantomData<(B)>,
2019-03-02 06:51:32 +00:00
}
impl<S, B> Future for CompressResponse<S, B>
2019-03-02 06:51:32 +00:00
where
B: MessageBody,
2019-04-25 18:14:32 +00:00
S: Service<Request = ServiceRequest, Response = ServiceResponse<B>, Error = Error>,
2019-03-02 06:51:32 +00:00
{
type Item = ServiceResponse<Encoder<B>>;
2019-04-25 18:14:32 +00:00
type Error = Error;
2019-03-02 06:51:32 +00:00
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
let resp = futures::try_ready!(self.fut.poll());
2019-04-02 20:35:01 +00:00
let enc = if let Some(enc) = resp.response().extensions().get::<Enc>() {
enc.0
} else {
self.encoding
};
2019-03-02 06:51:32 +00:00
Ok(Async::Ready(resp.map_body(move |head, body| {
Encoder::response(enc, head, body)
2019-03-02 06:51:32 +00:00
})))
}
}
struct AcceptEncoding {
encoding: ContentEncoding,
quality: f64,
}
impl Eq for AcceptEncoding {}
impl Ord for AcceptEncoding {
fn cmp(&self, other: &AcceptEncoding) -> cmp::Ordering {
if self.quality > other.quality {
cmp::Ordering::Less
} else if self.quality < other.quality {
cmp::Ordering::Greater
} else {
cmp::Ordering::Equal
}
}
}
impl PartialOrd for AcceptEncoding {
fn partial_cmp(&self, other: &AcceptEncoding) -> Option<cmp::Ordering> {
Some(self.cmp(other))
}
}
impl PartialEq for AcceptEncoding {
fn eq(&self, other: &AcceptEncoding) -> bool {
self.quality == other.quality
}
}
impl AcceptEncoding {
fn new(tag: &str) -> Option<AcceptEncoding> {
let parts: Vec<&str> = tag.split(';').collect();
let encoding = match parts.len() {
0 => return None,
_ => ContentEncoding::from(parts[0]),
};
let quality = match parts.len() {
1 => encoding.quality(),
_ => match f64::from_str(parts[1]) {
Ok(q) => q,
Err(_) => 0.0,
},
};
Some(AcceptEncoding { encoding, quality })
}
/// Parse a raw Accept-Encoding header value into an ordered list.
pub fn parse(raw: &str, encoding: ContentEncoding) -> ContentEncoding {
let mut encodings: Vec<_> = raw
.replace(' ', "")
.split(',')
.map(|l| AcceptEncoding::new(l))
.collect();
encodings.sort();
for enc in encodings {
if let Some(enc) = enc {
if encoding == ContentEncoding::Auto {
return enc.encoding;
} else if encoding == enc.encoding {
return encoding;
}
}
}
ContentEncoding::Identity
}
}