1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
use std::{
future::Future,
pin::Pin,
task::{Context, Poll},
};
use actix_web::{
dev, http::StatusCode, web, Error, FromRequest, HttpMessage, HttpRequest, ResponseError,
};
use derive_more::{AsMut, AsRef, Deref, DerefMut, Display, Error};
use futures_core::{ready, Stream as _};
use tracing::debug;
pub const DEFAULT_BYTES_LIMIT: usize = 4_194_304;
#[derive(Debug, Deref, DerefMut, AsRef, AsMut)]
pub struct Bytes<const LIMIT: usize = DEFAULT_BYTES_LIMIT>(pub web::Bytes);
impl<const LIMIT: usize> Bytes<LIMIT> {
pub fn into_inner(self) -> web::Bytes {
self.0
}
}
impl<const LIMIT: usize> FromRequest for Bytes<LIMIT> {
type Error = Error;
type Future = BytesExtractFut<LIMIT>;
#[inline]
fn from_request(req: &HttpRequest, payload: &mut dev::Payload) -> Self::Future {
BytesExtractFut {
req: Some(req.clone()),
fut: BytesBody::new(req, payload),
}
}
}
pub struct BytesExtractFut<const LIMIT: usize> {
req: Option<HttpRequest>,
fut: BytesBody<LIMIT>,
}
impl<const LIMIT: usize> Future for BytesExtractFut<LIMIT> {
type Output = Result<Bytes<LIMIT>, Error>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = self.get_mut();
let res = ready!(Pin::new(&mut this.fut).poll(cx));
let res = match res {
Err(err) => {
let req = this.req.take().unwrap();
debug!(
"Failed to extract Bytes from payload in handler: {}",
req.match_name().unwrap_or_else(|| req.path())
);
Err(err.into())
}
Ok(data) => Ok(Bytes(data)),
};
Poll::Ready(res)
}
}
pub enum BytesBody<const LIMIT: usize> {
Error(Option<BytesPayloadError>),
Body {
length: Option<usize>,
payload: dev::Payload,
buf: web::BytesMut,
},
}
impl<const LIMIT: usize> Unpin for BytesBody<LIMIT> {}
impl<const LIMIT: usize> BytesBody<LIMIT> {
pub fn new(req: &HttpRequest, payload: &mut dev::Payload) -> Self {
let payload = payload.take();
let length = req
.get_header::<crate::header::ContentLength>()
.map(|cl| cl.into_inner());
if let Some(len) = length {
if len > LIMIT {
return BytesBody::Error(Some(BytesPayloadError::OverflowKnownLength {
length: len,
limit: LIMIT,
}));
}
}
BytesBody::Body {
length,
payload,
buf: web::BytesMut::with_capacity(8192),
}
}
}
impl<const LIMIT: usize> Future for BytesBody<LIMIT> {
type Output = Result<web::Bytes, BytesPayloadError>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = self.get_mut();
match this {
BytesBody::Body { buf, payload, .. } => loop {
let res = ready!(Pin::new(&mut *payload).poll_next(cx));
match res {
Some(chunk) => {
let chunk = chunk?;
let buf_len = buf.len() + chunk.len();
if buf_len > LIMIT {
return Poll::Ready(Err(BytesPayloadError::Overflow { limit: LIMIT }));
} else {
buf.extend_from_slice(&chunk);
}
}
None => return Poll::Ready(Ok(buf.split().freeze())),
}
},
BytesBody::Error(err) => Poll::Ready(Err(err.take().unwrap())),
}
}
}
#[derive(Debug, Display, Error)]
#[non_exhaustive]
pub enum BytesPayloadError {
#[display(
fmt = "Payload ({} bytes) is larger than allowed (limit: {} bytes).",
length,
limit
)]
OverflowKnownLength { length: usize, limit: usize },
#[display(fmt = "Payload has exceeded limit ({} bytes).", limit)]
Overflow { limit: usize },
#[display(fmt = "Error that occur during reading payload: {}", _0)]
Payload(actix_web::error::PayloadError),
}
impl From<actix_web::error::PayloadError> for BytesPayloadError {
fn from(err: actix_web::error::PayloadError) -> Self {
Self::Payload(err)
}
}
impl ResponseError for BytesPayloadError {
fn status_code(&self) -> StatusCode {
match self {
Self::OverflowKnownLength { .. } => StatusCode::PAYLOAD_TOO_LARGE,
Self::Overflow { .. } => StatusCode::PAYLOAD_TOO_LARGE,
Self::Payload(err) => err.status_code(),
}
}
}
#[cfg(test)]
mod tests {
use actix_web::{http::header, test::TestRequest, web};
use super::*;
#[cfg(test)]
impl PartialEq for BytesPayloadError {
fn eq(&self, other: &Self) -> bool {
match (self, other) {
(
Self::OverflowKnownLength {
length: l_length,
limit: l_limit,
},
Self::OverflowKnownLength {
length: r_length,
limit: r_limit,
},
) => l_length == r_length && l_limit == r_limit,
(Self::Overflow { limit: l_limit }, Self::Overflow { limit: r_limit }) => {
l_limit == r_limit
}
_ => false,
}
}
}
#[actix_web::test]
async fn extract() {
let (req, mut pl) = TestRequest::default()
.insert_header(header::ContentType::json())
.insert_header(crate::header::ContentLength::from(3))
.set_payload(web::Bytes::from_static(b"foo"))
.to_http_parts();
let s = Bytes::<DEFAULT_BYTES_LIMIT>::from_request(&req, &mut pl)
.await
.unwrap();
assert_eq!(s.as_ref(), "foo");
let (req, mut pl) = TestRequest::default()
.insert_header(header::ContentType::json())
.insert_header(crate::header::ContentLength::from(16))
.set_payload(web::Bytes::from_static(b"foo foo foo foo"))
.to_http_parts();
let s = Bytes::<10>::from_request(&req, &mut pl).await;
let err_str = s.unwrap_err().to_string();
assert_eq!(
err_str,
"Payload (16 bytes) is larger than allowed (limit: 10 bytes).",
);
let (req, mut pl) = TestRequest::default()
.insert_header(header::ContentType::json())
.insert_header(crate::header::ContentLength::from(16))
.set_payload(web::Bytes::from_static(b"foo foo foo foo"))
.to_http_parts();
let s = Bytes::<10>::from_request(&req, &mut pl).await;
let err = format!("{}", s.unwrap_err());
assert!(
err.contains("larger than allowed"),
"unexpected error string: {err:?}",
);
}
#[actix_web::test]
async fn body() {
let (req, mut pl) = TestRequest::default().to_http_parts();
let _bytes = BytesBody::<DEFAULT_BYTES_LIMIT>::new(&req, &mut pl)
.await
.unwrap();
let (req, mut pl) = TestRequest::default()
.insert_header(header::ContentType("application/text".parse().unwrap()))
.to_http_parts();
BytesBody::<DEFAULT_BYTES_LIMIT>::new(&req, &mut pl)
.await
.unwrap();
let (req, mut pl) = TestRequest::default()
.insert_header(header::ContentType::json())
.insert_header(crate::header::ContentLength::from(10000))
.to_http_parts();
let bytes = BytesBody::<100>::new(&req, &mut pl).await;
assert_eq!(
bytes.unwrap_err(),
BytesPayloadError::OverflowKnownLength {
length: 10000,
limit: 100
}
);
let (req, mut pl) = TestRequest::default()
.insert_header(header::ContentType::json())
.set_payload(web::Bytes::from_static(&[0u8; 1000]))
.to_http_parts();
let bytes = BytesBody::<100>::new(&req, &mut pl).await;
assert_eq!(
bytes.unwrap_err(),
BytesPayloadError::Overflow { limit: 100 }
);
let (req, mut pl) = TestRequest::default()
.insert_header(header::ContentType::json())
.insert_header(crate::header::ContentLength::from(16))
.set_payload(web::Bytes::from_static(b"foo foo foo foo"))
.to_http_parts();
let bytes = BytesBody::<DEFAULT_BYTES_LIMIT>::new(&req, &mut pl).await;
assert_eq!(bytes.ok().unwrap(), "foo foo foo foo");
}
#[actix_web::test]
async fn test_with_config_in_data_wrapper() {
let (req, mut pl) = TestRequest::default()
.app_data(web::Data::new(web::PayloadConfig::default().limit(8)))
.insert_header(header::ContentType::json())
.insert_header((header::CONTENT_LENGTH, 16))
.set_payload(web::Bytes::from_static(b"{\"name\": \"test\"}"))
.to_http_parts();
let s = Bytes::<10>::from_request(&req, &mut pl).await;
assert!(s.is_err());
let err_str = s.unwrap_err().to_string();
assert_eq!(
err_str,
"Payload (16 bytes) is larger than allowed (limit: 10 bytes).",
);
}
}